OPENNLP-817 - added a CFG runner (with samples), added pcfg parse rules / cfg capabilities
diff --git a/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/CFGRunner.java b/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/CFGRunner.java
new file mode 100644
index 0000000..e135c7f
--- /dev/null
+++ b/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/CFGRunner.java
@@ -0,0 +1,162 @@
+package org.apache.opennlp.utils.cfg;
+
+import java.io.BufferedReader;
+import java.io.IOException;
+import java.io.InputStream;
+import java.io.InputStreamReader;
+import java.security.SecureRandom;
+import java.util.Arrays;
+import java.util.Collection;
+import java.util.HashMap;
+import java.util.LinkedList;
+import java.util.Map;
+
+/**
+ * Runner for {@link ContextFreeGrammar}s
+ */
+public class CFGRunner {
+
+    public static void main(String[] args) throws Exception {
+        CFGBuilder builder = new CFGBuilder();
+
+        Arrays.sort(args);
+        boolean useWn = Arrays.binarySearch(args, "-wn") >= 0;
+
+        Collection<String> adverbsCollection;
+        Collection<String> verbsCollection;
+        Collection<String> adjectivesCollection;
+        Collection<String> nounsCollection;
+        if (useWn) {
+            adverbsCollection = getTokens("/opennlp/cfg/wn/adv.txt");
+            adjectivesCollection = getTokens("/opennlp/cfg/wn/adj.txt");
+            nounsCollection = getTokens("/opennlp/cfg/wn/noun.txt");
+            verbsCollection = getTokens("/opennlp/cfg/wn/verb.txt");
+        } else {
+            adverbsCollection = getTokens("/opennlp/cfg/an/adv.txt");
+            adjectivesCollection = getTokens("/opennlp/cfg/an/adj.txt");
+            nounsCollection = getTokens("/opennlp/cfg/an/noun.txt");
+            verbsCollection = getTokens("/opennlp/cfg/an/verb.txt");
+        }
+
+        Collection<String> terminals = new LinkedList<>();
+        terminals.addAll(adverbsCollection);
+        terminals.addAll(verbsCollection);
+        terminals.addAll(adjectivesCollection);
+        terminals.addAll(nounsCollection);
+
+        builder.withTerminals(terminals);
+
+        Collection<String> nonTerminals = new LinkedList<String>();
+        String startSymbol = "START_SYMBOL";
+        nonTerminals.add(startSymbol);
+        nonTerminals.add("NP");
+        nonTerminals.add("NN");
+        nonTerminals.add("Adv");
+        nonTerminals.add("Adj");
+        nonTerminals.add("VP");
+        nonTerminals.add("Vb");
+        builder.withNonTerminals(nonTerminals);
+
+        builder.withStartSymbol(startSymbol);
+
+        Collection<Rule> rules = new LinkedList<Rule>();
+        rules.add(new Rule(startSymbol, "VP", "NP"));
+        rules.add(new Rule("VP", "Adv", "Vb"));
+        rules.add(new Rule("NP", "Adj", "NN"));
+
+        for (String v : verbsCollection) {
+            rules.add(new Rule("Vb", v));
+        }
+        for (String adj : adjectivesCollection) {
+            rules.add(new Rule("Adj", adj));
+        }
+        for (String n : nounsCollection) {
+            rules.add(new Rule("NN", n));
+        }
+        for (String adv : adverbsCollection) {
+            rules.add(new Rule("Adv", adv));
+        }
+        builder.withRules(rules);
+        ContextFreeGrammar cfg = builder.withRandomExpansion(true).build();
+        String[] sentence = cfg.leftMostDerivation(startSymbol);
+        String toString = Arrays.toString(sentence);
+
+        if (toString.length() > 0) {
+            System.out.println(toString.substring(1, toString.length() - 1).replaceAll(",", ""));
+        }
+
+        boolean pt = Arrays.binarySearch(args, "-pt") >= 0;
+
+        if (pt) {
+            Map<Rule, Double> rulesMap = new HashMap<>();
+            rulesMap.put(new Rule(startSymbol, "VP", "NP"), 1d);
+            rulesMap.put(new Rule("VP", "Adv", "Vb"), 1d);
+            rulesMap.put(new Rule("NP", "Adj", "NN"), 1d);
+
+            SecureRandom secureRandom = new SecureRandom();
+
+            double remainingP = 1d;
+            for (String v : verbsCollection) {
+                double p = (double) secureRandom.nextInt(1000) / 1001d;
+                if (rulesMap.size() == verbsCollection.size() - 1) {
+                    p = remainingP;
+                }
+                if (remainingP - p <= 0) {
+                    p /= 10;
+                }
+                rulesMap.put(new Rule("Vb", v), p);
+                remainingP -= p;
+            }
+            for (String a : adjectivesCollection) {
+                double p = (double) secureRandom.nextInt(1000) / 1001d;
+                if (rulesMap.size() == adjectivesCollection.size() - 1) {
+                    p = remainingP;
+                }
+                if (remainingP - p <= 0) {
+                    p /= 10;
+                }
+                rulesMap.put(new Rule("Adj", a), p);
+                remainingP -= p;
+            }
+            for (String n : nounsCollection) {
+                double p = (double) secureRandom.nextInt(1000) / 1001d;
+                if (rulesMap.size() == nounsCollection.size() - 1) {
+                    p = remainingP;
+                } else if (remainingP - p <= 0) {
+                    p /= 10;
+                }
+                rulesMap.put(new Rule("NN", n), p);
+                remainingP -= p;
+            }
+            for (String a : adverbsCollection) {
+                double p = (double) secureRandom.nextInt(1000) / 1001d;
+                if (rulesMap.size() == adverbsCollection.size() - 1) {
+                    p = remainingP;
+                }
+                if (remainingP - p <= 0) {
+                    p /= 10;
+                }
+                rulesMap.put(new Rule("Adv", a), p);
+                remainingP -= p;
+            }
+            ProbabilisticContextFreeGrammar pcfg = new ProbabilisticContextFreeGrammar(cfg.getNonTerminalSymbols(), cfg.getTerminalSymbols(),
+                    rulesMap, startSymbol, true);
+            ProbabilisticContextFreeGrammar.ParseTree parseTree = pcfg.cky(Arrays.asList(sentence));
+            System.out.println(parseTree);
+        }
+    }
+
+    private static Collection<String> getTokens(String s) throws IOException {
+        Collection<String> tokens = new LinkedList<>();
+        InputStream resourceStream = CFGRunner.class.getResourceAsStream(s);
+        BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(resourceStream));
+        String line;
+        while ((line = bufferedReader.readLine()) != null) {
+            tokens.add(line);
+        }
+        bufferedReader.close();
+        resourceStream.close();
+        return tokens;
+    }
+
+}
diff --git a/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammar.java b/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammar.java
index bb84425..26c2abd 100644
--- a/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammar.java
+++ b/nlp-utils/src/main/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammar.java
@@ -19,11 +19,16 @@
 package org.apache.opennlp.utils.cfg;
 
 import java.util.ArrayList;
+import java.util.Arrays;
 import java.util.Collection;
+import java.util.HashMap;
+import java.util.HashSet;
 import java.util.LinkedList;
 import java.util.List;
 import java.util.Map;
 import java.util.Random;
+import java.util.regex.Matcher;
+import java.util.regex.Pattern;
 
 /**
  * a probabilistic CFG
@@ -36,6 +41,17 @@
   private final String startSymbol;
   private boolean randomExpansion;
 
+  private static final Rule emptyRule = new Rule("E", "");
+
+  private static final String nonTerminalMatcher = "[\\w\\~\\*\\-\\.\\,\\'\\:\\_\\\"]";
+  private static final String terminalMatcher = "[òàùìèé\\|\\w\\'\\.\\,\\:\\_Ù\\?È\\%\\;À\\-\\\"]";
+
+  private static final Pattern terminalPattern = Pattern.compile("\\(("+nonTerminalMatcher+"+)\\s("+terminalMatcher+"+)\\)");
+  private static final Pattern nonTerminalPattern = Pattern.compile(
+          "\\(("+nonTerminalMatcher+"+)" + // source NT
+                  "\\s("+nonTerminalMatcher+"+)(\\s("+nonTerminalMatcher+"+))*\\)" // expansion NTs
+  );
+
   public ProbabilisticContextFreeGrammar(Collection<String> nonTerminalSymbols, Collection<String> terminalSymbols,
                                          Map<Rule, Double> rules, String startSymbol, boolean randomExpansion) {
 
@@ -119,32 +135,32 @@
     }
   }
 
-  public BackPointer pi(List<String> sentence, int i, int j, String x) {
-    BackPointer backPointer = new BackPointer(0, 0, null);
+  public ParseTree pi(List<String> sentence, int i, int j, String x) {
+    ParseTree parseTree = new ParseTree(0, 0, null);
     if (i == j) {
       Rule rule = new Rule(x, sentence.get(i));
       double q = q(rule);
-      backPointer = new BackPointer(q, i, rule);
+      parseTree = new ParseTree(q, i, rule);
     } else {
       double max = 0;
       for (Rule rule : getNTRules()) {
         for (int s = i; s < j; s++) {
           double q = q(rule);
-          BackPointer left = pi(sentence, i, s, rule.getExpansion()[0]);
-          BackPointer right = pi(sentence, s + 1, j, rule.getExpansion()[1]);
+          ParseTree left = pi(sentence, i, s, rule.getExpansion()[0]);
+          ParseTree right = pi(sentence, s + 1, j, rule.getExpansion()[1]);
           double cp = q * left.getProbability() * right.getProbability();
           if (cp > max) {
             max = cp;
-            backPointer = new BackPointer(max, s, rule, left, right);
+            parseTree = new ParseTree(max, s, rule, left, right);
           }
         }
       }
     }
-    return backPointer;
+    return parseTree;
   }
 
-  public BackPointer cky(List<String> sentence) {
-    BackPointer backPointer = null;
+  public ParseTree cky(List<String> sentence) {
+    ParseTree parseTree = null;
 
     int n = sentence.size();
     for (int l = 1; l < n; l++) {
@@ -155,25 +171,26 @@
           for (Rule r : getRulesForNonTerminal(x)) {
             for (int s = i; s < j - 1; s++) {
               double q = q(r);
-              BackPointer left = pi(sentence, i, s, r.getExpansion()[0]);
-              BackPointer right = pi(sentence, s + 1, j, r.getExpansion()[1]);
+              ParseTree left = pi(sentence, i, s, r.getExpansion()[0]);
+              ParseTree right = pi(sentence, s + 1, j, r.getExpansion()[1]);
               double cp = q * left.getProbability() * right.getProbability();
               if (cp > max) {
                 max = cp;
-                backPointer = new BackPointer(max, s, r, left, right);
+                parseTree = new ParseTree(max, s, r, left, right);
               }
             }
           }
         }
       }
     }
-    return backPointer;
+    return parseTree;
   }
 
   private Collection<Rule> getRulesForNonTerminal(String x) {
     LinkedList<Rule> ntRules = new LinkedList<Rule>();
     for (Rule r : rules.keySet()) {
-      if (x.equals(r.getEntry()) && nonTerminalSymbols.contains(r.getExpansion()[0]) && nonTerminalSymbols.contains(r.getExpansion()[1])) {
+      String[] expansion = r.getExpansion();
+      if (expansion.length == 2 && x.equals(r.getEntry()) && nonTerminalSymbols.contains(expansion[0]) && nonTerminalSymbols.contains(expansion[1])) {
         ntRules.add(r);
       }
     }
@@ -183,7 +200,8 @@
   private Collection<Rule> getNTRules() {
     Collection<Rule> ntRules = new LinkedList<Rule>();
     for (Rule r : rules.keySet()) {
-      if (nonTerminalSymbols.contains(r.getExpansion()[0]) && nonTerminalSymbols.contains(r.getExpansion()[1])) {
+      String[] expansion = r.getExpansion();
+      if (expansion.length == 2 && nonTerminalSymbols.contains(expansion[0]) && nonTerminalSymbols.contains(expansion[1])) {
         ntRules.add(r);
       }
     }
@@ -194,21 +212,21 @@
     return rules.keySet().contains(rule) ? rules.get(rule) : 0;
   }
 
-  public class BackPointer {
+  public class ParseTree {
 
     private final double probability;
     private final int splitPoint;
     private final Rule rule;
-    private BackPointer leftTree;
-    private BackPointer rightTree;
+    private ParseTree leftTree;
+    private ParseTree rightTree;
 
-    private BackPointer(double probability, int splitPoint, Rule rule) {
+    private ParseTree(double probability, int splitPoint, Rule rule) {
       this.probability = probability;
       this.splitPoint = splitPoint;
       this.rule = rule;
     }
 
-    public BackPointer(double probability, int splitPoint, Rule rule, BackPointer leftTree, BackPointer rightTree) {
+    public ParseTree(double probability, int splitPoint, Rule rule, ParseTree leftTree, ParseTree rightTree) {
       this.probability = probability;
       this.splitPoint = splitPoint;
       this.rule = rule;
@@ -228,24 +246,146 @@
       return rule;
     }
 
-    public BackPointer getLeftTree() {
+    public ParseTree getLeftTree() {
       return leftTree;
     }
 
-    public BackPointer getRightTree() {
+    public ParseTree getRightTree() {
       return rightTree;
     }
 
     @Override
     public String toString() {
-      return "(" +
-              rule.getEntry() + " " +
-              (leftTree != null && rightTree != null ?
-                      leftTree.toString() + " " + rightTree.toString() :
-                      rule.getExpansion()[0]
-              ) +
-              ')';
+      if (getRule() != emptyRule) {
+        return "(" +
+                rule.getEntry() + " " +
+                (leftTree != null && rightTree != null ?
+                        leftTree.toString() + " " + rightTree.toString() :
+                        rule.getExpansion()[0]
+                ) +
+                ')';
+      } else {
+        return "";
+      }
     }
+
   }
 
+  public static Map<Rule, Double> parseRules(String... parseTreeString) {
+    Map<Rule, Double> rules = new HashMap<>();
+    parseRules(rules, false, parseTreeString);
+    return rules;
+  }
+
+  public static void parseRules(Map<Rule, Double> rules, boolean trim, String... parseStrings) {
+    parseGrammar(rules, "S", trim, parseStrings);
+  }
+
+  public static ProbabilisticContextFreeGrammar parseGrammar(boolean trim, String... parseTreeStrings) {
+    return parseGrammar(new HashMap<Rule, Double>(), "S", trim, parseTreeStrings);
+  }
+
+  public static ProbabilisticContextFreeGrammar parseGrammar(String... parseTreeStrings) {
+    return parseGrammar(new HashMap<Rule, Double>(), "S", true, parseTreeStrings);
+  }
+
+  public static ProbabilisticContextFreeGrammar parseGrammar(Map<Rule, Double> rulesMap, String startSymbol, boolean trim, String... parseStrings) {
+
+    Map<Rule, Double> rules = new HashMap<>();
+
+    Collection<String> nonTerminals = new HashSet<>();
+    Collection<String> terminals = new HashSet<>();
+
+    for (String parseTreeString : parseStrings) {
+
+      if (trim) {
+        parseTreeString = parseTreeString.replaceAll("\n", "").replaceAll("\t", "").replaceAll("\\s+", " ");
+      }
+
+      String toConsume = String.valueOf(parseTreeString);
+
+      Matcher m = terminalPattern.matcher(parseTreeString);
+      while (m.find()) {
+        String nt = m.group(1);
+        String t = m.group(2);
+        Rule key = new Rule(nt, t);
+        if (!rules.containsKey(key)) {
+          rules.put(key, 1d);
+          terminals.add(t);
+//          System.err.println(key);
+        }
+        toConsume = toConsume.replace(m.group(), nt);
+      }
+
+      while (toConsume.contains(" ") && !toConsume.trim().equals("( " + startSymbol + " )")) {
+        Matcher m2 = nonTerminalPattern.matcher(toConsume);
+        while (m2.find()) {
+          String nt = m2.group(1);
+          String t1 = m2.group(2);
+          String t2 = m2.group(3);
+
+          Rule key;
+          if (t2 != null) {
+            String[] t2s = t2.trim().split(" ");
+            String[] nts = new String[t2s.length + 1];
+            nts[0] = t1;
+            System.arraycopy(t2s, 0, nts, 1, t2s.length);
+            key = new Rule(nt, nts);
+            nonTerminals.addAll(Arrays.asList(nts));
+          } else {
+            key = new Rule(nt, t1);
+            nonTerminals.add(t1);
+          }
+          nonTerminals.add(key.getEntry());
+
+          if (!rules.containsKey(key)) {
+            rules.put(key, 1d);
+//            startSymbol = key.getEntry();
+//            System.err.println(key);
+          }
+          toConsume = toConsume.replace(m2.group(), nt);
+        }
+      }
+    }
+
+    // TODO : check/adjust rules to make them respect CNF
+    // TODO : adjust probabilities based on term frequencies
+    for (Map.Entry<Rule, Double> entry : rules.entrySet()) {
+      normalize(entry.getKey(), nonTerminals, terminals, rulesMap);
+    }
+
+    return new ProbabilisticContextFreeGrammar(nonTerminals, terminals, rulesMap, startSymbol, true);
+  }
+
+  private static void normalize(Rule rule, Collection<String> nonTerminals, Collection<String> terminals, Map<Rule, Double> rulesMap) {
+    String[] expansion = rule.getExpansion();
+    if (expansion.length == 1) {
+      if (!terminals.contains(expansion[0])) {
+        if (nonTerminals.contains(expansion[0])) {
+          // nt1 -> nt2 should be expanded in nt1 -> nt2,E
+          rulesMap.put(new Rule(rule.getEntry(), expansion[0], emptyRule.getEntry()), 1d);
+          if (rulesMap.containsKey(emptyRule)) {
+            rulesMap.put(emptyRule, 1d);
+          }
+        } else {
+          throw new RuntimeException("rule "+rule+" expands to neither a terminal or non terminal");
+        }
+      } else {
+        rulesMap.put(rule, 1d);
+      }
+    } else if (expansion.length > 2){
+      // nt1 -> nt2,nt3,...,ntn should be collapsed to a hierarchy of ntX -> ntY,ntZ rules
+      String nt2 = expansion[0];
+      int seed = nonTerminals.size();
+      String generatedNT = "GEN~" + seed;
+      nonTerminals.add(generatedNT);
+      Rule newRule = new Rule(rule.getEntry(), nt2, generatedNT);
+      rulesMap.put(newRule, 1d);
+      Rule chainedRule = new Rule(generatedNT, Arrays.copyOfRange(expansion, 1, expansion.length - 1));
+      rulesMap.put(chainedRule, 1d);
+      normalize(chainedRule, nonTerminals, terminals, rulesMap);
+    } else {
+      rulesMap.put(rule, 1d);
+    }
+  }
 }
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/an/adj.txt b/nlp-utils/src/main/resources/opennlp/cfg/an/adj.txt
new file mode 100644
index 0000000..357df9f
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/an/adj.txt
@@ -0,0 +1,157 @@
+24/7
+24/365
+accurate
+adaptive
+alternative
+an expanded array of
+B2B
+B2C
+backend
+backward-compatible
+best-of-breed
+bleeding-edge
+bricks-and-clicks
+business
+clicks-and-mortar
+client-based
+client-centered
+client-centric
+client-focused
+collaborative
+compelling
+competitive
+cooperative
+corporate
+cost effective
+covalent
+cross functional
+cross-media
+cross-platform
+cross-unit
+customer directed
+customized
+cutting-edge
+distinctive
+distributed
+diverse
+dynamic
+e-business
+economically sound
+effective
+efficient
+elastic
+emerging
+empowered
+enabled
+end-to-end
+enterprise
+enterprise-wide
+equity invested
+error-free
+ethical
+excellent
+exceptional
+extensible
+extensive
+flexible
+focused
+frictionless
+front-end
+fully researched
+fully tested
+functional
+functionalized
+fungible
+future-proof
+global
+go forward
+goal-oriented
+granular
+high standards in
+high-payoff
+hyperscale
+high-quality
+highly efficient
+holistic
+impactful
+inexpensive
+innovative
+installed base
+integrated
+interactive
+interdependent
+intermandated
+interoperable
+intuitive
+just in time
+leading-edge
+leveraged
+long-term high-impact
+low-risk high-yield
+magnetic
+maintainable
+market positioning
+market-driven
+mission-critical
+multidisciplinary
+multifunctional
+multimedia based
+next-generation
+on-demand
+one-to-one
+open-source
+optimal
+orthogonal
+out-of-the-box
+pandemic
+parallel
+performance based
+plug-and-play
+premier
+premium
+principle-centered
+proactive
+process-centric
+professional
+progressive
+prospective
+quality
+real-time
+reliable
+resource sucking
+resource maximizing
+resource-leveling
+revolutionary
+robust
+scalable
+seamless
+stand-alone
+standardized
+standards compliant
+state of the art
+sticky
+strategic
+superior
+sustainable
+synergistic
+tactical
+team building
+team driven
+technically sound
+timely
+top-line
+transparent
+turnkey
+ubiquitous
+unique
+user-centric
+user friendly
+value-added
+vertical
+viral
+virtual
+visionary
+web-enabled
+wireless
+world-class
+worldwide
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/an/adv.txt b/nlp-utils/src/main/resources/opennlp/cfg/an/adv.txt
new file mode 100644
index 0000000..236187a
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/an/adv.txt
@@ -0,0 +1,34 @@
+appropriately
+assertively
+authoritatively
+collaboratively
+compellingly
+competently
+completely
+continually
+conveniently
+credibly
+distinctively
+dramatically
+dynamically
+efficiently
+energistically
+enthusiastically
+fungibly
+globally
+holisticly
+interactively
+intrinsically
+monotonectally
+objectively
+phosfluorescently
+proactively
+professionally
+progressively
+quickly
+rapidiously
+seamlessly
+synergistically
+uniquely"
+
+
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/an/noun.txt b/nlp-utils/src/main/resources/opennlp/cfg/an/noun.txt
new file mode 100644
index 0000000..30200b3
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/an/noun.txt
@@ -0,0 +1,89 @@
+action items
+alignments
+applications
+architectures
+bandwidth
+benefits
+best practices
+catalysts for change
+channels
+clouds
+collaboration and idea-sharing
+communities
+content
+convergence
+core competencies
+customer service
+data
+deliverables
+e-business
+e-commerce
+e-markets
+e-tailers
+e-services
+experiences
+expertise
+functionalities
+fungibility
+growth strategies
+human capital
+ideas
+imperatives
+infomediaries
+information
+infrastructures
+initiatives
+innovation
+intellectual capital
+interfaces
+internal or \"organic\" sources
+leadership
+leadership skills
+manufactured products
+markets
+materials
+meta-services
+methodologies
+methods of empowerment
+metrics
+mindshare
+models
+networks
+niches
+niche markets
+nosql
+opportunities
+\"outside the box\" thinking
+outsourcing
+paradigms
+partnerships
+platforms
+portals
+potentialities
+rocess improvements
+processes
+products
+quality vectors
+relationships
+resources
+results
+ROI
+scenarios
+schemas
+services
+solutions
+sources
+strategic theme areas
+storage
+supply chains
+synergy
+systems
+technologies
+technology
+testing procedures
+total linkage
+users
+value
+vortals
+web-readiness
+web services
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/an/verb.txt b/nlp-utils/src/main/resources/opennlp/cfg/an/verb.txt
new file mode 100644
index 0000000..3d430c1
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/an/verb.txt
@@ -0,0 +1,97 @@
+actualize
+administrate
+aggregate
+architect
+benchmark
+brand
+build
+cloudify
+communicate
+conceptualize
+coordinate
+create
+cultivate
+customize
+deliver
+deploy
+develop
+dinintermediate disseminate
+drive
+embrace
+e-enable
+empower
+enable
+engage
+engineer
+enhance
+envisioneer
+evisculate
+evolve
+expedite
+exploit
+extend
+fabricate
+facilitate
+fashion
+formulate
+foster
+generate
+grow
+harness
+impact
+implement
+incentivize
+incubate
+initiate
+innovate
+integrate
+iterate
+leverage existing
+leverage other's
+maintain
+matrix
+maximize
+mesh
+monetize
+morph
+myocardinate
+negotiate
+network
+optimize
+orchestrate
+parallel task
+plagiarize
+pontificate
+predominate
+procrastinate
+productivate
+productize
+promote
+provide access to
+pursue
+recaptiualize
+reconceptualize
+redefine
+re-engineer
+reintermediate
+reinvent
+repurpose
+restore
+revolutionize
+scale
+seize
+simplify
+strategize
+streamline
+supply
+syndicate
+synergize
+synthesize
+target
+transform
+transition
+underwhelm
+unleash
+utilize
+visualize
+whiteboard
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/wn/adj.txt b/nlp-utils/src/main/resources/opennlp/cfg/wn/adj.txt
new file mode 100644
index 0000000..c687d38
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/wn/adj.txt
@@ -0,0 +1,18156 @@
+able
+unable
+abaxial
+adaxial
+acroscopic
+basiscopic
+abducent
+adducent
+nascent
+emergent
+dissilient
+parturient
+dying
+moribund
+last
+abridged
+cut
+half-length
+potted
+unabridged
+full-length
+absolute
+direct
+implicit
+infinite
+living
+relative
+relational
+absorbent
+absorbefacient
+assimilating
+hygroscopic
+receptive
+shock-absorbent
+spongy
+thirsty
+nonabsorbent
+repellent
+adsorbent
+chemisorptive
+nonadsorbent
+absorbable
+adsorbable
+abstemious
+abstinent
+ascetic
+gluttonous
+crapulous
+crapulent
+edacious
+greedy
+hoggish
+overgreedy
+abstract
+conceptional
+conceptual
+ideal
+ideological
+concrete
+objective
+real
+abundant
+abounding
+ample
+copious
+easy
+exuberant
+thick
+long
+overabundant
+plentiful
+rampant
+rank
+superabundant
+teeming
+torrential
+verdant
+scarce
+rare
+tight
+abused
+battered
+unabused
+acceptable
+bankable
+unexceptionable
+unobjectionable
+unacceptable
+exceptionable
+accessible
+approachable
+come-at-able
+handy
+inaccessible
+outback
+pathless
+unapproachable
+un-come-at-able
+accommodating
+complaisant
+unaccommodating
+disobliging
+accurate
+close
+dead-on
+high-fidelity
+surgical
+straight
+true
+veracious
+inaccurate
+away
+faulty
+unfaithful
+wide
+accustomed
+used to
+unaccustomed
+new
+unused
+acidic
+acid
+acid-forming
+alkaline
+alkalescent
+basic
+base-forming
+saltlike
+amphoteric
+acid-loving
+acidophilic
+alkaline-loving
+acknowledged
+accepted
+self-confessed
+assumptive
+declarable
+given
+putative
+unacknowledged
+unappreciated
+unavowed
+unconfessed
+unrecognized
+acquisitive
+accumulative
+avaricious
+possessive
+plundering
+predaceous
+rapacious
+sordid
+unacquisitive
+acropetal
+basipetal
+active
+about
+acrobatic
+agile
+hot
+hyperactive
+on the go
+sporty
+inactive
+desk-bound
+abeyant
+hypoactive
+inert
+sedentary
+active
+activated
+inactive
+off
+retired
+active
+brisk
+bustling
+busy
+going
+open
+springy
+inactive
+dark
+dead
+dull
+idle
+strikebound
+active
+progressive
+inactive
+dead-end
+flat
+indolent
+latent
+quiescent
+active
+activist
+hands-on
+proactive
+passive
+hands-off
+resistless
+active
+eruptive
+dormant
+quiescent
+extinct
+dead
+active
+alive
+active
+stative
+active
+passive
+active
+activated
+counteractive
+surface-active
+inactive
+quiescent
+active
+quiet
+actual
+effective
+potential
+latent
+acute
+subacute
+chronic
+degenerative
+virulent
+highly infective
+deadly
+avirulent
+adaptive
+accommodative
+adaptational
+adjustive
+maladaptive
+dysfunctional
+maladjustive
+addicted
+alcoholic
+dependent
+unaddicted
+clean
+addictive
+nonaddictive
+additive
+accumulative
+addable
+extra
+complemental
+incremental
+intercalary
+summational
+supplementary
+subtractive
+ablative
+reductive
+addressed
+self-addressed
+unaddressed
+adequate
+adequate to
+competent
+inadequate
+deficient
+incapable
+short-handed
+adhesive
+adherent
+agglutinate
+bondable
+coherent
+cohesive
+gluey
+gooey
+gum-like
+gummed
+pitchy
+self-sealing
+stick-on
+sticky
+nonadhesive
+nonglutinous
+nonresinous
+ungummed
+adjective
+substantive
+adoptable
+unadoptable
+adorned
+beady
+bedaubed
+bespectacled
+brocaded
+buttony
+carbuncled
+champleve
+clinquant
+crested
+crested
+crested
+crocketed
+feathery
+frilled
+fringed
+gilt-edged
+inflamed
+inlaid
+inwrought
+tessellated
+mounted
+paneled
+studded
+tapestried
+tasseled
+tricked-out
+tufted
+unadorned
+plain
+untufted
+cholinergic
+anticholinergic
+adroit
+clean
+clever
+coordinated
+deft
+handy
+light-fingered
+quick-witted
+maladroit
+bumbling
+inept
+uncoordinated
+unmechanical
+advantageous
+beneficial
+plus
+discriminatory
+disadvantageous
+minus
+adventurous
+audacious
+sporting
+swaggering
+unadventurous
+safe
+advisable
+better
+well
+inadvisable
+well-advised
+considered
+ill-advised
+aerobic
+aerobiotic
+oxidative
+anaerobic
+aerobic
+anaerobic
+aesthetic
+artistic
+cosmetic
+painterly
+sensuous
+inaesthetic
+inartistic
+affected
+impressed
+smitten
+stage-struck
+subject
+taken
+wonder-struck
+unaffected
+immune
+superior
+unimpressed
+uninfluenced
+affected
+agonistic
+artificial
+constrained
+elocutionary
+mannered
+plummy
+unaffected
+lifelike
+unmannered
+unselfconscious
+unstilted
+affirmative
+assentient
+negative
+dissentient
+acceptive
+accepting
+rejective
+dismissive
+repudiative
+afloat
+adrift
+floating
+waterborne
+aground
+afraid
+acrophobic
+afeard
+aghast
+agoraphobic
+alarmed
+algophobic
+apprehensive
+hangdog
+claustrophobic
+fearful
+frightened
+horrified
+hunted
+hydrophobic
+mysophobic
+panicky
+numb
+shitless
+terror-stricken
+triskaidekaphobic
+unnerved
+white-lipped
+xenophobic
+unafraid
+unapprehensive
+unblinking
+unfrightened
+aggressive
+battleful
+competitive
+hard-hitting
+hostile
+in-your-face
+obstreperous
+predatory
+pugnacious
+scrappy
+truculent
+unaggressive
+low-pressure
+agitated
+aroused
+distraught
+jolted
+feverish
+frantic
+hysterical
+psychedelic
+wild-eyed
+unagitated
+agitated
+churning
+churning
+jolted
+rippled
+seething
+stirred
+unagitated
+nonturbulent
+unstirred
+agreeable
+disagreeable
+annoying
+harsh
+nerve-racking
+unsweet
+air-to-surface
+air-to-air
+surface-to-air
+alert
+argus-eyed
+fly
+heads-up
+lidless
+unalert
+algorithmic
+recursive
+heuristic
+trial-and-error
+alienable
+appropriable
+assignable
+inalienable
+absolute
+non-negotiable
+nontransferable
+alive
+liveborn
+viable
+vital
+dead
+asleep
+assassinated
+bloodless
+brain dead
+breathless
+cold
+d.o.a.
+deathlike
+defunct
+doomed
+executed
+fallen
+late
+lifeless
+murdered
+nonviable
+slain
+stillborn
+stone-dead
+apocrine
+eccrine
+artesian
+subartesian
+live
+in play
+living
+dead
+extinct
+lifeless
+out of play
+alphabetic
+abecedarian
+alphabetized
+analphabetic
+altricial
+precocial
+altruistic
+egoistic
+self-absorbed
+ambiguous
+double-barreled
+double-edged
+enigmatic
+left-handed
+multivalent
+polysemous
+uncertain
+unambiguous
+monosemous
+ambitious
+pushful
+aspirant
+compulsive
+manque
+overambitious
+unambitious
+shiftless
+ametropic
+emmetropic
+ample
+full
+generous
+wide
+meager
+bare
+exiguous
+hand-to-mouth
+hardscrabble
+measly
+anabolic
+constructive-metabolic
+catabolic
+destructive-metabolic
+anaclinal
+cataclinal
+anastigmatic
+astigmatic
+anticlinal
+synclinal
+anadromous
+catadromous
+diadromous
+anabatic
+katabatic
+anal
+oral
+analogue
+digital
+analytic
+synthetic
+analytic
+isolating
+synthetic
+agglutinative
+analytic
+synthetic
+inflectional
+derivational
+apocarpous
+syncarpous
+angry
+aggravated
+angered
+black
+choleric
+hot under the collar
+huffy
+indignant
+irate
+livid
+smoldering
+wrathful
+unangry
+resentful
+acrimonious
+rancorous
+unresentful
+unbitter
+sentient
+sensate
+insentient
+unfeeling
+animate
+inanimate
+nonconscious
+animated
+enlivened
+full of life
+reanimated
+unanimated
+lifeless
+wan
+enlivened
+perked up
+unenlivened
+animate
+inanimate
+anonymous
+nameless
+onymous
+binomial
+pseudonymous
+antemortem
+postmortem
+antecedent
+anterior
+anticipatory
+preexistent
+subsequent
+attendant
+later
+antrorse
+retrorse
+decurved
+aquatic
+marine
+semiaquatic
+subaqueous
+terrestrial
+onshore
+overland
+amphibious
+amphibiotic
+preceding
+above
+above-mentioned
+foregoing
+introductory
+precedent
+premedical
+preparatory
+previous
+succeeding
+back-to-back
+ensuing
+following
+following
+in line
+postmortem
+precedented
+unprecedented
+new
+prehensile
+nonprehensile
+prenatal
+perinatal
+postnatal
+preprandial
+postprandial
+prewar
+postwar
+retrograde
+anterograde
+antemeridian
+ante meridiem
+postmeridian
+post meridiem
+anterior
+frontal
+frontal
+prefrontal
+posterior
+back
+caudal
+retral
+dorsal
+ventral
+dorsoventral
+appealable
+unappealable
+appendaged
+unappendaged
+appetizing
+mouth-watering
+unappetizing
+approachable
+accessible
+unapproachable
+offish
+appropriate
+befitting
+grade-appropriate
+pat
+proper
+inappropriate
+unbefitting
+improper
+due
+callable
+collect
+collectible
+delinquent
+receivable
+out-of-pocket
+repayable
+undue
+due
+undue
+apropos
+apposite
+malapropos
+inapposite
+a priori
+a posteriori
+apteral
+amphiprostylar
+prostyle
+peripteral
+monopteral
+peristylar
+arbitrable
+nonarbitrable
+columned
+amphistylar
+columnar
+columniform
+colonnaded
+pillared
+noncolumned
+astylar
+unpillared
+arboreal
+nonarboreal
+arenaceous
+argillaceous
+armed
+equipped
+light-armed
+militarized
+unarmed
+barehanded
+clean
+defenseless
+weaponless
+armored
+armor-clad
+bony-plated
+bulletproof
+lightly armored
+mail-cheeked
+mail-clad
+scaled
+unarmored
+armed
+barbed
+bristlelike
+brushlike
+thistlelike
+clawed
+unarmed
+thornless
+armed
+armlike
+brachiate
+long-armed
+one-armed
+armless
+armored
+bone-covered
+scaly
+silver-scaled
+unarmored
+scaleless
+artful
+crafty
+cute
+designing
+deep
+elusive
+manipulative
+pawky
+artless
+careless
+articulate
+eloquent
+speech-endowed
+well-spoken
+inarticulate
+aphasic
+aphonic
+dumb
+dumb
+incoherent
+mute
+speechless
+unarticulated
+speaking
+tongued
+nonspeaking
+articulated
+jointed
+unarticulated
+unjointed
+ashamed
+discredited
+embarrassed
+guilty
+shamefaced
+unashamed
+audacious
+shameless
+unabashed
+assertive
+cocky
+emphatic
+unassertive
+nonassertive
+reticent
+associative
+associable
+nonassociative
+attached
+bespoken
+intended
+involved
+unattached
+unengaged
+affixed
+appendant
+basifixed
+glued
+mounted
+unaffixed
+sessile
+pedunculate
+sessile
+vagile
+free-swimming
+attached
+detached
+freestanding
+semidetached
+stuck
+cragfast
+unstuck
+attachable
+bindable
+clip-on
+tie-on
+detachable
+clastic
+wary
+on guard
+shy
+unwary
+gullible
+unguarded
+attentive
+captive
+advertent
+observant
+oversolicitous
+solicitous
+inattentive
+absent
+distracted
+dreamy
+drowsy
+forgetful
+attractive
+bewitching
+charismatic
+cunning
+dinky
+engaging
+fetching
+glossy
+hypnotic
+irresistible
+personable
+photogenic
+prepossessing
+winsome
+unattractive
+homely
+subfusc
+unprepossessing
+attractive
+repulsive
+appealing
+attention-getting
+attractive
+unappealing
+off-putting
+unattractive
+attributable
+ascribable
+credited
+traceable
+unattributable
+attributive
+attributive genitive
+predicative
+pregnant
+big
+nonpregnant
+audible
+clunky
+sonic
+sounding
+inaudible
+breathed
+infrasonic
+silent
+silent
+supersonic
+unheard
+sonic
+subsonic
+supersonic
+auspicious
+bright
+fortunate
+inauspicious
+unpromising
+propitious
+golden
+gracious
+unpropitious
+ill
+thunderous
+authorized
+accredited
+approved
+canonized
+empowered
+unauthorized
+self-appointed
+unaccredited
+constitutional
+unconstitutional
+autochthonous
+allochthonous
+autoecious
+heteroecious
+autogenous
+self-generated
+self-induced
+heterogenous
+automatic
+autoloading
+automated
+self-acting
+self-locking
+self-winding
+semiautomatic
+smart
+manual
+hand-operated
+available
+accessible
+acquirable
+addressable
+easy
+forthcoming
+gettable
+in stock
+lendable
+visible
+on hand
+on tap
+on tap
+open
+purchasable
+ready
+unavailable
+inaccessible
+out of stock
+awake
+astir
+awakened
+insomniac
+unsleeping
+waking
+asleep
+at rest
+dormant
+drowsy
+fast asleep
+hypnoid
+sleepy
+slumberous
+unawakened
+astringent
+styptic
+nonastringent
+aware
+alert
+conscious
+sensible
+unaware
+oblivious
+unconscious
+unsuspecting
+witting
+unwitting
+alarming
+appalling
+atrocious
+awful
+baleful
+bloodcurdling
+chilling
+creepy
+formidable
+ghastly
+hairy
+petrifying
+stupefying
+terrific
+unalarming
+anemophilous
+entomophilous
+reassuring
+assuasive
+assuring
+comforting
+unreassuring
+back
+backmost
+rear
+front
+advance
+foremost
+frontal
+leading
+directing
+guiding
+following
+pursuing
+backed
+hardbacked
+high-backed
+low-backed
+razorback
+spiny-backed
+stiff-backed
+straight-backed
+backless
+low-cut
+backward
+backswept
+cacuminal
+converse
+inverse
+rearward
+receding
+reflexive
+regardant(ip)
+retracted
+retral
+retroflex
+returning
+forward
+guardant(ip)
+headfirst
+forward
+reverse
+backward
+bashful
+forward
+brash
+bumptious
+overfamiliar
+fresh
+assumptive
+balconied
+unbalconied
+barreled
+unbarreled
+beaked
+beaklike
+billed
+duckbill
+rostrate
+short-beaked
+stout-billed
+straight-billed
+thick-billed
+beakless
+bedded
+double-bedded
+single-bedded
+twin-bedded
+bedless
+beneficed
+unbeneficed
+stratified
+foliate
+laminar
+layered
+sheetlike
+unstratified
+ferned
+braky
+fernlike
+fernless
+grassy
+grass-covered
+grasslike
+rushlike
+sedgy
+grassless
+gusseted
+ungusseted
+hairless
+bald
+balding
+beardless
+depilatory
+depilous
+glabrescent
+glabrous
+naked-muzzled
+naked-tailed
+nonhairy
+tonsured
+hairy
+canescent
+coarse-haired
+comate
+curly-haired
+dark-haired
+downy
+floccose
+furlike
+furred
+fuzzed
+glossy-haired
+hispid
+lanate
+long-haired
+pappose
+pilous
+rough-haired
+shock-headed
+short-haired
+silky-haired
+silver-haired
+smooth-haired
+snake-haired
+soft-haired
+stiff-haired
+thick-haired
+tomentose
+velvety-furred
+wire-haired
+wiry
+wooly
+awned
+bearded
+awnless
+bearing
+load-bearing
+nonbearing
+beautiful
+beauteous
+bonny
+dishy
+exquisite
+fine-looking
+glorious
+gorgeous
+lovely
+picturesque
+pretty
+pretty-pretty
+pulchritudinous
+ravishing
+scenic
+stunning
+ugly
+disfigured
+evil-looking
+fugly
+grotesque
+hideous
+ill-favored
+scrofulous
+unlovely
+unsightly
+bellied
+big-bellied
+bellyless
+banded
+unbanded
+belted
+banded
+belt-fed
+beltlike
+unbelted
+beneficent
+benefic
+maleficent
+baleful
+malefic
+malicious
+despiteful
+leering
+malevolent
+beady-eyed
+bitchy
+poisonous
+venomed
+vixenish
+unmalicious
+benign
+kindly
+malign
+cancerous
+best
+champion
+high-grade
+first
+go-to-meeting
+optimum
+primo
+record-breaking
+second-best
+superfine
+unexcelled
+unsurpassable
+worst
+bottom
+last
+pessimal
+better
+amended
+finer
+improved
+worse
+worsened
+better
+fitter
+worse
+bettering
+ameliorating
+amendatory
+corrective
+remedial
+worsening
+bicameral
+unicameral
+bidirectional
+biface
+duplex
+two-way
+unidirectional
+one-way
+simplex
+unifacial
+faced
+baby-faced
+bald-faced
+featured
+Janus-faced
+long-faced
+moon-faced
+pale-faced
+pug-faced
+sad-faced
+sweet-faced
+visaged
+faceless
+anonymous
+bibbed
+bibless
+unilateral
+one-party
+multilateral
+bilateral
+deep-lobed
+two-lobed
+bipartite
+joint
+multipartite
+quadrilateral
+five-sided
+six-sided
+seven-sided
+eight-sided
+nine-sided
+ten-sided
+eleven-sided
+twelve-sided
+quadripartite
+tetramerous
+three-cornered
+three-lobed
+four-lobed
+five-lobed
+many-lobed
+palmately-lobed
+trilateral
+tripartite
+bimodal
+unimodal
+binaural
+two-eared
+stereophonic
+monaural
+one-eared
+mono
+binucleate
+mononuclear
+trinucleate
+bipedal
+quadrupedal
+black
+African-American
+colored
+negro
+negroid
+white
+Caucasian
+light-skinned
+blond
+ash-blonde
+fair
+flaxen
+nordic
+redheaded
+brunet
+adust
+bronzed
+brown
+dark
+dark-haired
+dark-skinned
+grizzled
+nutbrown
+blemished
+acned
+blebbed
+blotchy
+flyblown
+marred
+pocked
+unblemished
+stainless
+bloody
+blood-filled
+bloodstained
+bloodsucking
+bloodthirsty
+crimson
+homicidal
+gory
+internecine
+bloodless
+nonviolent
+bold
+audacious
+daredevil
+emboldened
+foolhardy
+heroic
+nervy
+overreaching
+overvaliant
+timid
+bashful
+coy
+fearful
+intimidated
+mousy
+bound
+chained
+fettered
+furled
+pinioned
+tethered
+trussed
+wired
+unbound
+unchained
+untethered
+laced
+unlaced
+tied
+knotted
+untied
+tangled
+afoul(ip)
+enmeshed
+entangled
+knotty
+matted
+rootbound
+thrown
+untangled
+disentangled
+bound
+brassbound
+cased
+half-bound
+paperback
+well-bound
+unbound
+looseleaf
+bordered
+boxed
+deckled
+edged
+fringed
+lined
+sawtoothed-edged
+seagirt
+spiny-edged
+white-edged
+unbordered
+lotic
+lentic
+lower-class
+non-U
+proletarian
+propertyless
+upper-lower-class
+middle-class
+bourgeois
+bourgeois
+lower-middle-class
+upper-middle-class
+upper-class
+quality
+propertied
+u
+tweedy
+wellborn
+brachycephalic
+broad-headed
+bullet-headed
+dolichocephalic
+long-headed
+brave
+desperate
+gallant
+game
+lionhearted
+stalwart
+undaunted
+valiant
+cowardly
+caitiff
+chicken
+craven
+dastard
+faint
+funky
+poltroon
+pusillanimous
+gutsy
+gutless
+breast-fed
+nursed
+bottle-fed
+breathing
+sweet-breathed
+breathless
+asphyxiating
+smothering
+blown
+crystalline
+crystallized
+microcrystalline
+polycrystalline
+noncrystalline
+amorphous
+landed
+landless
+light
+ablaze
+autofluorescent
+bioluminescent
+bright
+candescent
+floodlit
+fluorescent
+illuminated
+incandescent
+lamplit
+lighting-up
+livid
+luminescent
+phosphorescent
+sunlit
+white
+dark
+Acheronian
+aphotic
+black
+caliginous
+Cimmerian
+crepuscular
+darkened
+darkening
+darkling
+darkling
+dim
+dusky
+glooming
+lightless
+semidark
+tenebrous
+shaded
+murky
+shady
+unshaded
+unshadowed
+shaded
+hatched
+unshaded
+moonlit
+moonless
+bridgeable
+unbridgeable
+bright
+agleam
+aglow
+aglitter
+beady
+beaming
+blazing
+bright as a new penny
+brilliant
+ardent
+glimmery
+glistening
+iridescent
+lurid
+noctilucent
+satiny
+self-luminous
+shimmery
+silver
+twinkling
+dull
+flat
+lackluster
+soft
+dimmed
+low-beam
+undimmed
+prejudiced
+homophobic
+jaundiced
+loaded
+racist
+sexist
+unprejudiced
+color-blind
+broad-minded
+broad
+catholic
+free-thinking
+open-minded
+narrow-minded
+close-minded
+dogmatic
+illiberal
+opinionated
+petty
+reconstructed
+unreconstructed
+broken
+unbroken
+broken
+unbroken
+broken
+broken-field
+dashed
+fitful
+halting
+unbroken
+solid
+uninterrupted
+brotherly
+sisterly
+exergonic
+endergonic
+fraternal
+identical
+buried
+belowground
+unburied
+busy
+at work
+drudging
+engaged
+overbusy
+tied up
+up to
+idle
+bone-idle
+faineant
+lackadaisical
+leisured
+unengaged
+bony
+bone
+boned
+bonelike
+strong-boned
+boneless
+boned
+buttoned
+botonee
+button-down
+unbuttoned
+open-collared
+capitalistic
+bourgeois
+competitive
+individualistic
+socialistic
+collective
+collectivist
+cacophonous
+cackly
+croaky
+grating
+gruff
+jangling
+jarring
+raucous
+rending
+euphonious
+golden
+silvern
+calculable
+computable
+countable
+incalculable
+countless
+incomputable
+indeterminable
+calm
+placid
+settled
+windless
+stormy
+angry
+billowy
+blustering
+boisterous
+blowy
+choppy
+dirty
+gusty
+squally
+thundery
+camphorated
+uncamphorated
+capable
+able
+confident
+resourceful
+incapable
+unable
+capable
+incapable
+cared-for
+attended
+uncared-for
+neglected
+untended
+careful
+blow-by-blow
+certain
+close
+conscientious
+detailed
+minute
+overcareful
+particular
+protective
+studious
+thorough
+careless
+casual
+haphazard
+heedless
+incautious
+offhand
+carnivorous
+flesh-eating
+piscivorous
+predacious
+herbivorous
+anthophagous
+baccivorous
+carpophagous
+grass-eating
+plant-eating
+saprophagous
+saprophytic
+omnivorous
+all-devouring
+insectivorous
+apivorous
+myrmecophagous
+holozoic
+holophytic
+carpellate
+acarpelous
+carpeted
+uncarpeted
+carvel-built
+flush-seamed
+clinker-built
+carved
+engraved
+graven
+lapidarian
+sliced
+uncarved
+acatalectic
+catalectic
+hypercatalectic
+cauline
+radical
+censored
+expurgated
+uncensored
+unexpurgated
+caudate
+bobtail
+caudal
+tailed
+scaly-tailed
+scissor-tailed
+short-tailed
+square-tailed
+stiff-tailed
+swallow-tailed
+tail-shaped
+acaudate
+anurous
+caulescent
+cylindrical-stemmed
+leafy-stemmed
+multi-stemmed
+short-stemmed
+spiny-stemmed
+stout-stemmed
+thick-stemmed
+weak-stemmed
+wiry-stemmed
+woolly-stemmed
+woody-stemmed
+acaulescent
+causative
+abortifacient
+activating
+anorectic
+causal
+conducive
+errhine
+fast
+inductive
+motivative
+motive
+precipitating
+responsible
+sternutatory
+noncausative
+cautious
+cagey
+fabian
+gingerly
+guarded
+overcautious
+incautious
+hotheaded
+cellular
+cancellate
+alveolate
+cell-like
+lymphoblast-like
+multicellular
+noncellular
+cell-free
+single-celled
+coherent
+incoherent
+compartmented
+compartmental
+uncompartmented
+porous
+porose
+nonporous
+central
+amidship
+bicentric
+bifocal
+center
+centered
+centric
+focal
+median
+middlemost
+nuclear
+peripheral
+circumferential
+fringy
+encircling
+off-base
+centrifugal
+outward-developing
+outward-moving
+centripetal
+inward-developing
+inward-moving
+afferent
+centripetal
+corticoafferent
+efferent
+centrifugal
+corticoefferent
+neuromotor
+centralizing
+centripetal
+consolidative
+decentralizing
+centrifugal
+certain
+definite
+indisputable
+sure as shooting
+uncertain
+indefinite
+up in the air
+certain
+convinced
+uncertain
+ambivalent
+doubtful
+groping
+convinced
+unconvinced
+dubious
+confident
+assured
+cocksure
+reassured
+self-assured
+diffident
+certain
+bound
+doomed
+foreordained
+in for
+uncertain
+chancy
+contingent
+up in the air
+certified
+certifiable
+certificated
+credentialled
+uncertified
+inevitable
+fatal
+ineluctable
+necessary
+evitable
+preventable
+unpreventable
+changeable
+adjustable
+astatic
+checkered
+distortable
+erratic
+fluid
+fluid
+jittering
+kaleidoscopic
+mobile
+open-ended
+quick-change
+quick-drying
+reversible
+volatile
+unchangeable
+changeless
+confirmed
+fixed
+set in stone
+static
+commutable
+alterable
+convertible
+incommutable
+inconvertible
+unalterable
+alterable
+unalterable
+incurable
+final
+modifiable
+unmodifiable
+adjusted
+focused
+weighted
+unadjusted
+maladjusted
+adjusted
+well-adjusted
+maladjusted
+unadapted
+altered
+adjusted
+changed
+emended
+paraphrastic
+revised
+unaltered
+dateless
+in-situ
+unedited
+unreduced
+unrevised
+amended
+revised
+unamended
+changed
+denatured
+exchanged
+transformed
+varied
+unchanged
+idempotent
+same
+isometric
+isotonic
+ionized
+nonionized
+mutable
+immutable
+characteristic
+diagnostic
+distinctive
+peculiar
+uncharacteristic
+charged
+hot
+negative
+positive
+polar
+uncharged
+neutral
+dead
+charitable
+beneficent
+uncharitable
+chartered
+unchartered
+owned
+closely-held
+unowned
+chaste
+celibate
+pure
+unchaste
+cyprian
+easy
+fallen
+licentious
+cheerful
+beaming
+beamish
+blithe
+buoyant
+cheery
+chipper
+depressing
+blue
+somber
+chlamydeous
+achlamydeous
+chondritic
+achondritic
+monoclinic
+triclinic
+monochromatic
+polychromatic
+chromatic
+amber
+amber-green
+amethyst
+auburn
+aureate
+avocado
+azure
+beige
+blackish-brown
+blackish-red
+blae
+blue
+bluish green
+blue-lilac
+blue-purple
+blue-violet
+blushful
+bottle-green
+bright-red
+bronze
+bronze-red
+brown
+brown-green
+brown-purple
+buff
+buff-brown
+canary
+caramel
+carnation
+chartreuse
+chestnut
+chestnut-brown
+coppery
+coral
+coral-red
+creamy
+creamy-yellow
+cress green
+crimson-magenta
+crimson-purple
+crimson-yellow
+dark-blue
+deep-pink
+deep-yellow
+dull-purple
+dun
+earthlike
+fuscous
+golden-yellow
+golden-brown
+golden-green
+grey-blue
+grey-brown
+grey-green
+grey-pink
+green
+greenish-brown
+hazel
+hazel-brown
+honey
+jade
+khaki
+lavender
+lavender-tinged
+light-blue
+lilac-blue
+lilac-pink
+lilac-purple
+magenta
+magenta pink
+maroon
+maroon-purple
+mauve
+mauve-blue
+mauve-pink
+moss green
+mousy
+ocher
+olive-brown
+olive-drab
+olive
+orange
+orange-red
+orange-brown
+peachy
+peacock-blue
+pea-green
+pink
+pink-lavender
+pink-orange
+pink-red
+pink-tinged
+pink-purple
+powder blue
+purple
+purple-blue
+purple-brown
+purple-green
+purple-lilac
+purple-red
+purple-tinged
+red
+red-brown
+red-lavender
+reddish-pink
+red-orange
+red-purple
+red-violet
+rose
+rose-red
+rose-lilac
+rose-mauve
+rose-purple
+rose-tinted
+russet
+rust
+rust-red
+rusty-brown
+sage
+sapphire
+scarlet-crimson
+scarlet-pink
+sea-green
+silver-blue
+silver-green
+snuff
+sorrel
+stone
+straw
+sulfur-yellow
+tan
+tannish
+tangerine
+tawny
+ultramarine
+umber
+vermilion
+vinaceous
+violet-tinged
+white-pink
+wine-red
+yellow
+yellow-beige
+yellow-green
+yellow-orange
+yellow-tinged
+achromatic
+argent
+ash-grey
+blackish
+black-grey
+blue-white
+blue-grey
+blue-black
+brown-black
+brown-grey
+canescent
+chalky
+charcoal
+coal-black
+cottony-white
+dull-white
+ebon
+grey
+grey-black
+grey-white
+greenish-grey
+green-white
+hueless
+ink-black
+iron-grey
+lily-white
+milk-white
+olive-grey
+oxford-grey
+pearl grey
+pearly
+pinkish-white
+purple-black
+purple-white
+red-grey
+sable
+silver-grey
+silver-white
+slate-black
+slate-grey
+snow-white
+soot-black
+violet-black
+white-flowered
+whitish
+yellow-grey
+yellow-white
+black
+white
+albescent
+saturated
+intense
+unsaturated
+dull
+color
+black-and-white
+colored
+crimson
+bay
+bicolor
+black
+blue-flowered
+brightly-colored
+buff-colored
+chestnut-colored
+chocolate-colored
+cinnamon colored
+cinnamon-red
+cream-colored
+dark-colored
+dun-colored
+fawn-colored
+flame-colored
+flesh-colored
+garnet-colored
+ginger
+gold-colored
+honey-colored
+indigo
+lead-colored
+liver-colored
+metal-colored
+monochromatic
+motley
+neutral-colored
+olive-colored
+orange-colored
+orange-flowered
+pale-colored
+pastel-colored
+peach-colored
+polychromatic
+purple-flowered
+red-flowered
+roan
+rose-colored
+rust-colored
+silver-colored
+straw-colored
+tawny-colored
+trichromatic
+violet-colored
+violet-purple
+uncolored
+achromatous
+achromic
+stained
+unstained
+untreated
+colorful
+ablaze
+bright
+changeable
+deep
+fluorescent
+prismatic
+psychedelic
+shrill
+vibrant
+colorless
+ashen
+bleached
+drab
+dulled
+etiolate
+lurid
+pale
+pasty
+prefaded
+waxen
+white
+colorful
+brave
+flashy
+many-sided
+noisy
+picturesque
+colorless
+neutral
+pale
+light
+pale
+palish
+pastel
+powdery
+dark
+darkish
+chromatic
+diatonic
+cismontane
+cisalpine
+tramontane
+transalpine
+christian
+christianly
+christlike
+unchristian
+christless
+unchristianly
+civilized
+advanced
+civil
+humane
+noncivilized
+barbarian
+barbarous
+preliterate
+primitive
+classical
+classical
+neoclassic
+nonclassical
+modern
+popular
+classified
+categorized
+grouped
+unclassified
+uncategorized
+classified
+eyes-only
+confidential
+restricted
+secret
+sensitive
+top-secret
+unclassified
+declassified
+nonsensitive
+analyzed
+unanalyzed
+crude
+clean
+cleanable
+cleanly
+dry-cleaned
+fresh
+immaculate
+pristine
+scrubbed
+unsoiled
+unsullied
+washed
+dirty
+Augean
+bedraggled
+befouled
+begrimed
+black
+buggy
+cobwebby
+dirty-faced
+feculent
+filthy
+flyblown
+greasy
+lousy
+maculate
+mucky
+ratty
+scummy
+smudgy
+snotty
+sooty
+travel-soiled
+uncleanly
+unswept
+unwashed
+clean
+antiseptic
+dirty
+bawdy
+blasphemous
+dirty-minded
+cruddy
+foul-mouthed
+lewd
+scabrous
+scatological
+clean
+dirty
+radioactive
+hot
+nonradioactive
+clean
+halal
+kosher
+unclean
+nonkosher
+untouchable
+clear
+broad
+clear-cut
+limpid
+prima facie
+unmistakable
+vivid
+unclear
+blurred
+confusing
+obscure
+clear
+crystalline
+hyaline
+liquid
+translucent
+unclouded
+unfrosted
+opaque
+cloudy
+fogged
+frosted
+glaucous
+lightproof
+milky
+semiopaque
+solid
+radiolucent
+radiopaque
+clearheaded
+clear
+unclouded
+confused
+addlebrained
+addled
+befogged
+clouded
+dazed
+dazzled
+trancelike
+punch-drunk
+spaced-out
+clement
+lenient
+inclement
+unsparing
+clement
+balmy
+inclement
+smart
+astute
+cagey
+streetwise
+stupid
+anserine
+blockheaded
+cloddish
+dense
+gaumless
+lumpish
+nitwitted
+weak
+yokel-like
+clockwise
+dextrorotary
+counterclockwise
+levorotary
+far
+cold
+distant
+distant
+faraway
+farther
+farthermost
+further
+off the beaten track
+outlying
+near
+adjacent
+nearby
+warm
+hot
+distant
+deep
+extreme
+far-flung
+long-distance
+nonadjacent
+out-of-town
+yonder
+close
+adjacent
+ambient
+appressed
+approximate
+at hand
+at hand
+close-hauled
+close-set
+contiguous
+encompassing
+enveloping
+hand-to-hand
+juxtaposed
+nestled
+proximate
+scalelike
+walk-to
+distant
+faraway
+loosely knit
+removed
+ulterior
+close
+approximate
+boon
+chummy
+close-knit
+confidential
+cozy
+dear
+familiar
+intimate
+cousinly
+uncousinly
+clothed
+appareled
+arrayed
+breeched
+bundled-up
+caparisoned
+cassocked
+coated
+costumed
+cowled
+dighted
+dressed
+gowned
+habited
+heavy-coated
+overdressed
+petticoated
+red-coated
+suited
+surpliced
+togged
+turned out
+tuxedoed
+underdressed
+uniformed
+vestmented
+unclothed
+bare
+bare-assed
+bare-breasted
+bareheaded
+barelegged
+bottomless
+clothesless
+en deshabille
+exposed
+half-clothed
+mother-naked
+off-the-shoulder
+seminude
+starkers
+stripped
+unappareled
+without a stitch
+saddled
+unsaddled
+bareback
+clear
+cloudless
+fair
+serene
+cloudy
+brumous
+fogbound
+cloud-covered
+cloudlike
+dull
+heavy
+miasmal
+smoggy
+coastal
+coastwise
+inshore
+maritime
+seaward
+inland
+interior
+landlocked
+inshore
+offshore
+coherent
+seamless
+incoherent
+confused
+fuzzy
+collapsible
+foldable
+telescopic
+tip-up
+noncollapsible
+nontelescopic
+crannied
+uncrannied
+collective
+agglomerate
+aggregate
+collectivized
+knockdown
+distributive
+allocable
+diffusing
+immanent
+permeant
+separative
+suffusive
+publicized
+advertised
+heralded
+promulgated
+suppressed
+burked
+hushed-up
+quelled
+unreleased
+published
+unpublished
+publishable
+unpublishable
+reported
+according
+notifiable
+reportable
+unreported
+reportable
+unreportable
+combinative
+combinatorial
+combinable
+noncombinative
+noncombining
+combustible
+burnable
+comburent
+flammable
+ignescent
+incendiary
+noncombustible
+fireproof
+fire-retardant
+flameproof
+nonflammable
+explosive
+detonative
+nonexplosive
+lighted
+ablaze
+ignited
+unlighted
+unkindled
+commodious
+roomy
+incommodious
+cramped
+comfortable
+cozy
+easy
+homelike
+soothing
+uncomfortable
+bad
+comfortless
+irritating
+miserable
+uneasy
+warm
+comfortable
+comforted
+uncomfortable
+awkward
+disquieting
+ill-fitting
+self-conscious
+commensurate
+coextensive
+commensurable
+proportionate
+incommensurate
+disproportionate
+incommensurable
+proportionate
+per capita
+proportionable
+proportional
+proportional
+disproportionate
+commercial
+commercialized
+mercantile
+mercantile
+technical
+noncommercial
+blue-sky
+nonprofit
+uncommercial
+uncommercialized
+residential
+nonresidential
+commissioned
+noncommissioned
+common
+average
+democratic
+demotic
+frequent
+general
+grassroots
+standard
+uncommon
+especial
+rare
+red carpet
+unusual
+unwonted
+usual
+accustomed
+chronic
+regular
+unusual
+different
+extraordinary
+odd
+out-of-the-way
+peculiar
+unaccustomed
+unique
+hydrophobic
+hydrophilic
+deliquescent
+oleophilic
+lipophilic
+oleophobic
+common
+communal
+public
+individual
+idiosyncratic
+individualist
+one-on-one
+respective
+singular
+communicative
+anecdotic
+Bantu-speaking
+blabbermouthed
+chatty
+communicable
+communicational
+English-speaking
+expansive
+expressive
+Finno-Ugric-speaking
+Flemish-speaking
+French-speaking
+Gaelic-speaking
+German-speaking
+gesticulating
+gestural
+gestural
+heraldic
+Icelandic-speaking
+Italian-speaking
+Japanese-speaking
+Kannada-speaking
+Livonian-speaking
+narrative
+nonverbal
+nonverbal
+openhearted
+Oscan-speaking
+outspoken
+Russian-speaking
+Samoyedic-speaking
+Semitic-speaking
+Siouan-speaking
+Spanish-speaking
+Turkic-speaking
+verbal
+yarn-spinning
+uncommunicative
+blank
+close
+deadpan
+incommunicado
+inexpressive
+mum
+unpronounceable
+compact
+clayey
+close-packed
+consolidated
+impacted
+packed
+serried
+tight
+loose
+light
+shifting
+silty
+unconsolidated
+comparable
+comparable with
+comparable to
+incomparable
+all-time
+incommensurable
+matchless
+alone
+compassionate
+caring
+nurturant
+tenderhearted
+uncompassionate
+hardhearted
+compatible
+congenial
+congruous
+harmonious
+incompatible
+antagonistic
+clashing
+contradictory
+uncongenial
+compatible
+incompatible
+miscible
+compatible
+immiscible
+incompatible
+competent
+able
+effective
+workmanlike
+incompetent
+feckless
+ineffective
+unworkmanlike
+competent
+incompetent
+competitive
+agonistic
+emulous
+matched
+noncompetitive
+accommodative
+monopolistic
+uncompetitive
+complaining
+fretful
+protestant
+uncomplaining
+compressible
+compressed
+incompressible
+whole
+entire
+full-length
+full-page
+integral
+livelong
+undivided
+fractional
+aliquot
+divisional
+fragmental
+half
+halfway
+waist-length
+whole
+half
+committed
+bound up
+pledged
+uncommitted
+fancy-free
+floating
+undecided
+dedicated
+devoted
+devoted
+sacred
+undedicated
+complete
+absolute
+accomplished
+all
+all-or-none
+all-out
+allover
+clean
+completed
+dead
+exhaustive
+fleshed out
+full
+full-blown
+full-dress
+good
+hearty
+self-contained
+sound
+stand-alone
+incomplete
+broken
+half
+neither
+partial
+rudimentary
+sketchy
+uncompleted
+comprehensive
+across-the-board
+all-around
+citywide
+countywide
+countrywide
+cosmopolitan
+door-to-door
+encyclopedic
+large
+omnibus
+plenary
+spatiotemporal
+schoolwide
+statewide
+super
+umbrella
+noncomprehensive
+limited
+composed
+calm
+imperturbable
+collected
+cool
+unflurried
+discomposed
+abashed
+blushful
+bothered
+discombobulated
+flustered
+unstrung
+comprehensible
+accessible
+apprehensible
+fathomable
+incomprehensible
+dark
+enigmatic
+unfathomable
+impenetrable
+indecipherable
+lost
+opaque
+concave
+acetabular
+biconcave
+boat-shaped
+bowl-shaped
+bursiform
+concavo-convex
+cuplike
+cupular
+dished
+planoconcave
+recessed
+saucer-shaped
+umbilicate
+urn-shaped
+convex
+bell-shaped
+biconvex
+broken-backed
+convexo-concave
+gibbous
+helmet-shaped
+planoconvex
+umbellate
+concentrated
+bunchy
+thick
+cumulous
+single
+thickset
+distributed
+apportioned
+broken
+diffuse
+diffused
+dispensed
+dispersed
+divided
+encyclical
+fanned
+far-flung
+low-density
+rationed
+scattered
+separated
+sparse
+splashed
+straggly
+unfocused
+concentric
+coaxial
+eccentric
+acentric
+off-center
+concerned
+afraid
+afraid
+haunted
+solicitous
+unconcerned
+blase
+blithe
+casual
+degage
+indifferent
+concise
+aphoristic
+brief
+compendious
+crisp
+cryptic
+elliptic
+pithy
+telegraphic
+prolix
+diffuse
+long-winded
+verbal
+pleonastic
+conclusive
+definitive
+inconclusive
+equivocal
+indeterminate
+neck and neck
+nisi
+consummated
+completed
+fulfilled
+unconsummated
+coordinating
+subordinating
+accordant
+according
+agreeable
+concordant
+consensual
+consentaneous
+discordant
+at variance
+dissentious
+contracted
+contractile
+expanded
+atrophied
+hypertrophied
+conditional
+counterfactual
+contingent
+dependent
+probationary
+provisory
+unconditional
+blunt
+vested
+enforceable
+unenforceable
+enforced
+unenforced
+conductive
+semiconducting
+nonconductive
+confined
+claustrophobic
+close
+homebound
+pent
+snowbound
+stormbound
+weather-bound
+unconfined
+free-range
+crowded
+huddled
+jammed
+thronged
+uncrowded
+congenial
+sociable
+uncongenial
+disagreeable
+congruent
+coincident
+identical
+incongruent
+congruous
+harmonious
+incongruous
+discrepant
+inappropriate
+inharmonious
+ironic
+conjunctive
+copulative
+connective
+disjunctive
+adversative
+alternative
+contrastive
+divisional
+partitive
+separative
+conjunct
+disjunct
+connected
+adjacent
+adjunctive
+affined
+conterminous
+coupled
+engaged
+well-connected
+unconnected
+apart
+asternal
+detached
+disjoined
+exploded
+unattached
+uncoupled
+conquerable
+beatable
+subduable
+unconquerable
+impregnable
+indomitable
+insuperable
+invincible
+all-victorious
+conscious
+self-conscious
+semiconscious
+sentient
+unconscious
+cold
+comatose
+innocent
+insensible
+knocked out
+nonconscious
+semicomatose
+subconscious
+consecrated
+ordained
+votive
+desecrated
+deconsecrated
+profaned
+priestly
+unpriestly
+conservative
+blimpish
+buttoned-up
+fusty
+hidebound
+ultraconservative
+liberal
+civil-libertarian
+liberalistic
+neoliberal
+progressive
+socialized
+welfarist
+consistent
+accordant
+pursuant
+reconciled
+self-consistent
+unchanging
+inconsistent
+at odds
+discrepant
+spotty
+unconformable
+unreconciled
+conspicuous
+attention-getting
+big
+bold
+crying
+featured
+in evidence
+marked
+outstanding
+inconspicuous
+obscure
+discernible
+indiscernible
+distinguishable
+differentiable
+discriminable
+indistinguishable
+constant
+steadfast
+unfailing
+inconstant
+false
+fickle
+constructive
+creative
+formative
+formative
+inferential
+reconstructive
+structural
+destructive
+annihilative
+blasting
+cataclysmal
+caustic
+crushing
+damaging
+erosive
+iconoclastic
+ravaging
+soul-destroying
+wasteful
+contented
+complacent
+satisfied
+smug
+discontented
+disaffected
+disgruntled
+restless
+contestable
+challengeable
+debatable
+shakable
+incontestable
+demonstrable
+demonstrated
+inarguable
+unassailable
+unanswerable
+continent
+incontinent
+leaky
+continual
+insistent
+running
+perennial
+persistent
+recurring
+sporadic
+fitful
+intermittent
+periodic
+irregular
+isolated
+continuous
+around-the-clock
+ceaseless
+continual
+dogging
+endless
+free burning
+straight
+sustained
+discontinuous
+disrupted
+disjunct
+continuous
+discontinuous
+continued
+continuing
+discontinued
+interrupted
+out of print
+controlled
+contained
+disciplined
+dominated
+harnessed
+obsessed
+price-controlled
+regimented
+uncontrolled
+anarchic
+errant
+irrepressible
+loose
+lordless
+rampant
+runaway
+torrential
+undisciplined
+wild
+controversial
+arguable
+contentious
+disputed
+polemic
+uncontroversial
+unchallengeable
+undisputed
+agreed upon
+argumentative
+quarrelsome
+contentious
+eristic
+unargumentative
+noncontentious
+convenient
+handy
+favorable
+inconvenient
+awkward
+conventional
+received
+customary
+formulaic
+stodgy
+unconventional
+bohemian
+go-as-you-please
+irregular
+conventional
+button-down
+square
+stereotyped
+white-bread
+unconventional
+alternative
+bizarre
+devil-may-care
+far-out
+funky
+spaced-out
+conformist
+nonconformist
+nuclear
+thermonuclear
+conventional
+traditional
+conventional
+handed-down
+traditionalistic
+nontraditional
+convergent
+confluent
+focused
+divergent
+branching
+radiating
+branchy
+arboreal
+brachiate
+branched
+bushy
+long-branched
+maplelike
+mop-headed
+stiff-branched
+thick-branched
+well-branched
+branchless
+palmlike
+unbranched
+convincing
+credible
+disenchanting
+unconvincing
+unpersuasive
+cooked
+au gratin
+baked
+barbecued
+batter-fried
+boiled
+braised
+broiled
+burned
+candy-like
+done
+fried
+hard-baked
+hard-boiled
+lyonnaise
+medium
+overdone
+pancake-style
+parched
+rare-roasted
+ready-cooked
+roast
+saute
+seared
+soft-boiled
+souffle-like
+steamed
+sunny-side up
+toasted
+wafer-like
+well-done
+raw
+half-baked
+rare
+uncooked
+untoasted
+cooperative
+collaborative
+synergetic
+uncooperative
+corrupt
+corrupted
+corruptible
+depraved
+dirty
+Praetorian
+putrid
+sold-out
+incorrupt
+antiseptic
+incorruptible
+uncorrupted
+uncorrupted
+synergistic
+antagonistic
+antacid
+antiphlogistic
+considerable
+appreciable
+goodly
+right smart
+significant
+inconsiderable
+substantial
+insubstantial
+aeriform
+shadowy
+stringy
+material
+physical
+physical
+immaterial
+intangible
+bodied
+incarnate
+lithe-bodied
+long-bodied
+narrow-bodied
+oval-bodied
+short-bodied
+silver-bodied
+slim-bodied
+smooth-bodied
+thick-bodied
+unbodied
+bodiless
+formless
+brainwashed
+unbrainwashed
+corporeal
+bodily
+bodied
+reincarnate
+incorporeal
+discorporate
+spiritual
+correct
+accurate
+letter-perfect
+straight
+incorrect
+erroneous
+fallacious
+false
+right
+right-minded
+wrong
+wrongheaded
+corrected
+aplanatic
+apochromatic
+rectified
+uncorrected
+unremedied
+corrigible
+amendable
+improvable
+redeemable
+incorrigible
+unreformable
+uncontrollable
+cosmopolitan
+traveled
+provincial
+bumpkinly
+corn-fed
+insular
+jerkwater
+stay-at-home
+costive
+laxative
+aperient
+cathartic
+constipated
+bound
+unconstipated
+diarrheal
+lax
+considerate
+thoughtful
+inconsiderate
+thoughtless
+courteous
+chivalrous
+discourteous
+abrupt
+brusque
+caddish
+unceremonious
+polite
+mannerly
+courteous
+impolite
+bratty
+ill-mannered
+discourteous
+unparliamentary
+civil
+uncivil
+civil
+sidereal
+creative
+fanciful
+fictive
+imaginative
+yeasty
+uncreative
+sterile
+credible
+likely
+presumptive
+incredible
+astounding
+fabulous
+improbable
+undreamed
+credulous
+credible
+overcredulous
+unquestioning
+incredulous
+disbelieving
+critical
+captious
+censorious
+deprecative
+hypercritical
+searing
+scathing
+uncritical
+judgmental
+faultfinding
+nonjudgmental
+critical
+appraising
+discriminative
+uncritical
+critical
+acute
+dangerous
+desperate
+noncritical
+acritical
+critical
+supercritical
+noncritical
+crossed
+crosstown
+decussate
+uncrossed
+crossed
+uncrossed
+cross-eyed
+boss-eyed
+walleyed
+crowned
+capped
+chapleted
+comate
+high-crowned
+royal
+uncrowned
+quasi-royal
+crowned
+capped
+uncrowned
+uncapped
+crucial
+critical
+life-and-death
+pivotal
+noncrucial
+crystallized
+uncrystallized
+cubic
+blockish
+boxlike
+brick-shaped
+cubelike
+isometric
+solid
+linear
+collinear
+lineal
+linelike
+rectilinear
+planar
+coplanar
+flat
+placoid
+planate
+tabular
+unidimensional
+multidimensional
+dimensional
+two-dimensional
+three-dimensional
+four-dimensional
+cut
+chopped
+cut up
+incised
+perforated
+pierced
+severed
+split
+uncut
+imperforate
+unpierced
+cut
+uncut
+cut
+cut out
+hewn
+sheared
+slashed
+uncut
+unsheared
+curious
+inquisitive
+nosy
+overcurious
+incurious
+uninterested
+uninquiring
+current
+actual
+afoot
+circulating
+contemporary
+incumbent
+live
+live
+occurrent
+ongoing
+on-line
+topical
+up-to-date
+up-to-the-minute
+noncurrent
+back
+dead
+disused
+outdated
+obsolescent
+cursed
+accursed
+blasted
+cursed with
+damn
+damnable
+blessed
+fortunate
+endowed
+dowered
+unendowed
+dowerless
+unblessed
+curtained
+draped
+curtainless
+custom-made
+bespoke
+custom-built
+ready-made
+made
+off-the-rack
+prefab
+ready-to-eat
+handmade
+camp-made
+hand-loomed
+handsewn
+overhand
+machine-made
+homemade
+do-it-yourself
+home-baked
+home-brewed
+home-cured
+homespun
+factory-made
+boughten
+manufactured
+mass-produced
+ready-made
+cyclic
+alternate
+alternate
+circular
+noncyclic
+cyclic
+bicyclic
+closed-chain
+heterocyclic
+homocyclic
+acyclic
+aliphatic
+cyclic
+verticillate
+acyclic
+annual
+biennial
+perennial
+diurnal
+nocturnal
+damaged
+battered
+bedraggled
+bent
+broken
+broken-backed
+hurt
+knocked-out
+riddled
+storm-beaten
+undamaged
+intact
+datable
+undatable
+dateless
+dateless
+deaf
+deaf-and-dumb
+deafened
+hard-of-hearing
+profoundly deaf
+tone-deaf
+hearing
+sharp-eared
+decent
+indecent
+crude
+Hollywood
+indelicate
+obscene
+suggestive
+decisive
+deciding
+fateful
+peremptory
+indecisive
+decisive
+unhesitating
+indecisive
+on the fence
+hesitant
+suspensive
+declarative
+interrogative
+declared
+alleged
+announced
+asserted
+avowed
+professed
+self-proclaimed
+undeclared
+unacknowledged
+unavowed
+decorous
+in good taste
+sedate
+indecorous
+deductible
+allowable
+nondeductible
+deep
+abysmal
+bottomless
+deep-water
+profound
+walk-in
+shallow
+ankle-deep
+fordable
+neritic
+reefy
+deep
+heavy
+profound
+shallow
+light
+de facto
+de jure
+defeasible
+indefeasible
+unforfeitable
+defeated
+licked
+subjugated
+undefeated
+triumphant
+unbeaten
+unbowed
+defiant
+insubordinate
+obstreperous
+recalcitrant
+compliant
+amenable
+lamblike
+nonresistant
+defined
+undefined
+indefinable
+well-defined
+ill-defined
+derived
+derivable
+derivative
+plagiaristic
+underived
+original
+primary
+inflected
+uninflected
+inflected
+modulated
+uninflected
+definite
+certain
+decisive
+distinct
+indefinite
+coy
+indecisive
+nebulous
+noncommittal
+one
+dehiscent
+indehiscent
+dejected
+amort
+chapfallen
+gloomy
+glum
+lonely
+elated
+exultant
+gladdened
+high
+sublime
+uplifted
+delicate
+dainty
+ethereal
+fragile
+light-handed
+overdelicate
+pastel
+tender
+rugged
+knockabout
+sturdy
+breakable
+brittle
+crumbly
+short
+delicate
+frangible
+splintery
+unbreakable
+infrangible
+shatterproof
+demanding
+exigent
+hard-to-please
+needy
+rigorous
+stern
+undemanding
+lenient
+easygoing
+light
+unexacting
+imperative
+adjuratory
+clamant
+peremptory
+desperate
+pressing
+strident
+beseeching
+adjuratory
+importunate
+mendicant
+petitionary
+precatory
+suppliant
+democratic
+antiauthoritarian
+classless
+parliamentary
+parliamentary
+participatory
+popular
+representative
+republican
+undemocratic
+authoritarian
+despotic
+monarchal
+totalitarian
+arbitrary
+absolute
+capricious
+discretionary
+nonarbitrary
+prescribed
+demonstrative
+effusive
+epideictic
+undemonstrative
+restrained
+deniable
+disavowable
+questionable
+undeniable
+incontestable
+incontrovertible
+denotative
+appellative
+designative
+extensional
+referent
+referential
+connotative
+connotational
+implicative
+inferential
+intensional
+reliable
+certain
+tested
+undeviating
+unreliable
+erratic
+uncertain
+unsound
+dependent
+babelike
+helpless
+interdependent
+myrmecophilous
+parasitic
+reliant
+symbiotic
+underage
+independent
+autarkic
+autonomous
+autonomous
+breakaway
+commutative
+free-living
+indie
+individual
+self-sufficient
+self-supporting
+single-handed
+strong-minded
+unaffiliated
+unconditional
+independent
+dependent
+partisan
+party-spirited
+tendentious
+nonpartisan
+bipartisan
+independent
+unbiased
+aligned
+allied
+nonaligned
+neutral
+descriptive
+prescriptive
+descriptive
+undescriptive
+desirable
+coveted
+delectable
+enviable
+plummy
+preferable
+undesirable
+unenviable
+destroyed
+annihilated
+blighted
+blotted out
+broken
+burned
+demolished
+despoiled
+done for
+extinguished
+fallen
+finished
+scorched
+shattered
+totaled
+war-torn
+wrecked
+preserved
+conserved
+kept up
+preservable
+protected
+retained
+destructible
+abolishable
+destroyable
+indestructible
+undestroyable
+determinable
+ascertainable
+definable
+judicable
+indeterminable
+indeterminate
+unascertainable
+unpredictable
+determinate
+fixed
+indeterminate
+cost-plus
+open-ended
+determinate
+cymose
+indeterminate
+racemose
+developed
+formulated
+mature
+undeveloped
+budding
+vestigial
+dextral
+dexter
+dextrorse
+sinistral
+sinister
+sinistrorse
+diabatic
+adiabatic
+differentiated
+undifferentiated
+dedifferentiated
+difficult
+ambitious
+arduous
+awkward
+baffling
+catchy
+delicate
+fractious
+hard-fought
+herculean
+nasty
+rocky
+rugged
+serious
+tall
+thorny
+troublesome
+trying
+vexed
+easy
+casual
+clean
+cushy
+elementary
+hands-down
+painless
+simplified
+smooth
+user-friendly
+digitigrade
+plantigrade
+dignified
+courtly
+distinguished
+undignified
+demeaning
+infra dig
+pathetic
+statesmanlike
+unstatesmanlike
+presidential
+unpresidential
+dicotyledonous
+monocotyledonous
+diligent
+assiduous
+hardworking
+negligent
+derelict
+lax
+hit-and-run
+inattentive
+diluted
+cut
+watery
+white
+undiluted
+black
+concentrated
+neat
+saturated
+unsaturated
+monounsaturated
+polyunsaturated
+saturated
+supersaturated
+unsaturated
+diplomatic
+politic
+tactful
+undiplomatic
+conciliatory
+appeasing
+pacific
+propitiative
+soft
+antagonistic
+alienating
+direct
+door-to-door
+nonstop
+point-blank
+straightforward
+undeviating
+through
+indirect
+askance
+devious
+diversionary
+meandering
+direct
+alternating
+direct
+bluff
+blunt
+brutal
+flat-footed
+man-to-man
+no-nonsense
+plain
+pointed
+square
+upfront
+indirect
+allusive
+backhanded
+circuitous
+circumlocutious
+devious
+digressive
+hearsay
+mealymouthed
+tortuous
+direct
+inverse
+reciprocal
+direct
+retrograde
+immediate
+direct
+mediate
+indirect
+mediated
+discerning
+clear
+clear-eyed
+prescient
+undiscerning
+obtuse
+uncomprehending
+discreet
+indiscreet
+bigmouthed
+imprudent
+discriminate
+indiscriminate
+promiscuous
+sweeping
+discriminating
+appreciative
+diacritic
+discerning
+discriminative
+eclectic
+good
+selective
+undiscriminating
+indiscriminate
+scattershot
+unperceptive
+unselective
+disposable
+throwaway
+nondisposable
+returnable
+revertible
+nonreturnable
+disposable
+available
+expendable
+fluid
+nondisposable
+frozen
+distal
+proximal
+distal
+lateral
+mesial
+medial
+sagittal
+distinct
+chiseled
+clear
+crisp
+crystalline
+defined
+knifelike
+razor-sharp
+indistinct
+bedimmed
+bleary
+cloudy
+dim
+faint
+veiled
+focused
+unfocused
+diversified
+varied
+undiversified
+general
+monolithic
+solid
+undistributed
+divisible
+cleavable
+dissociable
+dissociative
+dividable
+partible
+indivisible
+indiscrete
+undividable
+inseparable
+documented
+referenced
+registered
+undocumented
+unregistered
+domineering
+authoritarian
+autocratic
+blustery
+cavalier
+heavy-handed
+oppressive
+submissive
+abject
+bowed
+meek
+cringing
+dominated
+servile
+bootlicking
+obsequious
+slavish
+slavelike
+unservile
+dominant
+ascendant
+controlling
+governing
+overriding
+possessive
+sovereign
+superior
+subordinate
+adjunct
+associate
+secondary
+under
+dominant
+recessive
+single-barreled
+double-barreled
+double-breasted
+single-breasted
+dramatic
+melodramatic
+spectacular
+hammy
+undramatic
+unspectacular
+actable
+unactable
+theatrical
+histrionic
+showy
+stagy
+untheatrical
+drinkable
+undrinkable
+intoxicated
+bacchanalian
+beery
+besotted
+potty
+bibulous
+doped
+half-seas-over
+high
+hopped-up
+sober
+cold sober
+drug-free
+dry
+uninebriated
+dull
+blunt
+blunted
+edgeless
+unsharpened
+sharp
+carnassial
+chisel-like
+dagger-like
+drill-like
+edged
+fang-like
+file-like
+incisive
+keen
+knifelike
+metal-cutting
+penetrative
+razor-sharp
+sharpened
+sharp-toothed
+sharp
+acute
+cutting
+fulgurating
+salt
+dull
+deadened
+eventful
+lively
+uneventful
+lively
+alive
+bouncing
+breezy
+bubbly
+bubbling
+burbling
+live
+warm
+dull
+arid
+bovine
+drab
+heavy
+humdrum
+lackluster
+dynamic
+can-do
+changing
+driving
+energizing
+high-octane
+projectile
+propellant
+self-propelled
+slashing
+undynamic
+backward
+stagnant
+eager
+anxious
+hot
+impatient
+overeager
+uneager
+reluctant
+eared
+auriculate
+lop-eared
+mouse-eared
+short-eared
+small-eared
+earless
+early
+aboriginal
+advance
+archean
+archeozoic
+azoic
+earlier
+earlyish
+premature
+previous
+proterozoic
+proto
+wee
+middle
+intervening
+mid
+late
+advanced
+after-hours
+latish
+posthumous
+early
+archaic
+new
+crude
+embryonic
+incipient
+precocious
+late
+advanced
+tardive
+early
+Old
+middle
+late
+Modern
+New
+earned
+attained
+unearned
+honorary
+easy
+uneasy
+apprehensive
+precarious
+east
+eastbound
+easterly
+easterly
+eastern
+easternmost
+eastside
+west
+westbound
+western
+westerly
+westernmost
+westside
+western
+occidental
+eastern
+oriental
+western
+southwestern
+midwestern
+northwestern
+west-central
+eastern
+east-central
+middle Atlantic
+northeastern
+southeastern
+ectomorphic
+asthenic
+endomorphic
+mesomorphic
+athletic
+edible
+killable
+nonpoisonous
+pareve
+inedible
+poisonous
+educated
+knowing
+literate
+self-educated
+semiliterate
+uneducated
+ignorant
+ignorant
+undereducated
+unschooled
+unstudied
+numerate
+innumerate
+operative
+operant
+effective
+operational
+working
+inoperative
+down
+dead
+defunct
+effective
+hard-hitting
+impelling
+impressive
+rough-and-ready
+ineffective
+toothless
+unproductive
+effortful
+arduous
+dragging
+exhausting
+heavy
+labor-intensive
+leaden
+Sisyphean
+arduous
+effortless
+facile
+unforced
+efficacious
+effective
+inefficacious
+efficient
+businesslike
+cost-efficient
+economic
+expeditious
+high-octane
+streamlined
+inefficient
+uneconomical
+forceful
+bruising
+drastic
+emphatic
+firm
+forcible
+impellent
+impetuous
+sharp
+forceless
+wimpish
+elastic
+bouncy
+chewy
+elasticized
+expandable
+fictile
+flexible
+rubbery
+springlike
+stretch
+stretchable
+viscoelastic
+inelastic
+dead
+nonresilient
+springless
+elective
+electoral
+nonappointive
+appointive
+nominated
+nonelective
+assigned
+allotted
+appointed
+unassigned
+optional
+elective
+ex gratia
+facultative
+nonmandatory
+obligatory
+bounden
+compulsory
+de rigueur
+imposed
+incumbent on
+indispensable
+prerequisite
+elegant
+dandified
+deluxe
+fine
+high-class
+exquisite
+neat
+ritzy
+soigne
+inelegant
+gauche
+homely
+eligible
+bailable
+desirable
+entitled
+in line
+legal
+pensionable
+ineligible
+disqualified
+disqualified
+undesirable
+unentitled
+emotional
+affectional
+bathetic
+cathartic
+charged
+funky
+het up
+hot-blooded
+little
+lyric
+mind-blowing
+moody
+overemotional
+soulful
+warm-toned
+unemotional
+chilly
+dry
+impassive
+philosophical
+phlegmatic
+stoic
+unblinking
+empirical
+a posteriori
+confirmable
+experiential
+experimental
+experimental
+semiempirical
+trial-and-error
+theoretical
+abstractive
+a priori
+conjectural
+notional
+metaphysical
+theory-based
+theoretical
+abstract
+academic
+pure
+applied
+forensic
+practical
+salaried
+freelance
+employed
+engaged
+hired
+working
+unemployed
+discharged
+idle
+employable
+unemployable
+enchanted
+beguiled
+bewitched
+fascinated
+disenchanted
+disabused
+disillusioned
+encouraging
+exhortative
+heartening
+promotive
+rallying
+discouraging
+daunting
+demoralizing
+frustrating
+unencouraging
+encumbered
+burdened
+clogged
+involved
+mortgaged
+unencumbered
+burdenless
+clear
+burdened
+bowed down
+laden
+saddled
+unburdened
+unencumbered
+endocentric
+exocentric
+endogamous
+exogamous
+autogamous
+self-fertilized
+endogamous
+exogamous
+endoergic
+exoergic
+endothermic
+decalescent
+exothermic
+endogenous
+exogenous
+end-stopped
+run-on
+energetic
+physical
+alert
+canty
+driving
+high-energy
+indefatigable
+strenuous
+vigorous
+lethargic
+dazed
+dreamy
+listless
+enfranchised
+disenfranchised
+exportable
+marketable
+unexportable
+exploratory
+alpha
+beta
+preliminary
+searching
+wildcat
+nonexploratory
+inquiring
+fact-finding
+inquisitive
+inquisitorial
+inquisitorial
+inquisitory
+uninquiring
+increased
+accrued
+augmented
+enhanced
+hyperbolic
+exaggerated
+multiplied
+raised
+redoubled
+decreased
+ablated
+attenuate
+attenuated
+bated
+belittled
+cut
+diminished
+minimized
+remittent
+shriveled
+reducible
+irreducible
+enlightened
+edified
+unenlightened
+benighted
+enterprising
+energetic
+entrepreneurial
+unenterprising
+slowgoing
+enthusiastic
+ardent
+avid
+crazy
+evangelical
+glowing
+gung ho
+overenthusiastic
+unenthusiastic
+cold
+halfhearted
+desirous
+appetent
+athirst
+avid
+covetous
+nostalgic
+homesick
+undesirous
+entozoic
+epizoic
+equal
+equivalent
+close
+coequal
+coordinate
+equidistant
+equilateral
+even
+half-and-half
+isochronal
+isoclinal
+isometric
+isothermal
+quits
+tied
+unequal
+anisometric
+mismatched
+nonequivalent
+odds-on
+unbalanced
+unequalized
+balanced
+counterbalanced
+harmonious
+poised
+self-balancing
+stable
+well-balanced
+unbalanced
+labile
+isotonic
+hypertonic
+hypotonic
+equivocal
+double
+evasive
+indeterminate
+unequivocal
+absolute
+straightforward
+unquestionable
+eradicable
+delible
+effaceable
+exterminable
+obliterable
+ineradicable
+indelible
+inexpungible
+inexterminable
+esoteric
+abstruse
+arcane
+cabalistic
+mysterious
+exoteric
+essential
+basal
+biogenic
+constituent
+must
+no-frills
+staple
+substantial
+virtual
+vital
+inessential
+accessorial
+adscititious
+incidental
+dispensable
+indispensable
+critical
+estimable
+admirable
+contemptible
+abject
+bastardly
+pathetic
+ethical
+unethical
+complimentary
+encomiastic
+laudatory
+uncomplimentary
+belittling
+derogative
+dyslogistic
+supercilious
+flattering
+adulatory
+becoming
+ingratiating
+unflattering
+euphemistic
+dysphemistic
+euphoric
+euphoriant
+expansive
+dysphoric
+even
+flat
+flatbottom
+flush
+justified
+lap-jointed
+straight-grained
+level
+true
+uneven
+crinkled
+curly-grained
+irregular
+jagged
+lumpy
+out of true
+patchy
+pebble-grained
+ragged
+unparallel
+even
+odd
+evergreen
+coniferous
+semi-evergreen
+deciduous
+broadleaf
+exact
+direct
+literal
+mathematical
+perfect
+photographic
+rigorous
+inexact
+approximate
+free
+odd
+round
+convertible
+cashable
+inconvertible
+irredeemable
+exchangeable
+commutable
+fungible
+transposable
+vicarious
+unexchangeable
+incommutable
+excitable
+high-keyed
+quick
+skittish
+unexcitable
+steady
+excited
+aflutter
+agog
+crazy
+fevered
+intoxicated
+overexcited
+stimulated
+teased
+thrilled
+thrillful
+unexcited
+exciting
+breathless
+elating
+electric
+electrifying
+glamorous
+heady
+titillating
+tickling
+unexciting
+commonplace
+uninspired
+tame
+exculpatory
+absolvitory
+extenuating
+justificative
+inculpatory
+accusative
+comminatory
+condemnatory
+criminative
+damnatory
+recriminative
+exhaustible
+depletable
+inexhaustible
+renewable
+unfailing
+exhausted
+unexhausted
+leftover
+unconsumed
+unspent
+existent
+active
+nonexistent
+lacking
+barren
+nonextant
+vanished
+extant
+living
+surviving
+extinct
+dead
+expected
+anticipated
+due
+expectable
+matter-of-course
+unexpected
+unannounced
+unanticipated
+unhoped
+unprovided for
+upset
+expedient
+advantageous
+opportunist
+carpetbag
+inexpedient
+inadvisable
+expendable
+consumable
+sacrificeable
+unexpendable
+expensive
+big-ticket
+costly
+dearly-won
+overpriced
+cheap
+bargain-priced
+catchpenny
+dirt cheap
+low-budget
+low-cost
+nickel-and-dime
+sixpenny
+experienced
+full-fledged
+intimate
+old
+practiced
+seasoned
+inexperienced
+fledgling
+raw
+uninitiate
+unpracticed
+unseasoned
+expired
+invalid
+terminated
+unexpired
+valid
+explicable
+explainable
+inexplicable
+cryptic
+paradoxical
+unaccountable
+unexplained
+explicit
+declared
+definitive
+express
+graphic
+hard-core
+implicit
+implicit in
+silent
+unexpressed
+exploited
+employed
+unexploited
+fallow
+untapped
+expressible
+describable
+representable
+speakable
+inexpressible
+indefinable
+extensile
+protractile
+protrusile
+nonextensile
+extricable
+inextricable
+unresolvable
+bowed
+arco
+plucked
+pizzicato
+fingered
+digitate
+fingerless
+expansive
+distensible
+erectile
+expandable
+inflatable
+unexpansive
+extinguishable
+inextinguishable
+external
+outer
+outside
+internal
+inner
+interior
+internecine
+intrinsic
+outer
+out
+outermost
+outside
+satellite
+inner
+inmost
+inside
+outward
+external
+outer
+inward
+indwelling
+inmost
+inner
+secret
+self-whispered
+exterior
+out
+outside
+interior
+indoor
+inside
+eyed
+almond-eyed
+blue-eyed
+eyelike
+keen-eyed
+left-eyed
+one-eyed
+ox-eyed
+popeyed
+purple-eyed
+right-eyed
+saucer-eyed
+skew-eyed
+eyeless
+playable
+unplayable
+fair
+in-bounds
+foul
+out-of-bounds
+fair
+antimonopoly
+clean
+fair-minded
+fair-and-square
+unfair
+below the belt
+cheating
+raw
+equitable
+honest
+evenhanded
+inequitable
+faithful
+firm
+true
+unfaithful
+apostate
+punic
+untrue
+faithful
+true to
+unfaithful
+adulterous
+loyal
+allegiant
+doglike
+hard-core
+leal
+liege
+true-blue
+disloyal
+faithless
+insurgent
+mutinous
+rebellious
+recreant
+fallible
+errant
+erring
+undependable
+weak
+infallible
+foolproof
+inerrable
+familiar
+acquainted
+beaten
+long-familiar
+old
+unfamiliar
+strange
+unacquainted
+strange
+antic
+crazy
+curious
+eerie
+exotic
+freaky
+gothic
+oddish
+other
+quaint
+quaint
+weird
+familiar
+common
+common or garden
+everyday
+fashionable
+latest
+cool
+dapper
+faddish
+groovy
+in
+up-to-date
+mod
+old-time
+swank
+trendsetting
+trendy
+unfashionable
+antique
+dated
+dowdy
+fogyish
+out
+prehistoric
+stylish
+chic
+chichi
+classy
+snazzy
+styleless
+dowdy
+fast
+accelerated
+alacritous
+blistering
+double-quick
+express
+fast-breaking
+fast-paced
+fleet
+high-speed
+hurrying
+immediate
+instantaneous
+meteoric
+quick
+rapid
+rapid
+smart
+winged
+windy
+slow
+bumper-to-bumper
+dilatory
+drawn-out
+lazy
+long-play
+slow-moving
+sluggish
+fast
+allegro
+allegretto
+andantino
+presto
+prestissimo
+vivace
+slow
+adagio
+andante
+lento
+lentissimo
+largo
+larghetto
+larghissimo
+moderato
+fast
+slow
+fastidious
+choosy
+dainty
+finical
+meticulous
+pernickety
+old-maidish
+unfastidious
+fastidious
+unfastidious
+fat
+abdominous
+blubbery
+chubby
+buxom
+corpulent
+double-chinned
+dumpy
+fattish
+fleshy
+gross
+portly
+thin
+anorexic
+bony
+deep-eyed
+gangling
+lank
+rawboned
+reedy
+twiggy
+scarecrowish
+scraggy
+shriveled
+slender
+slender-waisted
+spare
+spindle-legged
+stringy
+wisplike
+fatty
+adipose
+buttery
+greasy
+suety
+superfatted
+nonfat
+light
+skim
+fatal
+deadly
+deadly
+terminal
+nonfatal
+nonlethal
+curable
+incurable
+fathomable
+unfathomable
+unsoundable
+favorable
+following
+unfavorable
+adverse
+favorable
+approving
+indulgent
+unfavorable
+admonitory
+adverse
+disapproving
+discriminatory
+feathered
+aftershafted
+feathery
+featherlike
+fledged
+flighted(ip)
+pennate
+plumaged
+plumate
+plumed
+plumelike
+velvety-plumaged
+unfeathered
+plucked
+unfledged
+felicitous
+congratulatory
+happy
+well-turned
+well-wishing
+infelicitous
+awkward
+unfortunate
+fertile
+conceptive
+fecund
+fertilizable
+rank
+sterile
+barren
+sterilized
+unfertilized
+finished
+complete
+done
+done with
+fin de siecle
+up
+unfinished
+incomplete
+pending
+undone
+unended
+finished
+dressed
+fattened
+fattening
+unfinished
+raw
+roughhewn
+undressed
+unfattened
+unhewn
+finite
+bounded
+exhaustible
+impermanent
+limited
+infinite
+boundless
+dateless
+endless
+inexhaustible
+finite
+tensed
+infinite
+opening
+beginning
+inaugural
+introductory
+starting
+closing
+concluding
+terminative
+year-end
+first
+archetypal
+basic
+initial
+firstborn
+freshman
+original
+premier
+premier
+prime
+last
+senior
+sunset
+ultimate
+intermediate
+grey
+halfway
+in-between
+junior
+penultimate
+sophomore
+subterminal
+antepenultimate
+terminal
+first
+second
+fissile
+nonfissile
+fissionable
+nonfissionable
+fit
+able
+conditioned
+unfit
+afflicted
+apractic
+bandy
+broken-backed
+crippled
+crookback
+disabled
+gammy
+knock-kneed
+soft
+spavined
+dipped
+maimed
+fit
+acceptable
+suitable
+worthy
+unfit
+subhuman
+unsuitable
+flat
+contrasty
+flexible
+bendable
+double-jointed
+limber
+limber
+spinnable
+stretched
+inflexible
+muscle-bound
+rigid
+semirigid
+flexible
+limber
+negotiable
+inflexible
+adamant
+die-hard
+fossilized
+hard-core
+ironclad
+uncompromising
+hard-line
+compromising
+yielding
+rigid
+semirigid
+nonrigid
+adaptable
+adjustable
+all-mains
+convertible
+elastic
+filmable
+universal
+variable
+unadaptable
+inflexible
+campylotropous
+orthotropous
+anatropous
+amphitropous
+curly
+curled
+crisp
+permed
+ringleted
+wavy
+straight
+uncurled
+unpermed
+footed
+flat-footed
+pedate
+swift-footed
+web-footed
+footless
+apodal
+toed
+pointy-toed
+square-toed
+two-toed
+toeless
+pigeon-toed
+splayfooted
+flat-footed
+splay
+fore
+foremost
+aft
+after
+aftermost
+forehand
+backhand
+native
+connatural
+adopted
+foreign
+adventive
+alien
+nonnative
+established
+foreign-born
+imported
+tramontane
+unnaturalized
+native
+autochthonal
+domestic
+homegrown
+native-born
+native
+nonnative
+foreign
+abroad
+external
+domestic
+home
+municipal
+domestic
+domesticated
+home-loving
+home-style
+housewifely
+husbandly
+undomestic
+undomesticated
+forgettable
+unmemorable
+unforgettable
+haunting
+memorable
+red-letter
+forgiving
+kind
+unvindictive
+unforgiving
+revengeful
+formal
+ceremonial
+ceremonious
+dress
+form-only
+full-dress
+nominal
+positive
+pro forma
+semiformal
+starchy
+white-tie
+informal
+casual
+free-and-easy
+folksy
+unceremonious
+formal
+literary
+informal
+colloquial
+common
+epistolary
+slangy
+subliterary
+unliterary
+former
+latter
+last mentioned
+fortunate
+better off
+felicitous
+fortuitous
+good
+heaven-sent
+lucky
+well-off
+unfortunate
+abject
+black
+dispossessed
+hapless
+doomed
+downtrodden
+infelicitous
+regrettable
+fragrant
+aromatic
+odoriferous
+perfumed
+musky
+malodorous
+bilgy
+fetid
+fusty
+gamey
+miasmic
+niffy
+odoriferous
+putrid-smelling
+rank-smelling
+reeking
+sour
+odorous
+alliaceous
+almond-scented
+anise-scented
+apple-scented
+balsam-scented
+candy-scented
+cedar-scented
+cinnamon-scented
+clove-scented
+ginger-scented
+honey-scented
+lemon-scented
+mint-scented
+musk-scented
+pleasant-smelling
+redolent
+scented
+spice-scented
+strong-smelling
+tansy-scented
+tea-scented
+vanilla-scented
+violet-scented
+odorless
+non-aromatic
+scentless
+scented
+scentless
+free
+liberated
+unbound
+bound
+conjugate
+conjugate
+fixed
+fast
+geostationary
+geosynchronous
+leaded
+stationary
+taped
+unadjustable
+unfixed
+detached
+floating
+unfirm
+free
+at large
+autonomous
+available
+aweigh
+clear
+emancipated
+footloose
+out-of-school
+unconfined
+unconstrained
+unhampered
+unrestricted
+unfree
+adscript
+apprenticed
+at bay
+captive
+entangled
+nonautonomous
+prisonlike
+serflike
+free
+freeborn
+free-soil
+unfree
+servile
+slaveholding
+frequent
+prevailing
+regular
+infrequent
+occasional
+rare
+fresh
+caller
+crisp
+fresh-cut
+good
+hot
+new-made
+strong
+stale
+addled
+bad
+cold
+day-old
+hard
+flyblown
+limp
+moldy
+rancid
+rotten
+corrupt
+putrid
+putrescent
+fresh
+unprocessed
+preserved
+aged
+candied
+canned
+corned
+cured
+dried
+flash-frozen
+freeze-dried
+lyophilized
+pickled
+potted
+salted
+smoked
+sun-dried
+fresh
+salty
+brackish
+saliferous
+saline
+saltish
+friendly
+affable
+chummy
+companionate
+comradely
+couthie
+cozy
+neighborly
+social
+unfriendly
+beetle-browed
+chilly
+uncordial
+unneighborly
+friendly
+hostile
+friendly
+unfriendly
+frozen
+frostbitten
+frost-bound
+glaciated
+icebound
+ice-clogged
+icy
+sleety
+unthawed
+unfrozen
+ice-free
+liquescent
+slushy
+thawed
+fruitful
+berried
+blue-fruited
+bountiful
+breeding
+dark-fruited
+fat
+generative
+high-yield
+oval-fruited
+prolific
+red-fruited
+round-fruited
+small-fruited
+unfruitful
+abortive
+acarpous
+childless
+full
+afloat
+air-filled
+brimful
+chockablock
+congested
+egg-filled
+filled
+fraught
+gas-filled
+glutted
+heavy
+instinct
+laden
+overladen
+riddled
+sperm-filled
+stuffed
+stuffed
+untouched
+well-lined
+empty
+bare
+blank
+empty-handed
+glassy
+lifeless
+looted
+vacant
+vacant
+vacuous
+void
+drained
+empty
+exhausted
+undrained
+full-time
+regular
+part-time
+half-time
+irregular
+odd-job
+underemployed
+functional
+structural
+utilitarian
+nonfunctional
+nonstructural
+cosmetic
+functioning
+running
+up
+malfunctioning
+amiss
+bad
+out of whack
+run-down
+functional
+organic
+rigged
+lateen
+outrigged
+square-rigged
+unrigged
+equipped
+accoutered
+armored
+helmeted
+outfitted
+prepared
+transistorized
+visored
+unequipped
+ill-equipped
+fledged
+fledgling
+full-fledged
+unfledged
+unfeathered
+framed
+unframed
+furnished
+appointed
+fitted out
+stocked
+volumed
+well-appointed
+unfurnished
+funded
+unfunded
+fueled
+clean-burning
+coal-fired
+wood-fired
+liquid-fueled
+oil-fired
+unfueled
+self-sustained
+unfed
+specified
+mere
+nominative
+specific
+unspecified
+geared
+back-geared
+double-geared
+engaged
+in gear
+ungeared
+out of gear
+general
+broad
+general-purpose
+generic
+gross
+overall
+pandemic
+universal
+widespread
+specific
+ad hoc
+circumstantial
+limited
+particular
+particular
+particularized
+proper(ip)
+unique
+specific
+nonspecific
+national
+federal
+local
+cosmopolitan
+endemic
+branchiate
+abranchiate
+federal
+unitary
+centralized
+decentralized
+localized
+redistributed
+suburbanized
+technical
+nontechnical
+nonproprietary
+generic
+unpatented
+proprietary
+branded
+copyrighted
+patented
+trademarked
+generous
+benevolent
+big
+lavish
+unselfish
+stingy
+beggarly
+cheap
+cheeseparing
+closefisted
+grudging
+mean
+parsimonious
+generous
+big
+ungrudging
+ungenerous
+genuine
+authentic
+attested
+good
+honest-to-god
+counterfeit
+assumed
+bad
+base
+bogus
+inauthentic
+mock
+ostensible
+pinchbeck
+pseudo
+synthetic
+geocentric
+Ptolemaic
+heliocentric
+Copernican
+talented
+untalented
+glazed
+glassy
+glass-like
+glossy
+icy
+unglazed
+unvitrified
+glazed
+unglazed
+glorious
+bright
+celebrated
+divine
+empyreal
+illustrious
+incandescent
+lustrous
+inglorious
+obscure
+go
+a-ok
+no-go
+good
+bang-up
+good enough
+goodish
+hot
+redeeming
+satisfactory
+solid
+superb
+well-behaved
+bad
+atrocious
+corked
+deplorable
+fearful
+hard
+hopeless
+horrid
+icky
+ill
+incompetent
+mediocre
+naughty
+negative
+poor
+pretty
+rubber
+severe
+swingeing
+uncool
+unfavorable
+unsuitable
+good
+angelic
+goody-goody
+redemptive
+white
+evil
+atrocious
+bad
+black
+corruptive
+demonic
+despicable
+devilish
+evil-minded
+good-natured
+amiable
+equable
+ill-natured
+atrabilious
+bristly
+cantankerous
+choleric
+churlish
+crabbed
+cranky
+crusty
+currish
+dark
+disagreeable
+huffish
+misanthropic
+misogynous
+shirty
+shrewish
+snappish
+spoiled
+surly
+vinegary
+graceful
+elegant
+fluent
+gainly
+gracile
+lissome
+awkward
+gawky
+graceless
+labored
+wooden
+gracious
+elegant
+merciful
+ungracious
+churlish
+graceless
+gradual
+bit-by-bit
+gradational
+sudden
+abrupt
+choppy
+emergent
+explosive
+fulminant
+sharp
+gradual
+easy
+sloping
+steep
+abrupt
+bluff
+heavy
+perpendicular
+steepish
+steep-sided
+grammatical
+ungrammatical
+incorrect
+grateful
+appreciative
+glad
+ungrateful
+unappreciative
+haploid
+diploid
+polyploid
+triploid
+happy
+blessed
+blissful
+bright
+golden
+laughing
+unhappy
+lovesick
+miserable
+regretful
+unregretful
+hard
+adamantine
+al dente
+corneous
+tumid
+firm
+granitic
+hardened
+woody
+petrous
+semihard
+steely
+unyielding
+soft
+brushed
+cheeselike
+compressible
+cottony
+cushioned
+demulcent
+downy
+flaccid
+flocculent
+yielding
+mushy
+overstuffed
+softish
+spongy
+velvet
+hard
+calculating
+case-hardened
+steely
+soft
+mellow
+hard
+velar
+soft
+fricative
+palatal
+hard
+soft
+hardhearted
+flinty
+softhearted
+alcoholic
+dry
+hard
+intoxicant
+spirituous
+wet
+nonalcoholic
+harmless
+innocent
+harmful
+abusive
+bad
+bruising
+deleterious
+calumniatory
+catastrophic
+counterproductive
+damaging
+ill
+insidious
+mischievous
+nocent
+stabbing
+harmonious
+consonant
+harmonic
+on-key
+pure
+symphonic
+inharmonious
+discordant
+false
+unresolved
+healthful
+anthelmintic
+antimicrobial
+carminative
+cathartic
+curative
+drugless
+good
+medicative
+organic
+orthomolecular
+preventive
+recuperative
+unhealthful
+crippling
+cytopathogenic
+infective
+unmedicinal
+unhealthy
+medical
+surgical
+preoperative
+postoperative
+operable
+inoperable
+pyretic
+antipyretic
+healthy
+flushed
+bouncing
+firm
+good
+hale
+hearty
+hearty
+anicteric
+rock-loving
+rubicund
+sun-loving
+water-loving
+well-preserved
+wholesome
+unhealthy
+angry
+arthritic
+asthmatic
+bad
+blebby
+puffy
+bloodshot
+cankerous
+carbuncled
+carious
+caseous
+chilblained
+colicky
+cytomegalic
+dehydrated
+diseased
+edematous
+enlarged
+foaming
+gangrenous
+inflamed
+inflammatory
+ingrowing
+jaundiced
+membranous
+mental
+proinflammatory
+sallow
+sore-eyed
+sunburned
+varicose
+windburned
+dry
+phlegmy
+heavenly
+ambrosial
+celestial
+divine
+divine
+paradisiacal
+providential
+translunar
+earthly
+earthborn
+earthbound
+earthlike
+mundane
+sublunar
+temporal
+digestible
+assimilable
+light
+predigested
+indigestible
+flatulent
+heavy
+nondigestible
+undigested
+stodgy
+headed
+bicephalous
+burr-headed
+headlike
+large-headed
+headless
+acephalous
+beheaded
+headed
+unheaded
+heavy
+dense
+doughy
+heavier-than-air
+hefty
+massive
+non-buoyant
+ponderous
+light
+lightweight
+airy
+buoyant
+lighter-than-air
+low-density
+weighty
+weightless
+light-duty
+light
+heavy-duty
+heavy
+industrial
+heavy
+burdensome
+distressing
+leaden
+oppressive
+weighty
+light
+fooling
+heavy
+harsh
+light
+heavy
+light
+heavy
+big
+light
+easy
+light-footed
+light
+heavy-footed
+heavy
+light
+light-armed
+heavy
+heedless
+careless
+deaf
+heedful
+enabling
+facultative
+sanctionative
+disabling
+helpful
+accommodating
+adjuvant
+assistive
+face-saving
+facilitative
+facilitatory
+implemental
+laborsaving
+ministrant
+reformative
+right-hand
+stabilizing
+steadying
+unhelpful
+unaccommodating
+unconstructive
+heterodactyl
+zygodactyl
+heterogeneous
+assorted
+disparate
+inhomogeneous
+homogeneous
+consistent
+solid
+solid
+homogenized
+homozygous
+heterozygous
+heterosexual
+straight
+homosexual
+butch
+gay
+homoerotic
+lesbian
+pederastic
+transgender
+transsexual
+transvestic
+tribadistic
+bisexual
+hierarchical
+class-conscious
+gradable
+graded
+vertical
+nonhierarchical
+ungraded
+high
+altitudinous
+commanding
+eminent
+high-level
+high-stepped
+high-top
+steep
+upper
+low
+deep
+low-growing
+low-level
+low-lying
+lowset
+nether
+squat
+raised
+elevated
+up
+upraised
+lowered
+down
+high-tech
+advanced
+low-tech
+necked
+decollete
+high-necked
+necklike
+throated
+neckless
+ceilinged
+high-ceilinged
+low-ceilinged
+raftered
+floored
+low-sudsing
+high-sudsing
+low-interest
+high-interest
+high
+advanced
+broad
+graduate
+higher
+higher
+last
+soaring
+low
+debased
+depressed
+low-level
+reduced
+high
+adenoidal
+altissimo
+alto
+countertenor
+falsetto
+peaky
+shrill
+screaky
+soprano
+sopranino
+tenor
+tenor
+low
+alto
+baritone
+bass
+contrabass
+throaty
+imitative
+apish
+mimetic
+mimic
+parrotlike
+simulated
+nonimitative
+echoic
+nonechoic
+high-resolution
+low-resolution
+high-rise
+multistory
+storied
+low-rise
+walk-up
+upland
+alpestrine
+alpine
+mountainous
+lowland
+low-lying
+home
+away
+homologous
+heterologous
+autologous
+homologous
+homologic
+heterologous
+analogous
+gabled
+hipped
+mansard
+hipped
+hipless
+honest
+downright
+dishonest
+ambidextrous
+beguiling
+deceitful
+deceptive
+false
+picaresque
+rascally
+thieving
+truthful
+honest
+veracious
+untruthful
+mendacious
+honorable
+august
+laureate
+time-honored
+dishonorable
+black
+debasing
+shabby
+unprincipled
+yellow
+hopeful
+anticipant
+hopeless
+abject
+black
+despairing
+despondent
+forlorn
+futureless
+helpless
+insoluble
+institutionalized
+noninstitutionalized
+institutional
+institutionalized
+uninteresting
+noninstitutional
+iodinating
+de-iodinating
+consolable
+inconsolable
+desolate
+horizontal
+crosswise
+flat
+level
+naiant
+vertical
+plumb
+upended
+upright
+inclined
+atilt
+aslant
+high-pitched
+low-pitched
+monoclinal
+pitched
+salient(ip)
+sidelong
+skew
+erect
+erectile
+fastigiate
+orthostatic
+passant(ip)
+rampant(ip)
+semi-climbing
+semi-erect
+semi-upright
+standing
+stand-up
+statant(ip)
+straight
+unerect
+accumbent
+bended
+cernuous
+couchant(ip)
+dormant(ip)
+flat
+hunched
+procumbent
+prone
+semi-prostrate
+supine
+standing
+seated
+standing
+running
+running
+gushing
+jetting
+standing
+dead
+slack
+still
+running
+passing
+hospitable
+kind
+inhospitable
+bare
+godforsaken
+hostile
+water-washed
+windswept
+hospitable
+welcoming
+inhospitable
+hostile
+aggressive
+antagonistic
+at loggerheads
+bitter
+dirty
+head-on
+ill
+opponent
+unfriendly
+amicable
+friendly
+well-meaning
+hot
+baking
+blistering
+calefacient
+calefactory
+calorifacient
+calorific
+fervent
+fiery
+heatable
+heated
+hottish
+overheated
+red-hot
+scorching
+sizzling
+sultry
+sweltering
+thermal
+torrid
+tropical
+white
+cold
+acold
+algid
+arctic
+bleak
+chilly
+crisp
+frigorific
+frore
+frosty
+heatless
+ice-cold
+refrigerant
+refrigerated
+shivery
+stone-cold
+unheated
+vernal
+spring-flowering
+summery
+aestival
+summer-flowering
+autumnal
+autumn-flowering
+late-ripening
+wintry
+brumal
+winter-blooming
+hot
+fiery
+heated
+red-hot
+sensual
+torrid
+white-hot
+cold
+emotionless
+frigid
+human
+anthropoid
+anthropomorphic
+earthborn
+fallible
+hominal
+hominian
+hominine
+nonhuman
+anthropoid
+bloodless
+dehumanized
+inhuman
+superhuman
+divine
+herculean
+subhuman
+infrahuman
+humane
+child-centered
+human-centered
+inhumane
+barbarous
+beastly
+cannibalic
+cold
+pitiless
+humorous
+bantering
+buffoonish
+amusing
+droll
+dry
+farcical
+Gilbertian
+hilarious
+jesting
+killing
+seriocomic
+slapstick
+tragicomic
+waggish
+witty
+humorless
+sobersided
+po-faced
+unfunny
+hungry
+empty
+famished
+peckish
+supperless
+thirsty
+hurried
+flying
+hasty
+hasty
+helter-skelter
+rush
+unhurried
+careful
+easy
+identifiable
+acknowledgeable
+classifiable
+diagnosable
+recognizable
+specifiable
+unidentifiable
+elusive
+intangible
+unclassifiable
+undiagnosable
+unrecognizable
+immanent
+transeunt
+impaired
+anosmic
+broken
+dicky
+diminished
+dysfunctional
+dyslectic
+unimpaired
+important
+all-important
+alpha
+beta
+big
+burning
+cardinal
+chief
+consequential
+Copernican
+distinguished
+grand
+grave
+great
+historic
+in-chief(ip)
+measurable
+most-valuable
+serious
+strategic
+unimportant
+inconsequent
+immaterial
+fiddling
+lightweight
+nickel-and-dime
+potty
+impressive
+amazing
+arresting
+astonishing
+baronial
+dazzling
+dramatic
+expansive
+formidable
+gallant
+brilliant
+grandiose
+important-looking
+mind-boggling
+palatial
+signal
+thundering
+unimpressive
+unimposing
+noticeable
+broad
+detectable
+discernible
+marked
+noted
+unnoticeable
+insignificant
+improved
+built
+developed
+landscaped
+unimproved
+dirt
+scrub
+cleared
+clear-cut
+improved
+uncleared
+unimproved
+inaugural
+exaugural
+valedictory
+inboard
+outboard
+portable
+inbred
+interbred
+outbred
+inclined
+apt
+fond
+prone
+accident-prone
+disinclined
+afraid
+antipathetic
+reluctant
+incoming
+outgoing
+incoming
+inbound
+designate(ip)
+elect(ip)
+future
+in
+inflowing
+inpouring
+outgoing
+outbound
+effluent
+out
+past
+inductive
+deductive
+deducible
+illative
+illative
+inferential
+indulgent
+decadent
+dissipated
+epicurean
+gay
+hedonic
+intemperate
+overindulgent
+pampering
+self-indulgent
+nonindulgent
+austere
+blue
+corrective
+monkish
+renunciant
+self-disciplined
+severe
+industrial
+developed
+industrialized
+postindustrial
+nonindustrial
+developing
+unindustrialized
+infectious
+catching
+contagious
+corrupting
+noninfectious
+noncommunicable
+infernal
+chthonian
+Hadean
+Stygian
+supernal
+informative
+advisory
+exemplifying
+newsy
+revealing
+uninformative
+newsless
+gnostic
+agnostic
+nescient
+informed
+abreast
+advised
+conversant
+educated
+hep
+knowing
+knowledgeable
+privy
+well-read
+uninformed
+clueless
+ignorant
+innocent
+newsless
+unadvised
+uninstructed
+unread
+ingenuous
+candid
+undistorted
+disingenuous
+distorted
+inhabited
+colonized
+haunted
+occupied
+owner-occupied
+peopled
+populated
+populous
+rock-inhabiting
+underpopulated
+uninhabited
+abandoned
+depopulated
+unoccupied
+unpeopled
+lonely
+unsettled
+inheritable
+ancestral
+familial
+monogenic
+polygenic
+inheriting
+nee
+noninheritable
+acquired
+congenital
+nonhereditary
+nurtural
+inhibited
+pent-up
+smothered
+uninhibited
+abandoned
+earthy
+unrepressed
+unsuppressed
+injectable
+uninjectable
+injured
+battle-scarred
+black-and-blue
+disjointed
+eviscerate
+hurt
+lacerate
+raw
+uninjured
+intact
+uncut
+unharmed
+unwounded
+innocent
+absolved
+acquitted
+blameless
+guilty
+at fault
+blameworthy
+bloodguilty
+chargeable
+conscience-smitten
+criminal
+delinquent
+finable
+guilt-ridden
+punishable
+red-handed
+inspiring
+ennobling
+uninspiring
+instructive
+clarifying
+demonstrative
+didactic
+doctrinaire
+educative
+educational
+explanatory
+expository
+interpretative
+ostensive
+preachy
+uninstructive
+edifying
+unedifying
+enlightening
+unenlightening
+integrated
+co-ed
+desegrated
+interracial
+mainstreamed
+segregated
+isolated
+separate
+sequestered
+white
+integrated
+coordinated
+embedded
+incorporated
+introjected
+tight-knit
+nonintegrated
+blended
+alloyed
+homogenized
+unblended
+unhomogenized
+combined
+compounded
+conglomerate
+occluded
+one
+rolled into one
+uncombined
+uncompounded
+integrative
+combinative
+compositional
+consolidative
+endogenic
+disintegrative
+clastic
+decompositional
+intellectual
+highbrow
+rational
+reflective
+good
+sophisticated
+nonintellectual
+anti-intellectual
+lowbrow
+mindless
+intelligent
+agile
+apt
+brainy
+bright
+natural
+quick
+prehensile
+scintillating
+searching
+unintelligent
+brainless
+intelligible
+unintelligible
+slurred
+intended
+conscious
+deliberate
+intentional
+well-intentioned
+unintended
+accidental
+causeless
+unintentional
+designed
+fashioned
+undesigned
+intensifying
+aggravating
+augmentative
+deepening
+heightening
+moderating
+alleviative
+analgesic
+tempering
+weakening
+interspecies
+intraspecies
+interested
+curious
+uninterested
+apathetic
+blase
+dismissive
+dulled
+interesting
+absorbing
+entertaining
+amusing
+intriguing
+newsworthy
+uninteresting
+boring
+insipid
+narcotic
+pedestrian
+ponderous
+putdownable
+intramural
+internal
+extramural
+intercollegiate
+intermural
+interscholastic
+outside
+intra vires
+ultra vires
+intrinsic
+built-in
+inner
+extrinsic
+adventitious
+adscititious
+alien
+external
+extraneous
+introspective
+extrospective
+introversive
+introvertish
+extroversive
+extrovert
+extrovertish
+ambiversive
+intrusive
+encroaching
+interfering
+unintrusive
+intrusive
+intruding
+protrusive
+beetle
+bellied
+obtrusive
+jutting
+overshot
+starting
+underhung
+ventricose
+igneous
+aqueous
+intrusive
+irruptive
+extrusive
+volcanic
+invasive
+aggressive
+confined
+invasive
+noninvasive
+invigorating
+animating
+bracing
+corroborant
+exhilarating
+life-giving
+renewing
+debilitating
+debilitative
+draining
+inviting
+invitatory
+tantalizing
+tantalizing
+uninviting
+unattractive
+in vitro
+in vivo
+ironed
+pressed
+smoothed
+unironed
+drip-dry
+roughdried
+unpressed
+wrinkled
+unsmoothed
+unwrinkled
+isotropic
+identical
+anisotropic
+aeolotropic
+glad
+gladsome
+sad
+bittersweet
+doleful
+heavyhearted
+melancholy
+pensive
+tragic
+tragicomic
+joyful
+beatific
+overjoyed
+sorrowful
+anguished
+bereaved
+bitter
+brokenhearted
+dolorous
+elegiac
+grievous
+lamenting
+lugubrious
+mournful
+sad
+woebegone
+joyous
+ecstatic
+elated
+gay
+gay
+joyless
+funereal
+mirthless
+unsmiling
+juicy
+au jus
+lush
+sappy
+juiceless
+sapless
+just
+conscionable
+fitting
+retributive
+rightful
+unjust
+actionable
+wrongful
+merited
+condign
+unmerited
+gratuitous
+undeserved
+keyed
+keyless
+kind
+benignant
+benign
+charitable
+gentle
+kindhearted
+unkind
+cutting
+harsh
+hurtful
+unkindly
+knowable
+unknowable
+transcendent
+known
+best-known
+better-known
+celebrated
+identified
+legendary
+proverbial
+well-known
+unknown
+chartless
+little-known
+unbeknown
+undiagnosed
+undiscovered
+unheard-of
+unidentified
+understood
+appreciated
+interpreted
+ununderstood
+misunderstood
+uncomprehended
+undigested
+ungrasped
+labeled
+unlabeled
+lamented
+unlamented
+aerial
+free-flying
+marine
+deep-sea
+oceangoing
+oceanic
+offshore
+oversea
+suboceanic
+laureled
+unlaureled
+large
+ample
+astronomic
+bear-sized
+bigger
+biggish
+blown-up
+bouffant
+broad
+bulky
+capacious
+colossal
+deep
+double
+enormous
+cosmic
+elephantine
+epic
+extensive
+gigantic
+great
+grand
+huge
+hulking
+humongous
+king-size
+large-mouthed
+large-scale
+large-scale
+life-size
+macroscopic
+macro
+man-sized
+massive
+massive
+medium-large
+monstrous
+mountainous
+outsize
+overlarge
+plumping
+queen-size
+rangy
+super
+titanic
+volumed
+voluminous
+whacking
+wide-ranging
+small
+atomic
+subatomic
+bantam
+bitty
+dinky
+dwarfish
+elfin
+gnomish
+half-size
+infinitesimal
+lesser
+microscopic
+micro
+miniature
+minuscule
+olive-sized
+pocket-size
+puny
+slender
+smaller
+smallish
+small-scale
+undersize
+greater
+lesser
+lawful
+law-abiding
+unlawful
+lawless
+wide-open
+wrongful
+leaded
+antiknock
+unleaded
+lead-free
+leaky
+drafty
+drippy
+oozing
+holey
+tight
+airtight
+dripless
+hermetic
+leakproof
+rainproof
+snug
+watertight
+caulked
+chinked
+weather-stripped
+uncaulked
+leavened
+unleavened
+leeward
+downwind
+windward
+upwind
+legal
+court-ordered
+judicial
+jural
+lawful
+ratified
+statutory
+sub judice
+illegal
+amerciable
+banned
+bootleg
+criminal
+dirty
+embezzled
+extrajudicial
+extralegal
+hot
+illegitimate
+ineligible
+misbranded
+penal
+under-the-counter
+unratified
+legible
+clean
+clear
+illegible
+dirty
+indecipherable
+deciphered
+undeciphered
+biological
+begotten
+natural
+adoptive
+foster
+legitimate
+lawfully-begotten
+morganatic
+true
+illegitimate
+adulterine
+base
+bastardly
+fatherless
+left-handed
+unlawful
+leptorrhine
+catarrhine
+platyrrhine
+leptosporangiate
+eusporangiate
+like
+like-minded
+look-alike
+suchlike
+unlike
+alike
+unalike
+like
+unlike
+likely
+apt
+probable
+promising
+unlikely
+farfetched
+last
+outside
+probable
+equiprobable
+presumptive
+verisimilar
+improbable
+supposed
+limbed
+boughed
+flipper-like
+heavy-limbed
+sharp-limbed
+limbless
+boughless
+limited
+minor
+narrow
+unlimited
+bottomless
+oceanic
+untrammeled
+lineal
+matrilineal
+patrilineal
+unilateral
+collateral
+linear
+bilinear
+nonlinear
+lined
+silk-lined
+unlined
+listed
+unlisted
+ex-directory
+over-the-counter
+literal
+denotative
+figurative
+analogical
+extended
+metaphorical
+metonymic
+poetic
+synecdochic
+tropical
+literate
+belletristic
+literary
+illiterate
+literate
+illiterate
+analphabetic
+functionally illiterate
+preliterate
+semiliterate
+semiliterate
+live
+unfilmed
+recorded
+canned
+filmed
+prerecorded
+taped
+livable
+habitable
+unlivable
+uninhabitable
+liveried
+unliveried
+loaded
+live
+undischarged
+unloaded
+blank
+dud
+loamy
+loamless
+local
+localized
+topical
+general
+systemic
+epidemic
+epiphytotic
+epizootic
+pandemic
+pestilent
+ecdemic
+endemic
+enzootic
+gloved
+gauntleted
+gloveless
+hatted
+turbaned
+hatless
+guided
+radio-controlled
+target-hunting
+unguided
+legged
+leglike
+straight-legged
+three-legged
+legless
+logical
+dianoetic
+formal
+ratiocinative
+illogical
+absurd
+inconsequential
+intuitive
+extended
+outspread
+outstretched
+sprawly
+spread-eagle
+stretched
+unextended
+mini
+midi
+maxi
+lossy
+lossless
+long
+elongate
+elongated
+extendible
+far
+lank
+long-handled
+long-range
+long-snouted
+long-staple
+long-wool
+oblong
+polysyllabic
+stretch
+short
+abbreviated
+close
+curtal
+sawed-off
+shortish
+short-range
+short-snouted
+snub
+stubby
+telescoped
+truncate
+long
+agelong
+bimestrial
+chronic
+daylong
+drawn-out
+durable
+eight-day
+endless
+hourlong
+lifelong
+long-acting
+long-dated
+longish
+long-life
+longitudinal
+long-range
+long-run
+longstanding
+monthlong
+nightlong
+perennial
+time-consuming
+weeklong
+yearlong
+short
+abbreviated
+brief
+clipped
+fleeting
+short and sweet
+short-dated
+short-range
+short-run
+long
+short
+long
+short
+lengthwise
+axial
+end-to-end
+fore-and-aft
+linear
+longitudinal
+crosswise
+cross
+cross-section
+lidded
+lidless
+loose
+baggy
+flyaway
+tight
+choky
+clenched
+close
+skintight
+tight-fitting
+viselike
+constricted
+narrowed
+pinched
+stenosed
+unconstricted
+open
+lost
+mislaid
+gone
+missing
+squandered
+stray
+straying
+found
+recovered
+lost
+cursed
+destroyed
+saved
+blessed
+ransomed
+rescued
+ransomed
+salvageable
+lost
+confiscate
+won
+loud
+big
+blaring
+clarion
+deafening
+earthshaking
+harsh-voiced
+loud-mouthed
+loud-voiced
+shattering
+shouted
+trumpet-like
+vocal
+soft
+dull
+euphonious
+gentle
+hushed
+little
+low
+murmuring
+murmurous
+soft-footed
+soft-spoken
+full
+booming
+grumbling
+plangent
+rich
+orotund
+heavy
+sounding
+thin
+pale
+piano
+pianissimo
+pianissimo assai
+forte
+fortemente
+fortissimo
+hardened
+soft
+lovable
+adorable
+angelic
+cuddlesome
+hateful
+abominable
+unlovable
+liked
+likable
+disliked
+dislikable
+unlikable
+loved
+admired
+adored
+beloved
+blue-eyed
+cherished
+favored
+unloved
+alienated
+bereft
+despised
+disinherited
+jilted
+loveless
+loving
+adoring
+affectionate
+amative
+amatory
+attached
+captivated
+enamored
+idolatrous
+loverlike
+overfond
+tenderhearted
+touchy-feely
+uxorious
+unloving
+cold
+loveless
+detached
+unromantic
+lowercase
+little
+uppercase
+capital
+lucky
+apotropaic
+hot
+serendipitous
+unlucky
+hexed
+lyric
+dramatic
+made
+unmade
+magnetic
+attractable
+antimagnetic
+magnetic
+geographic
+true
+magnetic
+nonmagnetic
+major
+better
+minor
+major
+minor
+major
+minor
+major
+minor
+major
+minor
+major
+leading
+minor
+insignificant
+secondary
+major
+minor
+majuscule
+majuscular
+minuscule
+manageable
+administrable
+controllable
+directed
+steerable
+unmanageable
+indocile
+uncheckable
+manly
+man-sized
+unmanly
+effeminate
+womanish
+male
+male
+antheral
+phallic
+priapic
+young-begetting
+female
+female
+egg-producing
+pistillate
+androgynous
+bisexual
+gynandromorphic
+hermaphroditic
+intersexual
+pseudohermaphroditic
+unisex
+manned
+unmanned
+pilotless
+marked
+asterisked
+barred
+scarred
+well-marked
+masked
+unmarked
+unasterisked
+branded
+unbranded
+married
+joined
+mated
+ringed
+wed
+unmarried
+divorced
+mateless
+unwed
+widowed
+mated
+paired
+unmated
+mateless
+masculine
+butch
+male
+mannish
+feminine
+fair
+female
+maidenlike
+powder-puff
+womanly
+matronly
+womanlike
+unwomanly
+hoydenish
+mannish
+unfeminine
+masculine
+feminine
+neuter
+matched
+coordinated
+duplicate
+mated
+one-to-one
+mismatched
+ill-sorted
+odd
+material
+crucial
+immaterial
+mature
+adult
+abloom
+fruiting
+full-blown
+headed
+marriageable
+overblown
+prime
+immature
+adolescent
+embryonic
+inchoative
+larval
+prepubescent
+prepupal
+pubescent
+pupal
+underdeveloped
+mature
+autumnal
+mellow
+ripe
+immature
+adolescent
+babyish
+childish
+ripe
+aged
+mellow
+overripe
+green
+unaged
+seasonal
+year-round
+seasonable
+unseasonable
+seasoned
+cured
+unseasoned
+uncured
+full-term
+premature
+maximal
+supreme
+minimal
+borderline
+negligible
+nominal
+stripped
+meaningful
+meaty
+meaning
+purposeful
+meaningless
+empty
+insignificant
+mindless
+nonsense
+measurable
+immeasurable
+abysmal
+illimitable
+meaty
+meatless
+mechanical
+automatic
+mechanic
+mechanistic
+mechanized
+windup
+nonmechanical
+nonmechanistic
+unmechanized
+melodious
+ariose
+canorous
+cantabile
+dulcet
+lyrical
+unmelodious
+tuneful
+tuneless
+membered
+three-membered
+four-membered
+five-membered
+six-membered
+seven-membered
+eight-membered
+nine-membered
+ten-membered
+memberless
+mined
+deep-mined
+well-mined
+strip-mined
+unmined
+musical
+chanted
+liquid
+singable
+unmusical
+musical
+philharmonic
+unmusical
+melted
+dissolved
+fusible
+molten
+thawed
+unmelted
+frozen
+undissolved
+merciful
+merciless
+cutthroat
+mortal
+pitiless
+tigerish
+metabolic
+ametabolic
+mild
+gentle
+mild-mannered
+moderate
+intense
+aggravated
+bad
+blood-and-guts
+brutal
+cold
+concentrated
+consuming
+deep
+exquisite
+extreme
+fierce
+intensified
+intensive
+main
+profound
+raging
+screaming
+severe
+smart
+strong
+terrific
+thick
+unabated
+violent
+intensive
+extensive
+involved
+active
+caught up
+concerned
+embroiled
+engaged
+implicated
+neck-deep
+uninvolved
+unconcerned
+military
+expeditionary
+martial
+combatant
+noncombatant
+civilian
+civil
+noncombatant
+military
+militaristic
+soldierly
+warlike
+unmilitary
+unsoldierly
+mitigated
+alleviated
+lessened
+quenched
+unmitigated
+arrant
+bally
+bodacious
+undiminished
+tempered
+untempered
+unmoderated
+tempered
+curable
+sunbaked
+untempered
+brittle
+mobile
+airborne
+ambulant
+floating
+maneuverable
+mechanized
+motile
+movable
+perambulating
+racy
+raisable
+rangy
+rotatable
+seaborne
+transplantable
+versatile
+waterborne
+immobile
+immovable
+nonmotile
+stiff
+portable
+man-portable
+movable
+takeout
+unportable
+removable
+dismissible
+extractable
+irremovable
+tenured
+metallic
+all-metal
+aluminiferous
+antimonial
+argentiferous
+auriferous
+bimetal
+bronze
+gold
+metallike
+silver
+tinny
+nonmetallic
+metalloid
+metamorphic
+epimorphic
+hemimetabolous
+heterometabolous
+holometabolic
+metamorphous
+changed
+nonmetamorphic
+ametabolic
+moderate
+average
+cautious
+fair
+indifferent
+limited
+middle-of-the-road
+minimalist
+modest
+immoderate
+abnormal
+all-fired
+exaggerated
+excessive
+exorbitant
+extraordinary
+extreme
+extreme
+extremist
+far
+stark
+modern
+contemporary
+neo
+red-brick
+ultramodern
+moderne
+nonmodern
+antebellum
+horse-and-buggy
+medieval
+old-world
+Victorian
+modest
+coy
+decent
+decent
+shamefaced
+immodest
+indecent
+modest
+retiring
+immodest
+important
+overweening
+modified
+adapted
+restricted
+unmodified
+unadapted
+unrestricted
+modulated
+softened
+unmodulated
+flat
+molar
+molecular
+monoclinous
+hermaphroditic
+diclinous
+monoecious
+autoicous
+heteroicous
+synoicous
+paroicous
+dioecious
+monophonic
+homophonic
+monodic
+polyphonic
+monogamous
+monandrous
+monogynous
+polygamous
+bigamous
+polyandrous
+polygynous
+monolingual
+multilingual
+bilingual
+polyglot
+trilingual
+monovalent
+polyvalent
+univalent
+bivalent
+multivalent
+monotonic
+decreasing monotonic
+increasing monotonic
+nonmonotonic
+monovalent
+polyvalent
+moral
+chaste
+clean
+moralistic
+righteous
+incorrupt
+immoral
+debauched
+disgraceful
+scrofulous
+licit
+illicit
+adulterous
+unlawful
+principled
+high-principled
+unprincipled
+many
+galore(ip)
+many a
+numerous
+some
+umpteen
+few
+a few
+hardly a
+much
+overmuch
+some
+such
+untold
+little
+small
+more
+less
+most
+least
+more
+fewer
+less
+most
+fewest
+mortal
+earthborn
+immortal
+amaranthine
+deathless
+deific
+motivated
+actuated
+driven
+unmotivated
+causeless
+motiveless
+motorized
+bimotored
+trimotored
+unmotorized
+moved
+sick
+unmoved
+moving
+affecting
+haunting
+heartwarming
+stirring
+unmoving
+unaffecting
+moving
+afoot
+ahorse
+oncoming
+automotive
+awheel
+blown
+fast-flying
+aflare
+kinetic
+mobile
+restless
+wiggly
+vibratory
+nonmoving
+inactive
+becalmed
+fixed
+frozen
+inert
+sitting
+stationary
+moving
+animated
+still
+mown
+new-mown
+unmown
+seamanlike
+unseamanlike
+lubberly
+continental
+continent-wide
+transcontinental
+intercontinental
+worldwide
+national
+nationalist
+international
+global
+internationalist
+multinational
+supranational
+interstate
+intrastate
+natural
+earthy
+unnatural
+violent
+natural
+unbleached
+artificial
+arranged
+bionic
+bleached
+cardboard
+celluloid
+conventionalized
+dummy
+ersatz
+factitious
+fake
+man-made
+near
+painted
+natural
+physical
+supernatural
+apparitional
+eerie
+eldritch
+elfin
+charming
+marvelous
+metaphysical
+necromantic
+nonnatural
+talismanic
+transmundane
+witchlike
+natural
+sharp
+flat
+ultimate
+crowning
+eventual
+final
+last-ditch
+supreme
+proximate
+immediate
+necessary
+essential
+incumbent
+needed
+obligatory
+unnecessary
+excess
+gratuitous
+inessential
+spare
+net
+clear
+take-home
+gross
+overall
+neurotic
+abulic
+compulsive
+delusional
+disturbed
+hypochondriac
+hysteric
+megalomaniacal
+monomaniacal
+nymphomaniacal
+obsessional
+obsessive-compulsive
+pathological
+phobic
+psychosomatic
+schizoid
+unneurotic
+together
+nice
+good
+pleasant
+nasty
+dirty
+grotty
+hateful
+nidicolous
+nidifugous
+noble
+dignifying
+exalted
+greathearted
+ignoble
+base
+currish
+noble
+aristocratic
+august
+coroneted
+imperial
+kingly
+monarchal
+princely
+queenly
+royal
+lowborn
+base
+common
+ignoble
+normal
+average
+median
+modal
+natural
+regular
+typical
+abnormal
+aberrant
+anomalous
+antidromic
+atypical
+brachydactylic
+defective
+freakish
+kinky
+subnormal
+supernormal
+vicarious
+normal
+abnormal
+exceptional
+hypertensive
+hypotensive
+normotensive
+normal
+paranormal
+parapsychological
+psychic
+psychokinetic
+supernormal
+north
+northbound
+north-central
+northerly
+northerly
+northernmost
+northeastern
+northeasterly
+northeastward
+northwestern
+northwesterly
+northwestward
+south
+southbound
+south-central
+southerly
+southerly
+southernmost
+southeast
+southeasterly
+southeastward
+southwest
+southwesterly
+southwestward
+northern
+boreal
+north-central
+septrional
+southern
+austral
+meridional
+south-central
+northern
+blue
+Union
+Yankee
+southern
+Confederate
+grey
+nosed
+hook-nosed
+pug-nosed
+sharp-nosed
+tube-nosed
+noseless
+noticed
+detected
+unnoticed
+disregarded
+ignored
+overlooked
+unobserved
+unperceived
+detected
+perceived
+sensed
+heard
+undetected
+undiscovered
+unobserved
+determined
+ascertained
+undetermined
+unexplained
+noxious
+baneful
+corrupting
+vesicatory
+innocuous
+innoxious
+obedient
+acquiescent
+conformable
+dutiful
+Y2K compliant
+disobedient
+contrary
+fractious
+froward
+recusant
+obtrusive
+unobtrusive
+objective
+clinical
+impersonal
+verifiable
+subjective
+personal
+prejudiced
+unobjective
+obligated
+beholden
+duty-bound
+indebted
+indebted
+supposed
+tributary
+unobligated
+unbeholden
+obligate
+facultative
+obvious
+apparent
+axiomatic
+demonstrable
+frank
+open-and-shut
+self-explanatory
+transparent
+writ large
+unobvious
+unapparent
+unprovable
+obstructed
+barricaded
+blocked
+choked
+deadlocked
+impeded
+occluded
+stopped
+stuffy
+thrombosed
+unobstructed
+clear
+patent
+unimpeded
+unclogged
+occupied
+busy
+filled
+unoccupied
+free
+spare
+occupied
+unoccupied
+relinquished
+offensive
+abhorrent
+charnel
+creepy
+disgusting
+ghoulish
+hideous
+objectionable
+rank
+scrimy
+verminous
+inoffensive
+innocuous
+savory
+unsavory
+odoriferous
+offensive
+abusive
+inoffensive
+offenseless
+offensive
+antipersonnel
+assaultive
+hit-and-run
+incursive
+marauding
+on the offensive
+defensive
+antiaircraft
+antisubmarine
+antitank
+defending
+en garde
+offending
+sinning
+offensive
+unoffending
+apologetic
+defensive
+self-deprecating
+unapologetic
+official
+authoritative
+ex officio
+formal
+formalized
+semiofficial
+unofficial
+drumhead
+informal
+unauthorized
+unsanctioned
+confirmed
+official
+unconfirmed
+unofficial
+established
+deep-rooted
+entrenched
+grooved
+legitimate
+official
+recognized
+self-constituted
+unestablished
+unrecognized
+conditioned
+unconditioned
+naive
+on-site
+on-the-spot
+off-site
+offstage
+onstage
+off-street
+on-street
+old
+age-old
+antediluvian
+antique
+auld
+hand-me-down
+hoary
+immemorial(ip)
+long-ago
+longtime
+patched
+secondhand
+sunset
+yellow
+new
+brand-new
+fresh
+hot
+newborn
+newfound
+novel
+parvenu
+recent
+revolutionary
+rising
+sunrise
+untested
+unused
+virgin
+young
+old
+aged
+aged
+aging
+ancient
+anile
+centenarian
+darkened
+doddering
+emeritus
+grey
+middle-aged
+nonagenarian
+octogenarian
+oldish
+overage
+sexagenarian
+venerable
+young
+one-year-old
+two-year-old
+three-year-old
+four-year-old
+five-year-old
+adolescent
+infantile
+boyish
+childlike
+early
+girlish
+junior
+little
+newborn
+preteen
+puppyish
+tender
+youngish
+youthful
+one-piece
+two-piece
+three-piece
+on-line
+machine-accessible
+off-line
+on-line
+off-line
+on
+connected
+off
+disconnected
+on
+off
+onside
+offside
+open
+ajar
+wide-open
+shut
+open
+opened
+unstoppered
+yawning
+closed
+blocked
+drawn
+stoppered
+nonopening
+open
+agape
+agaze
+wide-eyed
+yawning
+closed
+blinking
+compressed
+squinched
+spaced
+double-spaced
+leaded
+single-spaced
+unspaced
+unleaded
+enclosed
+basined
+besieged
+boxed
+capsulate
+clathrate
+closed
+coarctate
+embedded
+fencelike
+included
+involved
+self-enclosed
+surrounded
+unenclosed
+hypaethral
+open
+unfenced
+tanned
+untanned
+tapped
+abroach
+untapped
+open
+closed
+operational
+active
+effective
+nonoperational
+opportune
+good
+timely
+inopportune
+ill-timed
+inconvenient
+opposable
+unopposable
+opposed
+conflicting
+unopposed
+opposite
+alternate
+optimistic
+bullish
+cheerful
+rose-colored
+starry-eyed
+sanguine
+pessimistic
+bearish
+demoralized
+oral
+buccal
+buccal
+aboral
+actinal
+abactinal
+orderly
+disorderly
+boisterous
+mobbish
+raucous
+rough-and-tumble
+ordered
+consecutive
+progressive
+disordered
+organized
+methodical
+well-conducted
+disorganized
+broken
+chaotic
+fucked-up
+scrambled
+unmethodical
+unstuck
+organized
+arranged
+configured
+corporate
+re-formed
+reorganized
+unorganized
+uncoordinated
+unformed
+unincorporated
+structured
+unstructured
+ambiguous
+unregulated
+ordinary
+average
+banausic
+characterless
+common
+commonplace
+cut-and-dried
+everyday
+indifferent
+run-of-the-mill
+extraordinary
+bonzer
+exceeding
+extraordinaire(ip)
+fantastic
+phenomenal
+frightful
+great
+one
+preternatural
+pyrotechnic
+rare
+remarkable
+some
+special
+wonderworking
+organic
+inorganic
+organic
+integrated
+nonsynthetic
+inorganic
+amorphous
+artificial
+mineral
+holistic
+atomistic
+arranged
+laid
+placed
+disarranged
+disarrayed
+disturbed
+misplaced
+oriented
+adjusted
+bound
+directed
+headed
+homeward
+minded
+unoriented
+alienated
+confused
+orienting
+aligning
+dimensioning
+familiarizing
+homing
+disorienting
+confusing
+estranging
+stunning
+stupefying
+original
+avant-garde
+freehand
+fresh
+germinal
+innovative
+newfangled
+underivative
+unoriginal
+banal
+bromidic
+cliched
+cold
+slavish
+orthodox
+antiheretical
+canonic
+conforming
+conventional
+traditional
+unreformed
+unorthodox
+dissentient
+dissident
+iconoclastic
+nonconforming
+Reformed
+outdoor
+alfresco
+outdoorsy
+indoor
+outside
+after-school
+extracurricular
+extracurricular
+right
+inside
+wrong
+covered
+ariled
+awninged
+beaded
+blanketed
+canopied
+cloaked
+crusted
+dabbled
+drenched
+dusty
+moon-splashed
+moss-grown
+mud-beplastered
+muffled
+peritrichous
+plastered
+overgrown
+sealed
+smothered
+snow-clad
+splashy
+sun-drenched
+thickspread
+tiled
+white
+bare
+bald
+naked
+undraped
+unroofed
+coated
+backed
+black-coated
+glazed
+oily
+uncoated
+roofed
+roofless
+leafy
+bifoliate
+bowery
+curly-leaved
+fan-leaved
+fine-leaved
+foliaceous
+foliate
+foliolate
+grassy-leaved
+ivied
+large-leaved
+leafed
+leaflike
+leather-leaved
+petallike
+pinnate-leaved
+prickly-leaved
+silky-leaved
+silver-leaved
+spiny-leaved
+two-leaved
+unifoliate
+leafless
+aphyllous
+defoliate
+scapose
+lipped
+bilabiate
+labiate
+thick-lipped
+three-lipped
+lipless
+overt
+bald
+naked
+undisguised
+visible
+covert
+backstair
+black
+clandestine
+secret
+collusive
+cloaked
+secret
+sub-rosa
+subterranean
+under wraps
+undisclosed
+paid
+cashed
+compensable
+compensated
+mercenary
+paid-up
+post-free
+postpaid
+reply-paid
+square
+unpaid
+buckshee
+complimentary
+non-paying
+outstanding
+pro bono
+rent-free
+uncompensated
+painful
+aching
+agonized
+agonizing
+biting
+chafed
+poignant
+itchy
+racking
+saddle-sore
+sensitive
+traumatic
+painless
+pain-free
+painted
+finished
+stained
+whitewashed
+unpainted
+bare
+unoiled
+unstained
+painted
+rouged
+unpainted
+unrouged
+delineated
+depicted
+described
+diagrammatic
+undelineated
+undepicted
+undrawn
+paintable
+unpaintable
+palatable
+unpalatable
+brackish
+distasteful
+palpable
+perceptible
+impalpable
+elusive
+parallel
+antiparallel
+collateral
+nonconvergent
+oblique
+bias
+catacorner
+crabwise
+diagonal
+nonparallel
+oblique-angled
+perpendicular
+normal
+orthogonal
+right
+pardonable
+excusable
+expiable
+minor
+unpardonable
+deadly
+inexcusable
+inexpiable
+excusable
+justifiable
+inexcusable
+indefensible
+parental
+filial
+daughterly
+partial
+biased
+impartial
+disinterested
+dispassionate
+indifferent
+indifferent
+particulate
+nonparticulate
+passable
+navigable
+negotiable
+surmountable
+traversable
+impassable
+unsurmountable
+unnavigable
+untraversable
+passionate
+ablaze
+ardent
+choleric
+demon-ridden
+fanatic
+lustful
+wild
+passionless
+platonic
+unimpassioned
+past
+ago
+ancient
+bygone
+chivalric
+early
+erstwhile
+former
+historic
+last
+late
+olden
+other
+prehistoric
+then
+ultimo
+present
+existing
+immediate
+instant
+latter-day
+future
+approaching
+future day
+early
+emerging
+in store
+proximo
+born
+hatched
+unborn
+unhatched
+parented
+unparented
+orphaned
+fatherless
+motherless
+paternal
+fatherly
+paternalistic
+maternal
+maternalistic
+motherlike
+motherly
+wifely
+husbandly
+patient
+diligent
+enduring
+forbearing
+tolerant
+unhurried
+impatient
+restive
+unforbearing
+patriarchal
+patriarchic
+patricentric
+matriarchal
+matriarchic
+matricentric
+patronized
+unpatronized
+briefless
+packaged
+prepackaged
+unpackaged
+loose
+paved
+made-up
+sealed
+unpaved
+caliche-topped
+patriotic
+chauvinistic
+unpatriotic
+un-American
+peaceful
+halcyon
+irenic
+nonbelligerent
+pacific
+pacifist
+peaceable
+unpeaceful
+belligerent
+militant
+stormy
+unpeaceable
+penitent
+contrite
+penitential
+impenitent
+perceptive
+acute
+apprehensive
+apperceptive
+insightful
+observant
+quick-sighted
+subtle
+understanding
+unperceptive
+blind
+unobservant
+perceptible
+detectable
+discernible
+faint
+palpable
+perceivable
+recognizable
+sensible
+imperceptible
+impalpable
+incognizable
+indiscernible
+subliminal
+unobservable
+perfect
+clean
+clear
+cold
+complete
+down
+errorless
+faultless
+flawless
+ideal
+idealized
+idyllic
+mint
+perfectible
+pluperfect
+uncorrupted
+imperfect
+blemished
+broken
+corrupt
+defective
+imperfectible
+irregular
+perishable
+biodegradable
+decayable
+imperishable
+durable
+imputrescible
+permanent
+abiding
+ageless
+indissoluble
+standing
+impermanent
+acting
+ephemeral
+episodic
+evanescent
+fly-by-night
+improvised
+interim
+pro tem
+shipboard
+temporal
+terminable
+working
+persistent
+caducous
+deciduous
+reversible
+correctable
+rechargeable
+irreversible
+permanent
+reversible
+double-faced
+nonreversible
+revocable
+rescindable
+reversible
+irrevocable
+sealed
+permissible
+impermissible
+forbidden
+unmentionable
+untouchable
+admissible
+admittable
+allowable
+permissible
+inadmissible
+impermissible
+permissive
+indulgent
+unpermissive
+permissive
+bailable
+preventive
+blockading
+clogging
+deterrent
+frustrating
+precautionary
+preclusive
+preemptive
+prohibitive
+perplexed
+at a loss
+baffled
+metagrobolized
+questioning
+stuck
+unperplexed
+unbaffled
+personal
+ad hominem
+face-to-face
+individual
+individualized
+in-person
+own
+personalized
+person-to-person
+private
+impersonal
+nonpersonal
+persuasive
+coaxing
+cogent
+compelling
+glib
+dissuasive
+admonitory
+discouraging
+penetrable
+impenetrable
+dense
+permeable
+porous
+semipermeable
+impermeable
+retentive
+water-repellent
+pervious
+receptive
+impervious
+fast
+acid-fast
+colorfast
+greaseproof
+mothproof
+proof
+resistant
+corrosion-resistant
+rot-resistant
+runproof
+soundproof
+petalous
+four-petaled
+five-petaled
+gamopetalous
+polypetalous
+salverform
+three-petaled
+apetalous
+puncturable
+punctureless
+self-sealing
+psychoactive
+hallucinogenic
+mind-altering
+mind-expanding
+mind-bending
+psychedelic
+nonpsychoactive
+physical
+animal
+bodily
+material
+personal
+physiologic
+somatogenic
+mental
+intellectual
+moral
+psychic
+psychogenic
+psychological
+monotheistic
+polytheistic
+pious
+devotional
+godly
+holier-than-thou
+prayerful
+impious
+godless
+secular
+religious
+religious
+churchgoing
+churchly
+devout
+interfaith
+irreligious
+atheistic
+heathen
+lapsed
+nonobservant
+placable
+appeasable
+mitigable
+implacable
+grim
+unmitigable
+plain
+solid-colored
+patterned
+banded
+black-and-tan
+black-barred
+black-marked
+blotched
+brindled
+brown-speckled
+brown-striped
+burled
+checked
+cross-banded
+dappled
+dark-spotted
+dotted
+figured
+floral
+freckled
+laced
+marbled
+maroon-spotted
+moire
+patched
+pointillist
+pinstriped
+purple-veined
+purple-spotted
+red-striped
+ringed
+slashed
+sprigged
+streaked
+striped
+tessellated
+tiger-striped
+veined
+violet-streaked
+white-blotched
+white-ribbed
+white-streaked
+yellow-banded
+yellow-marked
+yellow-spotted
+yellow-striped
+plain
+austere
+bare
+chaste
+dry
+dry
+featureless
+homely
+inelaborate
+literal
+simple
+tailored
+vanilla
+fancy
+aureate
+baroque
+busy
+dressy
+crackle
+damascene
+damask
+elaborate
+embattled
+fanciful
+fantastic
+lacy
+puff
+rococo
+vermicular
+planned
+contrived
+deep-laid
+preset
+put-up
+unplanned
+casual
+ad hoc
+casual
+unpremeditated
+studied
+unstudied
+candid
+plausible
+arguable
+glib
+implausible
+improbable
+pleasant
+beautiful
+dulcet
+enjoyable
+grateful
+idyllic
+unpleasant
+acerb
+beastly
+dour
+dreadful
+embarrassing
+harsh
+harsh
+hot
+afflictive
+rebarbative
+sharp
+ungrateful
+unhappy
+pleased
+amused
+bucked up
+chuffed
+delighted
+gratified
+displeased
+annoyed
+exasperated
+disgusted
+frowning
+offended
+pleasing
+admirable
+charming
+delightful
+easy
+fabulous
+good
+gratifying
+ingratiating
+sweet
+displeasing
+disconcerting
+exasperating
+off-putting
+pointed
+acanthoid
+acuate
+barreled
+bristle-pointed
+five-pointed
+fusiform
+nibbed
+peaked
+pyramidal
+sharpened
+six-pointed
+spiked
+spikelike
+pointless
+blunt
+acute
+obtuse
+polished
+bright
+finished
+unpolished
+raw
+rough
+unburnished
+politic
+expedient
+sagacious
+impolitic
+inexpedient
+political
+governmental
+policy-making
+semipolitical
+nonpolitical
+apolitical
+ponderable
+assessable
+imponderable
+popular
+best-selling
+fashionable
+favorite
+hot
+touristed
+unpopular
+less-traveled
+pro
+anti
+positive
+affirmative
+constructive
+negative
+antagonistic
+perverse
+neutral
+neutralized
+viewless
+plus
+nonnegative
+positive
+minus
+negative
+positive
+negative
+positive
+Gram-positive
+negative
+Gram-negative
+possible
+accomplishable
+affirmable
+attainable
+contingent
+feasible
+mathematical
+impossible
+hopeless
+impracticable
+out
+unachievable
+potent
+equipotent
+multipotent
+impotent
+ineffective
+impuissant
+potent
+impotent
+powerful
+almighty
+coercive
+compelling
+mighty
+muscular
+potent
+puissant
+regent(ip)
+regnant
+powerless
+feeble
+helpless
+low-powered
+weak
+powered
+battery-powered
+high-powered
+hopped-up
+power-driven
+steam-powered
+supercharged
+unpowered
+high-tension
+high-voltage
+low-tension
+influential
+authoritative
+potent
+prestigious
+uninfluential
+placental
+transplacental
+aplacental
+planted
+cropped
+naturalized
+potbound
+quickset
+seeded
+self-seeded
+soil-building
+unplanted
+uncropped
+unseeded
+plowed
+tilled
+unplowed
+fallow
+untilled
+cultivated
+uncultivated
+uncultivable
+potted
+unpotted
+practical
+applicative
+functional
+interoperable
+matter-of-fact
+operable
+serviceable
+unimaginative
+working
+impractical
+crazy
+meshugge
+quixotic
+unfunctional
+unwieldy
+precise
+dead
+fine
+finespun
+meticulous
+microscopic
+nice
+on the nose
+very
+imprecise
+general
+precocious
+advanced
+retarded
+backward
+imbecile
+moronic
+cretinous
+delayed
+dim-witted
+predictable
+foreseeable
+inevitable
+unpredictable
+aleatory
+capricious
+episodic
+unforeseeable
+premeditated
+aforethought(ip)
+unpremeditated
+impulsive
+prepared
+braced
+embattled
+equipped
+oven-ready
+preconditioned
+precooked
+processed
+ready
+spread
+up
+unprepared
+ad-lib
+spur-of-the-moment
+prescription
+nonprescription
+present
+attendant
+ever-present
+existing
+here
+naturally occurring
+omnipresent
+absent
+away
+introuvable
+truant
+ostentatious
+flaunty
+flamboyant
+unostentatious
+quiet
+pretentious
+arty
+artsy-craftsy
+grandiloquent
+grandiose
+high-flown
+jumped-up
+nouveau-riche
+sententious
+sesquipedalian
+unpretentious
+honest
+modest
+unpompous
+primary
+capital
+direct
+firsthand
+first-string
+original
+particular
+secondary
+alternate
+auxiliary
+collateral
+indirect
+secondhand
+second-string
+standby
+thirdhand
+tributary
+utility
+vicarious
+basic
+basal
+elementary
+fundamental
+grassroots
+radical
+incidental
+omissible
+parenthetic
+peripheral
+secondary
+private
+clannish
+cloistered
+close
+closed-door
+confidential
+confidential
+insular
+nonpublic
+offstage
+one-on-one
+privy
+semiprivate
+tete-a-tete
+toffee-nosed
+public
+in the public eye
+national
+open
+semipublic
+state-supported
+unexclusive
+exclusive
+alone
+inner
+inside
+selective
+white-shoe
+inclusive
+comprehensive
+privileged
+sweetheart
+underprivileged
+deprived
+underclass
+productive
+amentiferous
+arable
+fecund
+fur-bearing
+nut-bearing
+oil-bearing
+rich
+unproductive
+bootless
+dry
+nonproductive
+generative
+consumptive
+exploitative
+reproducible
+duplicable
+unreproducible
+inimitable
+unrepeatable
+professional
+nonrecreational
+professed
+nonprofessional
+amateur
+lay
+professional
+unprofessional
+amateurish
+profitable
+bankable
+fat
+gainful
+economic
+lucrative
+unprofitable
+dead
+lean
+marginal
+unremunerative
+profound
+deep
+thoughtful
+superficial
+apparent
+dilettante
+facile
+glib
+looking
+shallow
+skin-deep
+prognathous
+lantern-jawed
+opisthognathous
+chinless
+progressive
+advanced
+advancing
+modernized
+state-of-the-art
+regressive
+atavistic
+retrograde
+returning
+unmodernized
+progressive
+degressive
+regressive
+pronounceable
+rolled
+unpronounceable
+proper
+becoming
+correct
+correct
+fitting
+halal
+kosher
+priggish
+improper
+indecent
+out-of-the-way
+wrong
+prophetic
+adumbrative
+apocalyptic
+clairvoyant
+Delphic
+divinatory
+fateful
+precursory
+predictive
+unprophetic
+nonprognosticative
+unpredictive
+prospective
+likely
+future
+retrospective
+ex post facto
+protected
+bastioned
+battlemented
+burglarproof
+covert
+moated
+shielded
+snug
+stormproof
+weatherproof
+unprotected
+exposed
+naked
+unshielded
+protective
+cautionary
+contraceptive
+custodial
+evasive
+overprotective
+preservative
+protecting
+restrictive
+safety-related
+unprotective
+proud
+arrogant
+beaming
+big
+bigheaded
+boastful
+dignified
+disdainful
+conceited
+house-proud
+overproud
+pleased
+purse-proud
+shabby-genteel
+humble
+broken
+meek
+proved
+established
+evidenced
+tested
+verified
+unproved
+on trial
+unverified
+provident
+careful
+farseeing
+forehanded
+forethoughtful
+improvident
+short
+thriftless
+unforethoughtful
+provocative
+agitative
+challenging
+charged
+incendiary
+rousing
+unprovocative
+disarming
+noninflammatory
+prudent
+circumspect
+judicious
+provident
+prudential
+imprudent
+ill-considered
+injudicious
+rash
+punctual
+prompt
+timely
+unpunctual
+behindhand
+belated
+benighted
+last-minute
+punished
+tarred-and-feathered
+unpunished
+uncorrected
+punitive
+correctional
+penal
+penitentiary
+retaliatory
+rehabilitative
+purebred
+full-blooded
+pedigree
+crossbred
+bigeneric
+hybrid
+underbred
+half-blooded
+pure
+immaculate
+white
+impure
+defiled
+pure
+axenic
+clean
+clean
+fine
+native
+plain
+pristine
+sublimate
+unadulterated
+unalloyed
+uncontaminated
+virginal
+impure
+technical-grade
+adulterate
+alloyed
+bastardized
+contaminated
+dirty
+unpurified
+contaminated
+mercury-contaminated
+uncontaminated
+purposeful
+businesslike
+goal-directed
+purpose-built
+purposeless
+adrift
+desultory
+qualified
+well-qualified
+unqualified
+quack
+trained
+disciplined
+drilled
+housebroken
+potty-trained
+untrained
+primitive
+undisciplined
+qualified
+conditional
+hedged
+limited
+unqualified
+categoric
+clean
+cool
+outright
+qualitative
+soft
+quantitative
+decimal
+duodecimal
+numeric
+quantifiable
+three-figure
+valued
+vicenary
+questionable
+alleged
+apocryphal
+debatable
+doubtful
+equivocal
+fishy
+impugnable
+self-styled
+unquestionable
+acknowledged
+beyond doubt
+for sure
+mathematical
+unimpeachable
+quiet
+noiseless
+silent
+stilly
+tiptoe
+noisy
+blatant
+abuzz
+clangorous
+clanking
+clattery
+creaky
+rackety
+reedy
+stertorous
+swishy
+thundering
+whirring
+restful
+slumberous
+restless
+quiet
+quiescent
+untroubled
+unquiet
+disruptive
+squally
+random
+ergodic
+haphazard
+stochastic
+nonrandom
+purposive
+rational
+coherent
+demythologized
+intelligent
+reasonable
+irrational
+blind
+reasonless
+nonrational
+superstitious
+emotional
+cerebral
+racial
+biracial
+interracial
+multiracial
+racist
+nonracial
+reactive
+activated
+labile
+oxidizable
+thermolabile
+unstable
+unreactive
+inactive
+inert
+noble
+stable
+ready
+at the ready
+fit
+in order
+prompt
+ripe
+waiting
+unready
+flat-footed
+napping
+unripe
+real
+actual
+actual
+objective
+historical
+unreal
+dreamed
+envisioned
+eye-deceiving
+fabled
+fabricated
+fabulous
+fanciful
+fantastic
+hallucinatory
+illusional
+illusive
+make-believe
+real
+proper
+true
+unreal
+deceptive
+dreamlike
+phantom
+real
+nominal
+realistic
+down-to-earth
+hardheaded
+graphic
+living
+true-to-life
+veridical
+virtual
+unrealistic
+chimerical
+delusive
+fantastic
+kafkaesque
+phantasmagoric
+reasonable
+commonsense
+healthy
+tenable
+unreasonable
+counterintuitive
+indefensible
+mindless
+undue
+reciprocal
+bilateral
+trilateral
+correlative
+interactional
+reciprocative
+reciprocative
+nonreciprocal
+nonreciprocating
+unanswered
+refined
+civilized
+couth
+dainty
+debonair
+finespun
+gentlemanlike
+ladylike
+patrician
+overrefined
+well-bred
+unrefined
+agrestic
+artless
+boorish
+coarse
+crass
+ill-bred
+low
+robust
+rough
+rough-spoken
+ungentlemanly
+unladylike
+processed
+cured
+milled
+semi-processed
+unprocessed
+natural
+streaming
+unvulcanized
+refined
+unrefined
+treated
+activated
+aerated
+burned
+doped
+fumed
+proofed
+untreated
+raw
+oiled
+unoiled
+treated
+bandaged
+dosed
+dressed
+untreated
+recoverable
+redeemable
+retrievable
+unrecoverable
+irretrievable
+lost
+regenerate
+born-again
+reformed
+unregenerate
+cussed
+impenitent
+unconverted
+registered
+certified
+recorded
+unregistered
+unlisted
+registered
+unregistered
+regular
+first-string
+lawful
+official
+standard
+timed
+uniform
+weak
+well-ordered
+irregular
+asymmetrical
+casual
+improper
+randomized
+strong
+regular
+irregular
+regulated
+unregulated
+remediable
+irremediable
+renewable
+unrenewable
+rentable
+unrentable
+reparable
+maintainable
+irreparable
+repeatable
+unrepeatable
+repetitive
+iterative
+nonrepetitive
+printable
+unprintable
+requested
+unrequested
+unasked
+rhymed
+alliterative
+assonant
+end-rhymed
+unrhymed
+uniform
+single
+multiform
+polymorphic
+periodic
+cyclic
+oscillatory
+diurnal
+daily
+nightly
+weekly
+semiweekly
+hourly
+half-hourly
+fortnightly
+annual
+semiannual
+biennial
+triennial
+monthly
+bimonthly
+semimonthly
+semestral
+midweekly
+aperiodic
+noncyclic
+nonoscillatory
+regular
+standing
+irregular
+related
+affinal
+agnate
+akin
+allied
+descendant
+enate
+kindred
+unrelated
+unconnected
+related
+affiliated
+age-related
+bound up
+cognate
+connate
+coreferent
+correlative
+corresponding
+side by side
+unrelated
+misrelated
+orthogonal
+uncorrelated
+relevant
+applicable
+germane
+pertinent
+irrelevant
+digressive
+extraneous
+inapplicable
+moot
+mindful
+careful
+evocative
+unmindful
+amnesic
+replaceable
+exchangeable
+irreplaceable
+representational
+delineative
+eidetic
+figural
+mimetic
+naturalistic
+nonrepresentational
+abstract
+conventional
+geometric
+hieratic
+protogeometric
+semiabstract
+representative
+allegorical
+emblematic
+nonrepresentative
+reputable
+esteemed
+estimable
+redoubtable
+respected
+time-honored
+disreputable
+discreditable
+discredited
+ill-famed
+louche
+seamy
+receptive
+acceptive
+admissive
+assimilative
+hospitable
+unreceptive
+closed
+reconcilable
+harmonizable
+resolvable
+irreconcilable
+hostile
+inconsistent
+reserved
+aloof
+diffident
+indrawn
+unreserved
+reserved
+booked
+bookable
+unreserved
+first-come-first-serve
+unbooked
+resistible
+irresistible
+overpowering
+resolute
+bent
+determined
+desperate
+firm
+foursquare
+hell-bent
+single-minded
+spartan
+stalwart
+undaunted
+undeterred
+irresolute
+discouraged
+infirm
+unstable
+vacillant
+weak-kneed
+respectable
+decent
+presentable
+upstanding
+unrespectable
+respectful
+deferent
+honorific
+disrespectful
+annihilating
+contemptuous
+contumelious
+derisive
+impious
+impudent
+undeferential
+responsible
+accountable
+answerable
+amenable
+liable
+trustworthy
+irresponsible
+carefree
+do-nothing
+feckless
+idle
+trigger-happy
+unaccountable
+unreliable
+responsive
+answering
+unresponsive
+refractory
+restrained
+close
+low-key
+unexpansive
+unrestrained
+excessive
+freewheeling
+highflying
+unbridled
+unbuttoned
+unhampered
+restricted
+circumscribed
+closed
+off-limits
+unrestricted
+all-weather
+discretionary
+open
+open-plan
+open-ended
+restrictive
+confining
+inhibitory
+limiting
+regulative
+sumptuary
+suppressive
+unrestrictive
+emancipative
+nonrestrictive
+retentive
+unretentive
+reticulate
+cancellate
+crisscross
+fretted
+interconnected
+lacy
+meshed
+networklike
+nonreticulate
+retractile
+retractable
+nonretractile
+reflective
+mirrorlike
+reflecting
+nonreflective
+echoless
+reflected
+echoic
+mirrored
+unreflected
+absorbed
+reverberant
+bright
+clinking
+echoing
+hollow
+jingling
+live
+resonant
+tinkling
+vibrant
+unreverberant
+anechoic
+dead
+dull
+reverent
+adoring
+awed
+respectful
+irreverent
+blasphemous
+aweless
+revived
+recrudescent
+redux(ip)
+renewed
+resurgent
+resuscitated
+revitalized
+unrevived
+awakened
+aroused
+unawakened
+awed
+overawed
+unawed
+aweless
+revolutionary
+counterrevolutionary
+rewarding
+bountied
+rewardful
+unrewarding
+thankless
+profitless
+rhetorical
+bombastic
+flowery
+empurpled
+forensic
+grandiloquent
+oratorical
+poetic
+stylistic
+unrhetorical
+matter-of-fact
+plainspoken
+rhythmical
+Adonic
+cadenced
+danceable
+jazzy
+lilting
+measured
+Sapphic
+chantlike
+syncopated
+throbbing
+unrhythmical
+arrhythmic
+nonrhythmic
+unmeasured
+ribbed
+costate
+riblike
+ribless
+rich
+affluent
+comfortable
+poor
+broke
+destitute
+hard up
+moneyless
+unprovided for
+rich
+poor
+resourceless
+rich
+deluxe
+lavish
+poor
+beggarly
+slummy
+moneyed
+moneyless
+solvent
+insolvent
+bankrupt
+rich
+lean
+rimmed
+horn-rimmed
+red-rimmed
+rimless
+handed
+one-handed
+two-handed
+handless
+handled
+handleless
+right-handed
+dextral
+right
+left-handed
+left
+sinistral
+ambidextrous
+equipoised
+right
+conservative
+oldline
+reactionary
+rightish
+rightist
+left
+far left
+leftish
+leftist
+liberal
+center
+centrist
+right
+far
+rightmost
+right-hand
+starboard
+left
+left-hand
+leftmost
+near
+port
+horned
+antlered
+antler-like
+bicorn
+hollow-horned
+horny
+hornless
+right
+ethical
+wrong
+condemnable
+base
+misguided
+righteous
+good
+sound
+unrighteous
+sinful
+robust
+beefy
+big-boned
+big-chested
+big-shouldered
+cast-iron
+hardy
+hardy
+half-hardy
+heavy-armed
+square-built
+vigorous
+frail
+decrepit
+light-boned
+round
+apple-shaped
+ball-shaped
+barrel-shaped
+bulblike
+capitate
+coccoid
+cumuliform
+discoid
+goblet-shaped
+moonlike
+nutlike
+pancake-like
+pear-shaped
+pinwheel-shaped
+ringlike
+roundish
+wheel-like
+square
+quadrate
+right-angled
+squared
+squarish
+rounded
+allantoid
+almond-shaped
+annular
+aspheric
+auriform
+bean-shaped
+bowfront
+crescent
+cycloid
+cylindrical
+disciform
+domed
+dome-shaped
+egg-shaped
+ellipsoid
+hyperboloidal
+lingulate
+olivelike
+parabolic
+paraboloidal
+pillar-shaped
+pineal
+plumlike
+rod-shaped
+rotund
+terete
+umbrellalike
+angular
+angled
+asteroid
+bicuspid
+cuspate
+equiangular
+isogonic
+rectangular
+sharp-cornered
+square-shaped
+three-cornered
+triangular
+tricuspid
+unicuspid
+oblate
+prolate
+cucumber-shaped
+rural
+agrarian
+agrestic
+arcadian
+campestral
+countrified
+country-bred
+country-style
+cracker-barrel
+hobnailed
+urban
+citified
+city-like
+urbanized
+rusted
+rusty
+rustless
+rust-free
+rustproof
+rust-resistant
+undercoated
+holy
+beatified
+Blessed
+consecrated
+hallowed
+unholy
+profane
+sacred
+divine
+ineffable
+inspirational
+inviolable
+numinous
+quasi-religious
+religious
+reverend
+sacral
+taboo
+profane
+laic
+profanatory
+sadistic
+masochistic
+safe
+fail-safe
+off the hook
+risk-free
+safe and sound
+dangerous
+breakneck
+chancy
+desperate
+hazardous
+insidious
+mordacious
+on the hook
+parlous
+self-destructive
+treacherous
+safe
+out
+down
+salable
+marketable
+marketable
+unsalable
+unmarketable
+unmarketable
+same
+assonant
+comparable
+cookie-cutter
+duplicate
+homophonic
+identical
+one
+synoptic
+different
+antithetic
+assorted
+contrary
+contrasting
+diametric
+divergent
+disparate
+distinct
+diverse
+divers
+opposite
+several
+variant
+same
+aforesaid
+identical
+other
+different
+another
+different
+new
+opposite
+opposite
+opposite
+otherwise
+similar
+akin
+analogous
+confusable
+connatural
+corresponding
+quasi
+sympathetic
+dissimilar
+sane
+compos mentis
+in his right mind
+lucid
+insane
+amuck
+balmy
+brainsick
+certifiable
+crackbrained
+crazed
+fey
+hebephrenic
+lunatic
+maniacal
+manic-depressive
+maniclike
+mentally ill
+non compos mentis
+paranoid
+psychopathic
+psychotic
+raving mad
+schizophrenic
+screw-loose
+satiate
+jaded
+satiable
+insatiate
+quenchless
+unsated
+unsatisfiable
+sarcastic
+barbed
+black
+corrosive
+sardonic
+satirical
+saturnine
+unsarcastic
+satisfactory
+adequate
+all right
+alright
+comforting
+copacetic
+passing
+right
+unsatisfactory
+disappointing
+failing
+off
+unacceptable
+scalable
+ascendable
+unscalable
+scholarly
+academic
+bookish
+erudite
+unscholarly
+unlearned
+unstudious
+scientific
+technological
+unscientific
+pseudoscientific
+scrupulous
+religious
+unscrupulous
+conscientious
+unconscientious
+conscienceless
+sealed
+unopened
+unsealed
+open
+sealed
+unsealed
+wrapped
+unwrapped
+seaworthy
+unseaworthy
+airworthy
+unairworthy
+concealed
+bushwhacking
+dark
+furtive
+hidden
+hidden
+incognito
+lying in wait
+sealed
+secret
+sneaking
+unconcealed
+blatant
+exhibitionistic
+concealing
+revealing
+indicative
+sectarian
+denominational
+narrow-minded
+nonsectarian
+ecumenic
+interchurch
+nondenominational
+undenominational
+secure
+insecure
+overanxious
+unassured
+secure
+assured
+firm
+fail-safe
+sure
+insecure
+precarious
+unguaranteed
+secure
+steady
+tight
+insecure
+fastened
+pegged-down
+unfastened
+unbarred
+undone
+insured
+insurable
+uninsured
+uninsurable
+seductive
+alluring
+corrupting
+insidious
+teasing
+unseductive
+uninviting
+selfish
+egotistic
+self-serving
+unselfish
+public-spirited
+self-denying
+self-forgetful
+sharing
+senior
+elder
+major(ip)
+precedential
+ranking
+junior
+junior-grade
+minor(ip)
+younger
+sensational
+lurid
+scandalmongering
+screaming
+unsensational
+sensible
+insensible
+anesthetic
+asleep
+sensitive
+delicate
+erogenous
+excitable
+highly sensitive
+irritable
+light-sensitive
+radiosensitive
+nociceptive
+reactive
+insensitive
+dead
+unreactive
+sensitive
+alive
+huffy
+oversensitive
+insensitive
+callous
+dead
+dull
+insensible
+soulless
+thick-skinned
+sensitizing
+desensitizing
+numbing
+sensory
+extrasensory
+clairvoyant
+telegnostic
+telepathic
+sent
+unsent
+separate
+apart
+asunder
+detached
+discrete
+disjoint
+disjunct
+isolable
+unaccompanied
+joint
+clannish
+concerted
+conjoined
+corporate
+cosignatory
+sanitary
+hygienic
+unsanitary
+unhygienic
+septic
+abscessed
+dirty
+contaminative
+purulent
+infectious
+putrefactive
+septicemic
+antiseptic
+aseptic
+bactericidal
+cleansing
+nonpurulent
+uninfected
+germfree
+axenic
+germy
+unsterilized
+adulterating
+extraneous
+purifying
+ablutionary
+antiseptic
+detergent
+serious
+earnest
+grave
+overserious
+real
+thoughtful
+sobering
+solid
+frivolous
+airheaded
+flighty
+flippant
+idle
+light
+trivial
+playful
+coltish
+devilish
+elfin
+arch
+kittenish
+mocking
+unplayful
+selected
+elect
+unselected
+serviceable
+durable
+functional
+unserviceable
+broken-down
+burned-out
+inoperable
+unrepaired
+resident
+nonresident
+settled
+based
+built-up
+located
+nonnomadic
+relocated
+unsettled
+aimless
+erratic
+homeless
+migrant
+mobile
+peripatetic
+itinerant
+rootless
+unlocated
+migratory
+nonmigratory
+settled
+accomplished
+appointed
+determined
+deterministic
+firm
+preconcerted
+unsettled
+doubtful
+open
+sexy
+aroused
+autoerotic
+coquettish
+erotic
+blue
+hot
+intimate
+juicy
+lascivious
+lecherous
+leering
+lubricious
+orgiastic
+oversexed
+pornographic
+provocative
+raunchy
+sexed
+sex-starved
+unsexy
+sexless
+sexless
+undersexed
+sexual
+intersexual
+sexed
+unisexual
+asexual
+agamic
+fissiparous
+neuter
+vegetal
+castrated
+altered
+cut
+spayed
+uncastrated
+entire
+aphrodisiac
+anaphrodisiac
+estrous
+monestrous
+polyestrous
+anestrous
+diestrous
+shapely
+bosomy
+callipygian
+clean-limbed
+full-fashioned
+Junoesque
+modeled
+retrousse
+well-proportioned
+well-turned
+unshapely
+acromegalic
+chunky
+clubfooted
+deformed
+ill-proportioned
+knobby
+nodular
+nodulose
+pigeon-breasted
+shapeless
+torulose
+breasted
+bosomed
+breastless
+formed
+ductile
+acorn-shaped
+awl-shaped
+bacillar
+bag-shaped
+bar-shaped
+basket-shaped
+belt-shaped
+biform
+boot-shaped
+bottle-shaped
+botuliform
+butterfly-shaped
+button-shaped
+catenulate
+claw-shaped
+club-shaped
+club-shaped
+cowl-shaped
+cross-shaped
+die-cast
+drum-shaped
+eel-shaped
+fan-shaped
+fig-shaped
+foot-shaped
+football-shaped
+funnel-shaped
+guitar-shaped
+hammer-shaped
+harp-shaped
+hook-shaped
+horn-shaped
+hourglass-shaped
+H-shaped
+keel-shaped
+lance-shaped
+lancet-shaped
+lip-shaped
+L-shaped
+lyre-shaped
+navicular
+nutmeg-shaped
+oven-shaped
+paddle-shaped
+perfected
+phylliform
+pitcher-shaped
+precast
+ribbon-shaped
+rudder-like
+saddle-shaped
+slipper-shaped
+shaped
+spade-shaped
+spider-shaped
+spoon-shaped
+s-shaped
+stirrup-shaped
+tassel-shaped
+T-shaped
+tadpole-shaped
+thimble-shaped
+trumpet-shaped
+turnip-shaped
+umbrella-shaped
+U-shaped
+vase-shaped
+vermiform
+v-shaped
+W-shaped
+Y-shaped
+unformed
+amorphous
+unshaped
+shared
+common
+joint
+unshared
+exclusive
+individual
+undivided
+shaven
+beardless
+clean-shaven
+unshaven
+bearded
+bestubbled
+goateed
+mustachioed
+sheared
+unsheared
+sheathed
+cased
+clad
+ironclad
+podlike
+unsheathed
+shockable
+unshockable
+shod
+booted
+ironshod
+roughshod
+sandaled
+slippered
+unshod
+barefoot
+stockinged
+calced
+discalced
+nearsighted
+farsighted
+eagle-eyed
+hyperopic
+telescopic
+shrinkable
+unshrinkable
+sighted
+argus-eyed
+clear-sighted
+seeing
+blind
+blinded
+blindfold
+color-blind
+dazzled
+deuteranopic
+dim-sighted
+eyeless
+protanopic
+snow-blind
+stone-blind
+tritanopic
+signed
+autographed
+subscribed
+unsigned
+significant
+momentous
+epochal
+earthshaking
+evidential
+fundamental
+large
+monumental
+noteworthy
+probative
+operative
+portentous
+insignificant
+hole-and-corner
+flimsy
+inappreciable
+light
+superficial
+significant
+nonsignificant
+silenced
+suppressed
+unsilenced
+simple
+acerate
+acuminate
+apiculate
+caudate
+cordate
+cuneate
+deltoid
+dolabriform
+elliptic
+ensiform
+hastate
+lanceolate
+linear
+lyrate
+needled
+two-needled
+three-needled
+four-needled
+five-needled
+obtuse
+oblanceolate
+oblong
+obovate
+orbiculate
+ovate
+pandurate
+peltate
+perfoliate
+reniform
+sagittate
+spatulate
+unlobed
+compound
+bilobate
+binate
+bipartite
+bipinnate
+bipinnatifid
+cleft
+conjugate
+decompound
+even-pinnate
+incised
+lobed
+odd-pinnate
+palmate
+palmatifid
+parted
+pedate
+pinnate
+pinnatifid
+pinnatisect
+quinquefoliate
+radiate
+ternate
+trifoliate
+trilobate
+tripinnate
+tripinnatifid
+simple
+simplex
+simplistic
+unanalyzable
+uncomplicated
+complex
+analyzable
+Byzantine
+colonial
+complicated
+composite
+compound
+daedal
+Gordian
+interlacing
+intricate
+labyrinthine
+multifactorial
+multiplex
+thickening
+sincere
+bona fide
+cordial
+dear
+honest
+genuine
+heart-whole
+insincere
+bootlicking
+buttery
+dissimulative
+false
+feigned
+gilded
+hypocritical
+plausible
+singular
+plural
+dual
+singular
+plural
+cardinal
+zero
+non-zero
+one
+two
+three
+four
+five
+six
+seven
+eight
+nine
+ten
+eleven
+twelve
+thirteen
+fourteen
+fifteen
+sixteen
+seventeen
+eighteen
+nineteen
+twenty
+twenty-one
+twenty-two
+twenty-three
+twenty-four
+twenty-five
+twenty-six
+twenty-seven
+twenty-eight
+twenty-nine
+thirty
+thirty-one
+thirty-two
+thirty-three
+thirty-four
+thirty-five
+thirty-six
+thirty-seven
+thirty-eight
+thirty-nine
+forty
+forty-one
+forty-two
+forty-three
+forty-four
+forty-five
+forty-six
+forty-seven
+forty-eight
+forty-nine
+fifty
+fifty-one
+fifty-two
+fifty-three
+fifty-four
+fifty-five
+fifty-six
+fifty-seven
+fifty-eight
+fifty-nine
+sixty
+sixty-one
+sixty-two
+sixty-three
+sixty-four
+sixty-five
+sixty-six
+sixty-seven
+sixty-eight
+sixty-nine
+seventy
+seventy-one
+seventy-two
+seventy-three
+seventy-four
+seventy-five
+seventy-six
+seventy-seven
+seventy-eight
+seventy-nine
+eighty
+eighty-one
+eighty-two
+eighty-three
+eighty-four
+eighty-five
+eighty-six
+eighty-seven
+eighty-eight
+eighty-nine
+ninety
+ninety-one
+ninety-two
+ninety-three
+ninety-four
+ninety-five
+ninety-six
+ninety-seven
+ninety-eight
+ninety-nine
+hundred
+hundred and one
+one hundred five
+one hundred ten
+one hundred fifteen
+one hundred twenty
+one hundred twenty-five
+one hundred thirty
+one hundred thirty-five
+one hundred forty
+one hundred forty-five
+one hundred fifty
+one hundred fifty-five
+one hundred sixty
+one hundred sixty-five
+one hundred seventy
+one hundred seventy-five
+one hundred eighty
+one hundred ninety
+two hundred
+three hundred
+four hundred
+five hundred
+thousand
+ten thousand
+hundred thousand
+million
+billion
+billion
+trillion
+trillion
+zillion
+ordinal
+zero
+zeroth
+first
+second
+third
+fourth
+fifth
+sixth
+seventh
+eighth
+ninth
+tenth
+eleventh
+twelfth
+thirteenth
+fourteenth
+fifteenth
+sixteenth
+seventeenth
+eighteenth
+nineteenth
+umpteenth
+twentieth
+twenty-first
+twenty-second
+twenty-third
+twenty-fourth
+twenty-fifth
+twenty-sixth
+twenty-seventh
+twenty-eighth
+twenty-ninth
+thirtieth
+thirty-first
+thirty-second
+thirty-third
+thirty-fourth
+thirty-fifth
+thirty-sixth
+thirty-seventh
+thirty-eighth
+thirty-ninth
+fortieth
+forty-first
+forty-second
+forty-third
+forty-fourth
+forty-fifth
+forty-sixth
+forty-seventh
+forty-eighth
+forty-ninth
+fiftieth
+fifty-fifth
+sixtieth
+sixty-fourth
+sixty-fifth
+seventieth
+seventy-fifth
+eightieth
+eighty-fifth
+ninetieth
+ninety-fifth
+hundredth
+hundred-and-first
+hundred-and-fifth
+hundred-and-tenth
+hundred-and-fifteenth
+hundred-and-twentieth
+hundred-and-twenty-fifth
+hundred-and-thirtieth
+hundred-and-thirty-fifth
+hundred-and-fortieth
+hundred-and-forty-fifth
+hundred-and-fiftieth
+hundred-and-fifty-fifth
+hundred-and-sixtieth
+hundred-and-sixty-fifth
+hundred-and-seventieth
+hundred-and-seventy-fifth
+hundred-and-eightieth
+hundred-and-ninetieth
+two-hundredth
+three-hundredth
+four-hundredth
+five-hundredth
+thousandth
+millionth
+billionth
+trillionth
+quadrillionth
+quintillionth
+nth
+scripted
+unscripted
+ad-lib
+sinkable
+unsinkable
+single
+azygous
+one-man
+lone
+singular
+sui generis
+unary
+uninominal
+multiple
+aggregate
+bigeminal
+binary
+double
+double
+double
+duplex
+manifold
+ternary
+treble
+triune
+quadruple
+quadruple
+quaternate
+quintuple
+sextuple
+septuple
+octuple
+nonuple
+tenfold
+double
+single
+multiple-choice
+true-false
+single-lane
+multilane
+divided
+two-lane
+three-lane
+four-lane
+sized
+apple-sized
+cherry-sized
+cookie-sized
+crow-sized
+dog-sized
+eightpenny
+ferret-sized
+fourpenny
+grape-sized
+human-sized
+kiwi-sized
+medium-sized
+mouse-sized
+ninepenny
+orange-sized
+pig-sized
+rabbit-sized
+shrew-sized
+size
+sorted
+sparrow-sized
+squirrel-sized
+threepenny
+turkey-sized
+wolf-sized
+unsized
+unsorted
+sized
+unsized
+skilled
+accomplished
+adept
+arch
+ball-hawking
+consummate
+delicate
+hot
+mean
+sure-handed
+technical
+versatile
+unskilled
+artless
+botchy
+bungled
+bungling
+crude
+hopeless
+humble
+lubberly
+out of practice
+semiskilled
+weak
+verbal
+numerical
+coarse
+coarse-grained
+farinaceous
+granulated
+plushy
+loose
+fine
+close
+close-grained
+dustlike
+floury
+nongranular
+powdered
+small
+superfine
+smoky
+blackened
+smoking
+smoke-filled
+smokeless
+smoke-free
+slippery
+lubricious
+nonstick
+slick
+sliding
+slimed
+slipping
+slithery
+nonslippery
+nonskid
+nonslip
+lubricated
+unlubricated
+smooth
+creaseless
+even-textured
+fast
+fine-textured
+glassy
+seamless
+streamlined
+velvet
+rough
+abrasive
+alligatored
+barky
+broken
+bullate
+bumpy
+chapped
+corded
+costate
+cragged
+crushed
+homespun
+imbricate
+lepidote
+squamulose
+lined
+pocked
+rock-ribbed
+rocky
+gravelly
+roughish
+rugose
+sandpapery
+saw-like
+scabby
+shagged
+textured
+verrucose
+smooth
+rough
+furrowed
+canaliculate
+corrugated
+rutted
+unfurrowed
+smooth
+entire
+repand
+sinuate
+undulate
+unnotched
+rough
+bidentate
+biserrate
+ciliate
+crenate
+crenulate
+crispate
+dentate
+denticulate
+emarginate
+erose
+fimbriate
+fringed
+lacerate
+pectinate
+rimose
+runcinate
+serrate
+serrulate
+spinose
+rifled
+unrifled
+social
+cultural
+gregarious
+interpersonal
+multiethnic
+unsocial
+alone
+antisocial
+asocial
+lone
+recluse
+accompanied
+unaccompanied
+alone
+isolated
+tod
+unattended
+accompanied
+unaccompanied
+a cappella
+solo
+gregarious
+social
+ungregarious
+nongregarious
+gregarious
+clustered
+ungregarious
+caespitose
+seamed
+seamy
+sewed
+seamless
+broadloom
+circular-knit
+unseamed
+seeded
+unseeded
+seedy
+black-seeded
+multi-seeded
+seeded
+seeded
+single-seeded
+small-seeded
+three-seeded
+white-seeded
+seedless
+seeded
+stoneless
+shuttered
+closed
+unshuttered
+sleeved
+sleeveless
+sociable
+clubbable
+clubbish
+companionable
+convivial
+extroverted
+social
+unsociable
+antisocial
+ungregarious
+sold
+oversubscribed
+sold-out
+unsold
+soled
+soleless
+solid
+coagulated
+concrete
+congealed
+dry
+semisolid
+solid-state
+solid-state
+liquid
+fluid
+liquefiable
+liquefied
+semiliquid
+watery
+gaseous
+aeriform
+aerosolized
+evaporated
+gasified
+gassy
+vaporific
+solid
+massive
+hollow
+cavernous
+deep-set
+fistular
+tubular
+soluble
+alcohol-soluble
+dissolvable
+fat-soluble
+meltable
+oil-soluble
+water-soluble
+insoluble
+water-insoluble
+soluble
+answerable
+solvable
+insoluble
+insolvable
+solved
+unsolved
+some
+any
+both
+several
+no
+nary
+none
+zero
+all
+each
+every
+every last
+every
+sophisticated
+blase
+intelligent
+polished
+worldly-wise
+naive
+childlike
+credulous
+fleeceable
+innocent
+simple-minded
+unsophisticated
+sound
+dependable
+healthy
+solid
+stable
+unsound
+bad
+long
+wildcat
+sound
+solid
+unsound
+corroded
+decayed
+effervescent
+bubbling
+aerated
+fizzing
+carbonated
+noneffervescent
+flat
+noncarbonated
+sparkling
+still
+specialized
+differentiated
+special
+specialistic
+unspecialized
+generalized
+spinous
+spineless
+spirited
+boisterous
+con brio
+dashing
+ebullient
+feisty
+impertinent
+lively
+mettlesome
+resilient
+snappy
+sprightly
+vibrant
+zestful
+spiritless
+apathetic
+bloodless
+dispirited
+heartless
+thin
+spontaneous
+impulsive
+intuitive
+natural
+induced
+elicited
+iatrogenic
+spoken
+expressed
+oral
+verbal
+viva-voce
+written
+backhand
+cursive
+engrossed
+graphic
+handwritten
+holographic
+inscribed
+longhand
+scrivened
+shorthand
+voiced
+unvoiced
+whispered
+written
+codified
+unwritten
+common-law
+vocalic
+vowellike
+consonantal
+stoppable
+abatable
+unstoppable
+unbeatable
+syllabic
+nonsyllabic
+syllabic
+disyllabic
+monosyllabic
+octosyllabic
+pentasyllabic
+polysyllabic
+decasyllabic
+syllabled
+nonsyllabic
+unsyllabled
+syllabic
+accentual
+quantitative
+stable
+firm
+lasting
+stabile
+stabilized
+unstable
+coseismic
+crank
+explosive
+rickety
+rocky
+seismic
+tipsy
+top-heavy
+tottering
+volcanic
+staccato
+abrupt
+legato
+staged
+unstaged
+unperformed
+standard
+authoritative
+basic
+casebook
+criterial
+nonstandard
+standard
+modular
+regular
+regulation
+standardized
+stock
+nonstandard
+deficient
+nonnormative
+standard
+acceptable
+classical
+nonstandard
+bad
+unacceptable
+starchy
+starchlike
+starchless
+starry
+comet-like
+sparkling
+starlike
+starlit
+starless
+nourished
+corn-fed
+full
+well-fed
+overfed
+stall-fed
+malnourished
+foodless
+ill-fed
+starved
+unfed
+unnourished
+steady
+dependable
+even
+firm
+level
+steadied
+sure
+surefooted
+unsteady
+arrhythmic
+convulsive
+faltering
+flickering
+fluctuating
+palpitant
+shaky
+quavering
+shifting
+shuddering
+tottering
+uneven
+wobbling
+stemmed
+stemless
+stemmed
+stimulating
+challenging
+exciting
+piquant
+rousing
+thrilling
+unstimulating
+bland
+dry
+vapid
+depressant
+ataractic
+narcotic
+relaxant
+soporific
+stimulative
+adrenocorticotropic
+analeptic
+excitant
+irritating
+stimulant
+stomatous
+mouthlike
+astomatous
+straight
+aligned
+unbent
+untwisted
+crooked
+akimbo(ip)
+anfractuous
+aquiline
+askew
+contorted
+deflective
+geniculate
+gnarled
+malposed
+reflexed
+squiggly
+tortuous
+warped
+windblown
+wry
+zigzag
+straight
+trabeated
+uncurved
+curved
+arced
+curvilineal
+eellike
+falcate
+curvy
+flexuous
+hooklike
+incurvate
+recurved
+semicircular
+serpentine
+sinuate
+sinusoidal
+upcurved
+coiled
+coiling
+convolute
+involute
+involute
+wound
+uncoiled
+uncurled
+straight
+aboveboard
+guileless
+straightarrow
+crooked
+sneaky
+stressed
+emphatic
+masculine
+unstressed
+feminine
+unaccented
+unemphatic
+tonic
+atonic
+strong
+beardown
+beefed-up
+brawny
+bullnecked
+bullocky
+fortified
+hard
+industrial-strength
+ironlike
+knock-down
+noticeable
+reinforced
+robust
+stiff
+vehement
+virile
+well-knit
+weak
+anemic
+adynamic
+faint
+feeble
+flimsy
+jerry-built
+namby-pamby
+pale
+puny
+vulnerable
+weakened
+stubborn
+bloody-minded
+bolshy
+bullheaded
+dogged
+contrarious
+determined
+hardheaded
+stiff-necked
+strong-minded
+docile
+meek
+sheeplike
+yielding
+subordinate
+feudatory
+ruled
+subject
+subservient
+insubordinate
+contumacious
+disobedient
+mutinous
+rebellious
+successful
+boffo
+booming
+in
+made
+no-hit
+productive
+self-made
+sure-fire
+triple-crown
+triple-crown
+victorious
+unsuccessful
+attempted
+defeated
+done for
+down-and-out
+empty-handed
+hitless
+no-win
+out
+scoreless
+self-defeating
+unfulfilled
+unplaced
+winless
+sufficient
+adequate
+comfortable
+insufficient
+depleted
+inadequate
+lean
+light
+shy
+sugary
+candied
+honeyed
+honeylike
+sugared
+sugarless
+unsugared
+unsweetened
+superior
+arch
+eminent
+leading
+high-level
+majestic
+superordinate
+upper
+inferior
+humble
+indifferent
+low-level
+middle-level
+outclassed
+superior
+ace
+banner
+blue-ribbon
+boss
+brilliant
+capital
+choice
+excellent
+gilt-edged
+greatest
+high-performance
+outstanding
+premium
+pukka
+shining
+spiffing
+supreme
+top-flight
+transcendent
+weapons-grade
+well-made
+inferior
+bad
+base
+bum
+bush-league
+cheapjack
+coarse
+coarsened
+commercial
+deplorable
+less
+low-grade
+mediocre
+ropey
+scrawny
+second-class
+third-rate
+utility
+superior
+inferior
+superjacent
+incumbent
+overlying
+superincumbent
+subjacent
+underlying
+superscript
+subscript
+adscript
+supervised
+unsupervised
+unattended
+supported
+based
+braced
+gimbaled
+pendent
+supernatant
+suspended
+underhung
+underslung
+unsupported
+strapless
+unbraced
+supported
+subsidized
+unsupported
+baseless
+single-handed
+uncorroborated
+assisted
+motor-assisted
+power-assisted
+unassisted
+naked
+unaided
+supportive
+accessory
+accessary
+certificatory
+collateral
+demonstrative of
+encouraging
+unsupportive
+confounding
+disconfirming
+surmountable
+conquerable
+insurmountable
+insuperable
+surprised
+amazed
+dumbfounded
+gobsmacked
+goggle-eyed
+jiggered
+startled
+unsurprised
+surprising
+amazing
+startling
+stunning
+unsurprising
+susceptible
+allergic
+amenable
+capable
+convincible
+fictile
+liable
+predisposed
+amenable
+suggestible
+temptable
+unvaccinated
+vulnerable
+unsusceptible
+immune
+immunized
+immunogenic
+incapable
+unpersuadable
+unresponsive
+impressionable
+easy
+spinnable
+plastic
+susceptible
+unimpressionable
+exempt
+excused
+immune
+privileged
+nonexempt
+liable
+taxpaying
+unexcused
+scheduled
+regular
+unscheduled
+extra
+forced
+sweet
+dry
+brut
+medium-dry
+sec
+sweet
+cloying
+sweetish
+sour
+acerb
+acetose
+acidic
+lemony
+subacid
+soured
+off
+unsoured
+fresh
+suspected
+unsuspected
+unknown
+swept
+sweptback
+sweptwing
+unswept
+sworn
+bound
+unsworn
+symmetrical
+bilateral
+biradial
+cruciate
+even
+interchangeable
+isosceles
+radial
+radially symmetrical
+rhombohedral
+asymmetrical
+lopsided
+noninterchangeable
+unsymmetric
+actinomorphic
+actinoid
+zygomorphic
+sympathetic
+commiserative
+condolent
+empathic
+unsympathetic
+unsympathizing
+sympathetic
+unsympathetic
+sympatric
+allopatric
+synchronic
+diachronic
+synchronous
+coetaneous
+coexistent
+coincident
+contemporaneous
+parallel
+synchronic
+synchronized
+asynchronous
+allochronic
+anachronic
+nonsynchronous
+serial
+synchronous
+asynchronous
+syndetic
+asyndetic
+synonymous
+similar
+substitutable
+antonymous
+complementary
+contradictory
+contrary
+contrastive
+converse
+systematic
+unsystematic
+taciturn
+buttoned-up
+reticent
+voluble
+chatty
+tactful
+discerning
+tactless
+tall
+gangling
+in height
+leggy
+leggy
+long
+long-stalked
+stately
+tallish
+short
+chunky
+compact
+half-length
+pint-size
+short-stalked
+squab
+tame
+broken
+cultivated
+docile
+domestic
+tamed
+wild
+feral
+semi-wild
+unbroken
+undomesticated
+tame
+subdued
+wild
+chaotic
+delirious
+frenzied
+unsubdued
+tangible
+tactile
+intangible
+tangible
+real
+realizable
+intangible
+tasteful
+aesthetic
+understated
+tasteless
+barbaric
+brassy
+Brummagem
+camp
+indelicate
+ostentatious
+tasty
+acid-tasting
+ambrosial
+bitter
+bitterish
+bittersweet
+choice
+dainty
+delectable
+flavorful
+fruity
+full-bodied
+peppery
+gingery
+hot
+grapey
+mild-tasting
+nippy
+nutty
+piquant
+pungent
+salty
+smoky
+sour
+strong-flavored
+winy
+tasteless
+bland
+unflavored
+unsalted
+taxable
+assessable
+dutiable
+ratable
+nontaxable
+duty-free
+tax-exempt
+unratable
+temperate
+abstemious
+moderate
+intemperate
+big
+temperate
+cold-temperate
+equable
+intemperate
+tense
+overstrung
+taut
+lax
+drooping
+limp
+floppy
+loose
+loose-jointed
+tensionless
+tense
+constricted
+lax
+tense
+aroused
+cliff-hanging
+taut
+antsy
+edgy
+electric
+isotonic
+nervous
+strained
+unrelaxed
+pumped-up
+relaxed
+degage
+laid-back
+unstrained
+hypertonic
+hypotonic
+territorial
+jurisdictional
+regional
+sectional
+extraterritorial
+territorial
+nonterritorial
+thermoplastic
+thermosetting
+thick
+deep
+deep-chested
+fat
+four-ply
+heavy
+heavy
+quilted
+thickened
+three-ply
+two-ply
+thin
+bladed
+capillary
+compressed
+depressed
+diaphanous
+filamentous
+fine
+light
+hyperfine
+paper thin
+papery
+ribbonlike
+sleazy
+slender
+tenuous
+wafer-thin
+thick
+clogged
+coagulable
+coagulate
+creamy
+dense
+gelatinous
+ropy
+soupy
+syrupy
+thickened
+thin
+tenuous
+rare
+thinkable
+cogitable
+conceivable
+presumable
+unthinkable
+impossible
+thoughtful
+bemused
+brooding
+cogitative
+well thought out
+deliberative
+excogitative
+thoughtless
+inconsiderate
+unreflective
+thrifty
+economical
+penny-wise
+saving
+wasteful
+extravagant
+pound-foolish
+uneconomical
+tidy
+clean-cut
+neat
+neat
+ruly
+shipshape
+slicked up
+straight
+uncluttered
+untidy
+blowsy
+cluttered
+disheveled
+disorderly
+frowsy
+messy
+scraggly
+sloppy
+slouchy
+sprawling
+unkempt
+groomed
+brushed
+kempt
+plastered
+pomaded
+sleek
+well-groomed
+well-groomed
+ungroomed
+bushy
+ill-dressed
+unbrushed
+combed
+uncombed
+uncombable
+unkempt
+timbered
+half-timber
+timber-framed
+untimbered
+toned
+toneless
+tongued
+tonguelike
+tongueless
+tipped
+filter-tipped
+pink-tipped
+plume-tipped
+spine-tipped
+thorn-tipped
+yellow-tipped
+untipped
+tired
+all in
+aweary
+bleary
+bored
+burned-out
+careworn
+drooping
+exhausted
+footsore
+jaded
+knackered
+ragged
+travel-worn
+unrefreshed
+whacked
+rested
+fresh
+untired
+tolerable
+bearable
+tolerant
+intolerable
+bitter
+impossible
+unsupportable
+tolerant
+unbigoted
+intolerant
+bigoted
+rigid
+tonal
+keyed
+diatonic
+polytonal
+toned
+tonic
+atonal
+toothed
+buck-toothed
+cogged
+fine-toothed
+gap-toothed
+saber-toothed
+small-toothed
+toothlike
+toothy
+tusked
+toothless
+edental
+edentulous
+top
+apical
+crowning
+topmost
+upper
+bottom
+bottommost
+inferior
+nether
+side
+broadside
+lateral
+topped
+flat-topped
+lidded
+screw-topped
+topless
+lidless
+bottomed
+bell-bottomed
+copper-bottomed
+flat-bottomed
+round-bottomed
+bottomless
+top-down
+bottom-up
+equatorial
+pantropical
+tropical
+polar
+circumpolar
+north-polar
+south-polar
+testate
+intestate
+touched
+brushed
+grazed
+untouched
+tough
+cartilaginous
+chewy
+coriaceous
+fibrous
+hempen
+tough-skinned
+tender
+chewable
+crisp
+flaky
+tenderized
+tough
+calloused
+enured
+weather-beaten
+tender
+delicate
+tough
+hard-bitten
+tough-minded
+tender
+protective
+sentimental
+toxic
+cyanogenetic
+deadly
+hepatotoxic
+nephrotoxic
+ototoxic
+poisonous
+nontoxic
+antitoxic
+nonpoisonous
+nonvenomous
+tractable
+ductile
+docile
+tamable
+intractable
+balking
+refractory
+uncontrollable
+unmalleable
+table d'hote
+a la carte
+traceable
+untraceable
+tracked
+caterpillar-tracked
+half-track
+trackless
+traveled
+heavily traveled
+untraveled
+untraversed
+trimmed
+clipped
+untrimmed
+unclipped
+troubled
+annoyed
+anxious
+buffeted
+careful
+care-laden
+clouded
+disquieted
+distressed
+fraught
+hag-ridden
+haunted
+mothy
+stressed
+struggling
+suffering
+troublous
+untroubled
+carefree
+clear
+dreamless
+trouble-free
+unconcerned
+undisturbed
+unmolested
+true
+actual
+apodictic
+truthful
+sure
+false
+mendacious
+specious
+trumped-up
+untrue
+trustful
+confiding
+unsuspecting
+distrustful
+cynical
+doubting
+jealous
+leery
+misogynic
+oversuspicious
+trustworthy
+authentic
+creditworthy
+dependable
+fiducial
+sure
+untrustworthy
+devious
+fly-by-night
+slippery
+tubed
+tubeless
+tucked
+untucked
+turned
+inverted
+overturned
+reversed
+rotated
+wrong-side-out
+unturned
+right-side-out
+right-side-up
+typical
+emblematic
+representative
+regular
+true
+atypical
+unrepresentative
+underhand
+overhand
+round-arm
+surface
+aboveground
+grade-constructed
+opencast
+subsurface
+belowground
+submarine
+submerged
+subterranean
+overhead
+submersible
+nonsubmersible
+tearful
+liquid
+misty-eyed
+teary
+sniffly
+weepy
+tearless
+dry
+union
+closed
+organized
+nonunion
+open
+unorganized
+uniparous
+multiparous
+biparous
+unipolar
+bipolar
+Janus-faced
+united
+agreed
+allied
+amalgamate
+coalescent
+cohesive
+conjugate
+conjunct
+federate
+incorporate
+in league
+one
+suprasegmental
+tied
+undivided
+unpartitioned
+unsegmented
+divided
+bicameral
+bifid
+bifurcate
+bifurcated
+bilocular
+black-and-white
+chambered
+cloven
+dichotomous
+disconnected
+disjointed
+disjunct
+episodic
+four-pronged
+many-chambered
+metameric
+mullioned
+pentamerous
+pronged
+sectional
+segmental
+three-pronged
+torn
+trifid
+two-pronged
+adnate
+connate
+univalve
+single-shelled
+bivalve
+lamellibranch
+ascending
+acclivitous
+ascendant
+assurgent
+assurgent
+scandent
+highflying
+up
+descending
+declivitous
+degressive
+descendant
+down
+downward-arching
+drizzling
+dropping
+raining
+rising
+improving
+falling
+down
+soft
+climactic
+anticlimactic
+upmarket
+upscale
+downmarket
+downscale
+transitive
+intransitive
+translatable
+untranslatable
+ungulate
+solid-hoofed
+unguiculate
+clawed
+clawlike
+up
+ahead
+aweigh
+dormie
+heavenward
+risen
+sprouted
+upbound
+upfield
+upward
+down
+behind
+downbound
+downcast
+downfield
+downward(ip)
+fallen
+set
+thrown
+weak
+upstage
+downstage
+upstairs
+downstairs
+ground-floor
+upstream
+downstream
+uptown
+downtown
+used
+in use
+utilized
+misused
+abused
+exploited
+useful
+multipurpose
+reclaimable
+serviceable
+useable
+utilitarian
+utilizable
+useless
+futile
+inutile
+unserviceable
+utopian
+airy
+dystopian
+valid
+binding
+legal
+legitimate
+reasoned
+validated
+invalid
+bad
+fallacious
+false
+invalidated
+null
+sophistic
+valuable
+blue-chip
+invaluable
+precious
+rich
+semiprecious
+worth
+worthless
+chaffy
+good-for-nothing
+manky
+negligible
+nugatory
+otiose
+rubbishy
+tinpot
+valueless
+variable
+changeable
+covariant
+multivariate
+protean
+shifting
+variant
+versatile
+invariable
+changeless
+hard-and-fast
+invariant
+varied
+many-sided
+omnifarious
+varicolored
+variform
+varying
+versatile
+unvaried
+veiled
+unveiled
+disclosed
+undraped
+ventilated
+aired
+louvered
+vented
+unventilated
+airless
+fuggy
+unaerated
+unvented
+vertebrate
+invertebrate
+violable
+inviolable
+unassailable
+violent
+convulsive
+ferocious
+hot
+knockdown-dragout
+lashing
+lurid
+rampageous
+ruffianly
+slam-bang
+nonviolent
+passive
+virtuous
+impeccable
+impeccant
+wicked
+evil
+heavy
+flagitious
+iniquitous
+irreclaimable
+nefarious
+peccable
+visible
+circumpolar
+in sight
+ocular
+macroscopic
+megascopic
+microscopic
+subgross
+panoptic
+telescopic
+viewable
+invisible
+camouflaged
+concealed
+infrared
+lightless
+nonvisual
+occult
+ultraviolet
+undetectable
+unseeyn
+viviparous
+oviparous
+broody
+ovoviviparous
+volatile
+evaporable
+nonvolatile
+voluntary
+willful
+freewill
+self-imposed
+uncoerced
+unpaid
+involuntary
+driven
+forced
+unconscious
+unwilled
+unwilling
+voluntary
+involuntary
+automatic
+autonomic
+vegetative
+vulnerable
+assailable
+compromising
+defenseless
+endangered
+indefensible
+insecure
+penetrable
+threatened
+under attack
+unguarded
+invulnerable
+airtight
+bombproof
+defendable
+entrenched
+impregnable
+tight
+sheltered
+untouchable
+wanted
+craved
+hot
+longed-for
+sought
+unwanted
+abdicable
+cast-off
+friendless
+outcaste
+uncalled-for
+unclaimed
+undesired
+unwelcome
+warm
+lukewarm
+warmed
+warming
+cool
+air-conditioned
+air-cooled
+caller
+precooled
+water-cooled
+warm
+cordial
+hearty
+cool
+unresponsive
+warm
+hot
+cool
+cold
+warm-blooded
+homoiothermic
+cold-blooded
+poikilothermic
+warmhearted
+coldhearted
+brittle
+washable
+wash-and-wear
+nonwashable
+waxed
+unwaxed
+waxing
+waning
+increasing
+accelerative
+accretionary
+accretive
+augmentative
+incorporative
+maximizing
+multiplicative
+profit-maximizing
+progressive
+raising
+decreasing
+depreciating
+detractive
+diminishing
+dwindling
+falling
+increasing
+accelerando
+crescendo
+decreasing
+allargando
+calando
+decrescendo
+rallentando
+inflationary
+deflationary
+weaned
+unweaned
+wearable
+unwearable
+weedy
+weedless
+welcome
+unwelcome
+uninvited
+well
+asymptomatic
+cured
+ill
+afflicted
+aguish
+ailing
+airsick
+autistic
+bedfast
+bilious
+bronchitic
+consumptive
+convalescent
+delirious
+diabetic
+dizzy
+dyspeptic
+faint
+feverish
+funny
+gouty
+green
+laid low
+laid up
+milk-sick
+nauseated
+palsied
+paralytic
+paraplegic
+rickety
+scrofulous
+sneezy
+spastic
+tubercular
+unhealed
+upset
+wet
+bedewed
+besprent
+boggy
+clammy
+damp
+sodden
+drippy
+humid
+misty
+muggy
+reeking
+rheumy
+sloppy
+showery
+steaming
+sticky
+tacky
+undried
+washed
+watery
+dry
+adust
+air-dried
+air-dry
+arid
+bone-dry
+desiccated
+dried
+dried-up
+dried-up
+dry-shod
+kiln-dried
+rainless
+semiarid
+semi-dry
+thirsty
+wet
+fresh
+dry
+milkless
+wet
+dry
+wet
+dry
+hydrous
+anhydrous
+wheeled
+wheelless
+white-collar
+clerical
+professional
+pink-collar
+blue-collar
+industrial
+manual
+wage-earning
+wholesome
+alimentary
+heart-healthy
+healthy
+hearty
+organic
+salubrious
+unwholesome
+insalubrious
+insubstantial
+morbid
+nauseating
+rich
+wide
+beamy
+bird's-eye
+broad-brimmed
+deep
+fanlike
+sweeping
+wide-screen
+narrow
+constricting
+narrowed
+narrow-mouthed
+slender
+strait
+straplike
+tapered
+wide
+comfortable
+narrow
+bare
+wieldy
+unwieldy
+awkward
+cumbersome
+wigged
+peruked
+toupeed
+wigless
+willing
+consenting
+disposed
+glad
+ready
+volitional
+willing and able
+unwilling
+grudging
+loath
+unintentional
+winged
+alar
+alate
+batwing
+brachypterous
+one-winged
+pinioned
+slender-winged
+small-winged
+volant(ip)
+winglike
+wingless
+apterous
+flightless
+wired
+bugged
+connected
+wireless
+wise
+all-knowing
+perspicacious
+owlish
+sapiential
+sage
+foolish
+absurd
+asinine
+cockamamie
+fond
+harebrained
+ill-conceived
+rattlebrained
+unwise
+wooded
+arboraceous
+bosky
+braky
+forested
+jungly
+overgrown
+rushy
+scrabbly
+sylvan
+thicket-forming
+timbered
+woodsy
+unwooded
+unforested
+untimbered
+woody
+ashen
+beechen
+birch
+cedarn
+ligneous
+oaken
+suffrutescent
+wooden
+nonwoody
+herbaceous
+pulpy
+worldly
+economic
+material
+materialistic
+mundane
+unworldly
+anchoritic
+cloistered
+spiritual
+unmercenary
+woven
+braided
+plain-woven
+unwoven
+felted
+knitted
+worn
+aged
+attrited
+battered
+clapped out
+creaky
+dog-eared
+eroded
+frayed
+mangy
+moth-eaten
+played out
+ragged
+raddled
+moth-eaten
+scruffy
+shopworn
+tattered
+threadbare
+thumbed
+vermiculate
+waterworn
+weather-beaten
+well-worn
+new
+unweathered
+worthy
+applaudable
+creditable
+cum laude
+deserving
+exemplary
+magna cum laude
+meritorious
+noteworthy
+quotable
+sacred
+summa cum laude
+valued
+valuable
+worthwhile
+unworthy
+undeserving
+unmerited
+unmeritorious
+xeric
+xerophytic
+hydric
+hydrophytic
+hygrophytic
+mesic
+mesophytic
+zonal
+azonal
+azonic
+acrocarpous
+pleurocarpous
+cursorial
+fossorial
+homocercal
+heterocercal
+webbed
+palmate
+unwebbed
+faceted
+unfaceted
+ipsilateral
+contralateral
+salient
+re-entrant
+proactive
+retroactive
+rh-positive
+rh-negative
+categorematic
+autosemantic
+syncategorematic
+synsemantic
+idiographic
+nomothetic
+pro-choice
+pro-life
+baptized
+unbaptized
+benign
+malignant
+cancerous
+calcicolous
+calcifugous
+invertible
+non-invertible
+immunocompetent
+immunodeficient
+allogeneic
+xenogeneic
+long-spurred
+short-spurred
+shelled
+hard-shelled
+smooth-shelled
+spiral-shelled
+thin-shelled
+unshelled
+jawed
+long-jawed
+square-jawed
+jawless
+skinned
+smooth-skinned
+velvety-skinned
+skinless
+flowering
+flowerless
+spore-bearing
+vegetal
+asphaltic
+abasic
+abbatial
+abdominovesical
+Aberdonian
+Abkhaz
+Abnaki
+Aboriginal
+abient
+abiogenetic
+academic
+acanthotic
+acapnic
+acervate
+acetonic
+acetylenic
+acetylic
+Achaean
+Aeolian
+achenial
+achlorhydric
+achondritic
+aciculate
+acidimetric
+acidotic
+acinar
+acinar
+acneiform
+adolescent
+acrogenic
+actinometric
+actinomycetal
+actinomycotic
+aculeate
+adactylous
+adamantine
+adenocarcinomatous
+adenoid
+adenoidal
+adient
+adjudicative
+adnexal
+Adonic
+adrenal
+adrenal
+adrenergic
+agnostic
+Aleutian
+ancestral
+antheridial
+antiadrenergic
+antiapartheid
+antidotal
+antiferromagnetic
+antipollution
+antisatellite
+antiviral
+adrenocortical
+advective
+adventitial
+adventuristic
+aecial
+Aeolian
+aeriferous
+aerological
+aerolitic
+aeromechanic
+aeromedical
+aeronautical
+aesculapian
+affine
+affixal
+agential
+agonal
+agonistic
+agranulocytic
+agraphic
+agrobiologic
+agrologic
+agronomic
+agrypnotic
+air-breathing
+alabaster
+Alaskan
+Albigensian
+Albanian
+albinal
+albitic
+albuminous
+albuminuric
+alchemic
+alchemistic
+aldehydic
+aleuronic
+algoid
+algolagnic
+algometric
+Algonquian
+alimentative
+alkahestic
+alkaloidal
+alkalotic
+alkylic
+allantoic
+allelic
+allergenic
+allergic
+Allied
+Allied
+allogamous
+allographic
+allomerous
+allometric
+allomorphic
+allophonic
+allotropic
+allylic
+alopecic
+alphabetic
+analphabetic
+alphanumeric
+Altaic
+altitudinal
+alular
+aluminous
+alveolar
+alveolar
+amalgamative
+amaranthine
+amaurotic
+amblyopic
+Ambrosian
+ambulacral
+ambulatory
+ameboid
+amenorrheic
+amethystine
+Amharic
+amino
+amitotic
+ammino
+ammoniac
+ammonitic
+amnestic
+amniotic
+amoristic
+amphitheatric
+amphoric
+ampullar
+amygdaline
+amylolytic
+anabiotic
+anabolic
+anaclitic
+anacoluthic
+anaglyphic
+anagogic
+anagrammatic
+anal
+analytic
+anamnestic
+anamorphic
+anamorphic
+anaphasic
+anaplastic
+anarchistic
+anasarcous
+anastigmatic
+Andalusian
+androgenetic
+androgenic
+androgynous
+anemographic
+anemometric
+anencephalic
+anestrous
+anginal
+angiocarpic
+angiomatous
+angiospermous
+Anglophilic
+Anglophobic
+anguine
+anicteric
+animalistic
+animatistic
+animist
+aniseikonic
+anisogamic
+anisogametic
+anisometropic
+ankylotic
+annalistic
+Bayesian
+Arminian
+Armenian
+Biedermeier
+annelid
+annexational
+hermeneutic
+Middle Eastern
+annunciatory
+alliaceous
+anodic
+cathodic
+anoperineal
+anopheline
+anorectal
+anorthitic
+anosmic
+anoxemic
+anoxic
+anserine
+antecubital
+antennal
+anthracitic
+anthropic
+anthropogenetic
+anthropometric
+anthropophagous
+antibiotic
+anticancer
+anticlimactic
+anticoagulative
+anticyclonic
+antigenic
+antimonic
+antinomian
+antiphonary
+antipodal
+antistrophic
+antitypic
+anuran
+anuretic
+anxiolytic
+aoristic
+aortal
+aphaeretic
+aphakic
+aphanitic
+aphasic
+aphetic
+apian
+apiarian
+apicultural
+aplitic
+apneic
+apocalyptic
+Apocryphal
+apocynaceous
+apogamic
+apogean
+apomictic
+aponeurotic
+apophatic
+apophyseal
+apoplectic
+apoplectiform
+aposiopetic
+apostrophic
+apothecial
+apothegmatic
+Appalachian
+appellative
+appendicular
+appointive
+appositional
+appropriative
+apsidal
+aptitudinal
+aqueous
+aquatic
+aquiferous
+arachnoid
+Aramaic
+Aramean
+araneidal
+Arawakan
+arbitral
+arbitrative
+arborical
+archaeological
+archaistic
+archangelic
+arched
+archdiocesan
+archducal
+archegonial
+archesporial
+archidiaconal
+archiepiscopal
+archipelagic
+archival
+archosaurian
+areal
+arenicolous
+areolar
+argentic
+argentous
+armillary
+aroid
+aromatic
+arsenical
+arsenious
+arterial
+venous
+arteriovenous
+arthralgic
+arthromeric
+arthropodal
+arthrosporic
+Arthurian
+articular
+articulatory
+artiodactyl
+arundinaceous
+ascensional
+ascetic
+ascitic
+asclepiadaceous
+ascocarpous
+ascosporic
+associational
+asteriated
+asterismal
+stoloniferous
+stomatal
+stomatal
+astomatal
+stored-program
+astragalar
+astrocytic
+astronautic
+astronomic
+asynergic
+ataxic
+atherosclerotic
+atonalistic
+atonic
+atrial
+atrioventricular
+attentional
+attitudinal
+attritional
+audiometric
+audiovisual
+augitic
+aural
+aural
+auricular
+auricular
+autoimmune
+biauricular
+auroral
+auroral
+aurous
+auscultatory
+austenitic
+Australasian
+australopithecine
+autacoidal
+autarchic
+authorial
+autobiographical
+autobiographical
+autocatalytic
+autogenetic
+autographic
+autolytic
+autoplastic
+autoradiographic
+autotelic
+autotomic
+autotrophic
+heterotrophic
+autotypic
+auxetic
+auxinic
+axiomatic
+axiomatic
+avellan
+avian
+avifaunal
+avionic
+avitaminotic
+avocational
+avuncular
+avuncular
+award-winning
+axial
+axile
+axillary
+axiological
+axonal
+Azerbaijani
+azido
+azimuthal
+azo
+diazo
+zoic
+azotemic
+baboonish
+Babylonian
+baccate
+bacchantic
+bacillar
+back-channel
+bacteremic
+bacteriolytic
+bacteriophagic
+bacteriostatic
+bacteroidal
+Bahai
+balletic
+ballistic
+balsamic
+baric
+barographic
+barometric
+barytic
+basaltic
+basidial
+basidiomycetous
+basidiosporous
+basilar
+basilican
+basinal
+batholithic
+bathymetric
+bauxitic
+behavioristic
+Belarusian
+belemnitic
+benedictory
+beneficiary
+benevolent
+benthic
+bentonitic
+benzenoid
+benzoic
+benzylic
+betulaceous
+biaxial
+bibliographic
+bibliolatrous
+bibliomaniacal
+bibliophilic
+bibliopolic
+bibliothecal
+bibliotic
+bicapsular
+bichromated
+bicipital
+bignoniaceous
+biliary
+bilious
+billiard
+bimetallistic
+bimillenial
+binary
+biocatalytic
+biochemical
+bioclimatic
+biogenetic
+biogenous
+biogenic
+biogeographic
+biological
+biologistic
+sociobiologic
+neurobiological
+bionic
+biosynthetic
+biosystematic
+biotitic
+biotypic
+black-and-white
+blastogenetic
+bodily
+Bohemian
+bolographic
+bolometric
+Boolean
+borated
+boronic
+boskopoid
+botanic
+botryoid
+Botswanan
+bottom-dwelling
+bottom-feeding
+boustrophedonic
+brachial
+brachiopod
+brachyurous
+bracteal
+bracteate
+bracteolate
+brahminic
+branchial
+branchiopod
+brassy
+breech-loading
+bregmatic
+brimless
+brisant
+broadband
+broadband
+Brobdingnagian
+bromic
+bromidic
+buccal
+bulimic
+burrlike
+bursal
+buteonine
+butyraceous
+butyric
+cachectic
+cacodemonic
+cacodylic
+cadastral
+cadaverous
+caducean
+caecilian
+caesural
+caffeinic
+cairned
+calcaneal
+calcareous
+calceolate
+calcic
+calciferous
+calcitic
+calculous
+calendric
+calico
+calisthenic
+callithumpian
+caloric
+noncaloric
+calorimetric
+calyceal
+calycular
+calyculate
+calyptrate
+calyptrate
+cambial
+campanulate
+camphoraceous
+camphoric
+canalicular
+cancroid
+canicular
+canicular
+canine
+canine
+capacitive
+Capetian
+capitular
+Cappadocian
+caprine
+capsular
+capsular
+carangid
+carbocyclic
+carbolated
+carbonyl
+carboxyl
+carcinogenic
+carcinomatous
+cardiographic
+cardiopulmonary
+carinal
+carnivorous
+Caroline
+Carolingian
+carotid
+carpellary
+carpetbag
+carposporic
+carposporous
+cartilaginous
+cartographic
+Carthusian
+caruncular
+carunculate
+caryophyllaceous
+cash-and-carry
+catabolic
+catachrestic
+catalatic
+cataphatic
+cataplastic
+catapultic
+catarrhal
+categorial
+categorical
+cathectic
+cathedral
+catkinate
+catoptric
+cecal
+celebratory
+celestial
+celestial
+cellular
+extracellular
+integral
+integumentary
+intercellular
+interest-bearing
+intracellular
+cellulosid
+cementitious
+cenobitic
+eremitic
+cenogenetic
+Cenozoic
+palingenetic
+censorial
+centesimal
+centigrade(ip)
+centralist
+centroidal
+centrosomic
+cephalopod
+cercarial
+cereal
+cerebellar
+cerebral
+cerebrospinal
+cerebrovascular
+cervical
+ceric
+cerous
+ceruminous
+cervine
+cetacean
+chaetal
+chaetognathan
+chaffy
+Chaldean
+chalybeate
+chancroidal
+chancrous
+chaotic
+charitable
+chartaceous
+chauvinistic
+Chechen
+chelate
+cheliferous
+chelate
+cheliceral
+chelicerous
+chelonian
+chemical
+photochemical
+chemical
+physicochemical
+chemiluminescent
+chemoreceptive
+chemotherapeutic
+cherty
+Chian
+chiasmal
+childbearing
+chimeric
+Chippendale
+chirpy
+chitinous
+chlamydial
+chlorophyllose
+chlorotic
+choleraic
+choragic
+chordal
+chordate
+Christological
+chromatinic
+Churchillian
+Wilsonian
+achromatinic
+cinematic
+civil
+civil
+civic
+municipal
+clamatorial
+cleistogamous
+clerical
+clerical
+classical
+clonal
+closed-circuit
+cloven-hoofed
+cloze
+coastal
+coccal
+coccygeal
+coin-operated
+collagenous
+collarless
+collegiate
+collegial
+colonial
+colonial
+colonic
+colorectal
+colorimetric
+commensal
+communal
+composite
+conceptualistic
+concretistic
+condylar
+configurational
+confrontational
+congregational
+conjunctival
+consonantal
+constitutional
+consubstantial
+contractual
+cosmic
+cosmologic
+cosmologic
+cordless
+coreferential
+cormous
+corneal
+Cornish
+correlational
+corymbose
+corinthian
+costal
+intercostal
+intertidal
+covalent
+cross-ply
+cross-pollinating
+croupy
+crural
+crustal
+crustaceous
+crustaceous
+crustose
+cryogenic
+cryonic
+cryptanalytic
+cryptogamic
+cryptobiotic
+ctenoid
+cubital
+cucurbitaceous
+culinary
+cuneiform
+cupric
+curricular
+custard-like
+cyclic
+cytoarchitectural
+cytolytic
+cytophotometric
+cytoplasmic
+cytoplastic
+bicylindrical
+cystic
+cystic
+cytogenetic
+cytokinetic
+cytological
+cytotoxic
+czarist
+deductive
+deliverable
+Democratic
+Demotic
+denominational
+denominational
+dental
+dental
+despotic
+diagonalizable
+diamagnetic
+diamantine
+diametral
+diaphoretic
+diastolic
+dicarboxylic
+Dickensian
+dictatorial
+differentiable
+differential
+digital
+digital
+dimorphic
+Dionysian
+diplomatic
+dipterous
+directional
+omnidirectional
+directional
+discomycetous
+distributional
+dithyrambic
+dramatic
+drupaceous
+dumpy
+dural
+dynastic
+dysgenic
+dysplastic
+Ephesian
+Eucharistic
+eugenic
+Eurocentric
+eutrophic
+Ebionite
+ebracteate
+economic
+economic
+socioeconomic
+ectopic
+editorial
+editorial
+electoral
+electrocardiographic
+electrochemical
+electroencephalographic
+electrolytic
+electrolytic
+electromechanical
+electromotive
+electronic
+electronic
+electrophoretic
+electrostatic
+elegiac
+elemental
+elemental
+elementary
+elfin
+empyrean
+emulous
+eonian
+epenthetic
+epidural
+epigastric
+epigastric
+epilithic
+episcopal
+equestrian
+equestrian
+equine
+equine
+equinoctial
+equinoctial
+ergonomic
+ergotic
+ergotropic
+eruptive
+erythematous
+erythroid
+erythropoietic
+eschatological
+esophageal
+Essene
+essential
+Estonian
+estrogenic
+estuarine
+ethical
+evidentiary
+excrescent
+excretory
+exegetic
+exilic
+existential
+existential
+existentialist
+extropic
+facial
+factor analytical
+factorial
+facultative
+Fahrenheit(ip)
+fanged
+federal
+femoral
+fenestral
+fenestral
+fermentable
+ferric
+feudal
+febrile
+afebrile
+fiber-optic
+fibrillose
+fibrinous
+fibrocartilaginous
+fictile
+fictional
+nonfictional
+field-crop
+filar
+bifilar
+unifilar
+filarial
+filariid
+fisheye
+fishy
+fistulous
+flaky
+fleshy
+flinty
+floricultural
+flowery
+fluvial
+foliate
+foliaceous
+forcipate
+formalistic
+formic
+formic
+formulary
+fossil
+fossiliferous
+three-wheel
+fourhanded
+four-wheel
+Frankish
+fraternal
+fretted
+unfretted
+frictional
+frictionless
+Frisian
+Galilean
+Galilean
+Gallican
+garlicky
+gastric
+gastroduodenal
+gastroesophageal
+pneumogastric
+gemmiferous
+generational
+generic
+genetic
+genetic
+genic
+genial
+mental
+gentile
+geometric
+geophytic
+geostrategic
+geothermal
+gingival
+glabellar
+glacial
+glial
+gluteal
+glycogenic
+granuliferous
+granulomatous
+grapelike
+graphic
+graphic
+gravitational
+grubby
+guttural
+hair-shirt
+harmonic
+nonharmonic
+harmonic
+harmonic
+Hasidic
+Hawaiian
+heathlike
+Hebridean
+heliacal
+hematopoietic
+hemodynamic
+hemispherical
+hemorrhagic
+hepatic
+heroic
+heterodyne
+heterosporous
+Hollywood
+homeostatic
+homonymic
+homosporous
+homostylous
+horse-drawn
+hexadecimal
+hexangular
+hidrotic
+hieratic
+hieroglyphic
+hieroglyphic
+high-energy
+hircine
+home
+hooflike
+horary
+human
+human
+humanist
+humanistic
+humanist
+humic
+humified
+hyaloplasmic
+hydrocephalic
+hydrographic
+hydrolyzable
+hydroxy
+hymenopterous
+hypnotic
+ideal
+ideographic
+ideological
+idiopathic
+immune
+immunochemical
+immunocompromised
+immunological
+immunosuppressed
+immunosuppressive
+immunotherapeutic
+imperial
+imperial
+imperial
+impetiginous
+impressionist
+impressionistic
+Incan
+incendiary
+incestuous
+incestuous
+inductive
+indusial
+industrial
+inertial
+infantile
+inferential
+informational
+inguinal
+inhalant
+ink-jet
+inscriptive
+insecticidal
+institutional
+interlinear
+intracerebral
+intracranial
+intraventricular
+intervertebral
+insular
+intuitionist
+ionic
+Ionic
+Ionic
+Ionian
+nonionic
+iridaceous
+iritic
+ischemic
+isentropic
+Ismaili
+isthmian
+Jamesian
+Jamesian
+Jeffersonian
+jet-propelled
+jihadi
+jittery
+judicial
+judicial
+jumentous
+Jurassic
+pre-Jurassic
+juridical
+jurisprudential
+leaden
+legal
+legal
+labial
+labial
+lactogenic
+large-capitalization
+lathery
+Latin-American
+leguminous
+leonine
+Levitical
+lexicalized
+life-support
+liliaceous
+limacine
+limnological
+living
+lobeliaceous
+local
+locker-room
+logogrammatic
+long-distance
+loopy
+lucifugous
+lunar
+sublunar
+translunar
+lung-like
+lunisolar
+lupine
+luteal
+macaronic
+macroeconomic
+Malayo-Polynesian
+Mandaean
+mandibulate
+Manichaean
+manual
+Maoist
+maternal
+matutinal
+paternal
+patriarchal
+mealy
+mecopterous
+medical
+biomedical
+premedical
+medicolegal
+medullary
+medullary
+medullary
+medusoid
+meningeal
+menopausal
+Merovingian
+Prakritic
+Procrustean
+provencal
+pre-Christian
+prejudicial
+premenopausal
+presocratic
+postdiluvian
+postdoctoral
+postexilic
+postglacial
+postmenopausal
+postpositive
+pouched
+pteridological
+meiotic
+mercuric
+meretricious
+meridional
+metrological
+micaceous
+microeconomic
+military
+paramilitary
+minimalist
+ministerial
+ministerial
+minty
+Mishnaic
+omissive
+miotic
+missionary
+monocarboxylic
+monoclonal
+Monophysite
+monotypic
+moraceous
+morbilliform
+motivational
+mousy
+myalgic
+myelinated
+unmyelinated
+myopathic
+narcoleptic
+nasopharyngeal
+natal
+natal
+natriuretic
+naval
+Nazarene
+Nazarene
+neonatal
+neoplastic
+neotenic
+Nestorian
+New Caledonian
+Noachian
+nominal
+nominal
+nominalistic
+nominative
+North Vietnamese
+nosocomial
+numeral
+numerological
+Numidian
+numinous
+oleaceous
+olfactory
+oligarchic
+one-humped
+oneiric
+onomastic
+on-the-job
+oral
+orb-weaving
+oropharyngeal
+Orphic
+Orwellian
+pachydermatous
+packable
+palatoglossal
+paleontological
+Palladian
+palmar
+palpatory
+palpebrate
+panicled
+papilliform
+paradigmatic
+paramedical
+paranasal
+parhelic
+parliamentary
+parous
+parotid
+paroxysmal
+paschal
+passerine
+nonpasserine
+Pauline
+peacekeeping
+peaty
+perigonal
+perithelial
+monetary
+pedal
+pectineal
+pemphigous
+petaloid
+phagocytic
+phalangeal
+Pharaonic
+Phoenician
+phonogramic
+phonological
+photomechanical
+photometric
+photosynthetic
+nonphotosynthetic
+phreatic
+phrenological
+pictographic
+plagioclastic
+pilar
+pilosebaceous
+planetal
+planktonic
+planographic
+plantar
+interplanetary
+penal
+penicillin-resistant
+penumbral
+physical
+plane-polarized
+planetary
+extraterrestrial
+Platonistic
+Platonic
+pleomorphic
+plumbaginaceous
+plumbic
+plutocratic
+polarographic
+polemoniaceous
+politically correct
+politically incorrect
+polydactyl
+polyhedral
+polymeric
+pompous
+popliteal
+positionable
+positional
+positivist
+pragmatic
+prandial
+preanal
+preclinical
+precancerous
+precordial
+predestinarian
+prelapsarian
+premenstrual
+presentational
+pressor
+prodromal
+professorial
+prolusory
+propagative
+prostate
+prosthetic
+prosthetic
+prosthodontic
+proteinaceous
+provincial
+pubertal
+pupillary
+Puranic
+putrid
+rabid
+radial-ply
+radiological
+radiotelephonic
+rationalistic
+ratty
+realistic
+real-time
+recoilless
+recombinant
+recreational
+refractive
+refractory-lined
+republican
+resinlike
+revenant
+Rhodesian
+rocket-propelled
+Romansh
+romantic
+ropy
+royal
+royal
+ruminant
+nonruminant
+agricultural
+aquicultural
+rural
+Ruritanian
+Sabine
+saccadic
+sacculated
+sadomasochistic
+Sadducean
+Saharan
+sapiens
+sarcolemmic
+sartorial
+sartorial
+scalene
+scalene
+scapular
+scapulohumeral
+scenic
+scholastic
+scholastic
+scientific
+sclerotic
+sclerotic
+scurfy
+Scythian
+secular
+secretarial
+secretory
+sectarian
+sectorial
+self
+self-aggrandizing
+self-induced
+self-limited
+self-pollinating
+self-renewing
+self-service
+semiautobiographical
+seminal
+seminiferous
+semiotic
+semiparasitic
+senatorial
+sensational
+sepaloid
+septal
+sepulchral
+serial
+serial
+sidereal
+Sikh
+siliceous
+single-stranded
+Siouan
+Sisyphean
+snow-capped
+social
+social
+soft-finned
+soft-nosed
+solar
+sociopathic
+solanaceous
+Solomonic
+somatosensory
+soteriological
+squint-eyed
+squinty
+specialistic
+spectral
+spectrographic
+spermicidal
+spermous
+spherical
+nonspherical
+sphingine
+splashy
+splenic
+splintery
+sporogenous
+sportive
+sporting
+spousal
+spring-loaded
+stagflationary
+stainable
+Stalinist
+stannic
+staphylococcal
+statutory
+stellar
+interstellar
+stemmatic
+stenographic
+steroidal
+nonsteroidal
+stoichiometric
+stovepiped
+subarctic
+subcortical
+subdural
+sublingual
+suburban
+sub-Saharan
+suctorial
+Sufi
+sulfurous
+Sumerian
+superficial
+suppurative
+nonsuppurative
+supraorbital
+surficial
+sustainable
+sustentacular
+syllabic
+syllabic
+symbolic
+symbolic
+symptomatic
+syncretic
+syncretic
+synesthetic
+synoptic
+synovial
+syntagmatic
+tangential
+Tasmanian
+taurine
+technical
+technophilic
+technophobic
+technical
+telemetered
+tellurian
+semiterrestrial
+telluric
+temperamental
+temporal
+temporal
+spatiotemporal
+tendinous
+tendril-climbing
+tensile
+tensional
+tentacular
+tentacled
+teratogenic
+terminal
+terminal
+territorial
+testaceous
+testamentary
+testimonial
+testimonial
+theatrical
+Theban
+Theban
+thematic
+unthematic
+thematic
+thenal
+thermal
+thermal
+nonthermal
+thermoelectric
+threaded
+tibial
+tidal
+tiered
+time-release
+Timorese
+tinny
+titular
+titular
+titular
+titular
+toll-free
+tonic
+tonic
+clonic
+topical
+topological
+toroidal
+torrential
+tortious
+totalitarian
+totipotent
+tubercular
+tubercular
+tubercular
+tuberculate
+tuberculoid
+turbinate
+two-humped
+two-wheel
+umbelliform
+umbelliferous
+uncial
+Uniate
+unicellular
+uniovular
+unitary
+unitary
+unpigmented
+urban
+urceolate
+urethral
+urogenital
+usufructuary
+uveal
+vacuolate
+vagal
+valedictory
+apopemptic
+valent
+valetudinarian
+valved
+vanilla
+variolar
+Vedic
+ventilatory
+ventricular
+verbal
+verbal
+vertical
+viatical
+vibrational
+vicarial
+vicennial
+vigesimal
+virginal
+vitreous
+vitreous
+vocal
+vocal
+instrumental
+vocalic
+volcanic
+atheist
+electrical
+electric
+voltaic
+photoconductive
+photoemissive
+photovoltaic
+photoelectric
+hydroelectric
+hydrostatic
+hydrokinetic
+interlocutory
+interstitial
+isomeric
+isometric
+isomorphous
+isotonic
+lapidary
+legislative
+legislative
+leprous
+lingual
+Linnaean
+long-chain
+longitudinal
+literary
+critical
+lithic
+lithic
+lymphatic
+lymphocytic
+lymphoid
+lysogenic
+lysogenic
+magisterial
+atmospheric
+amphibious
+insectan
+mammalian
+piscine
+reptilian
+algal
+fungal
+fungicidal
+fungoid
+infectious
+plantal
+vegetative
+bacterial
+parasitic
+antibacterial
+cyanobacterial
+moneran
+triangulate
+quadrangular
+tetragonal
+tetrametric
+pentangular
+octangular
+neoclassicist
+expressionist
+postmodernist
+revolutionary
+residual
+relativistic
+relativistic
+raptorial
+radical
+radial
+radial
+radial
+ulnar
+radiographic
+birefringent
+bisectional
+bismuthal
+bismuthic
+bisontine
+bistered
+bistroic
+polar
+bipolar
+bipolar
+transpolar
+photographic
+photic
+pneumatic
+pneumococcal
+phallic
+feminist
+professional
+professional
+vulpine
+wolflike
+vulvar
+clitoral
+vocational
+ungual
+succinic
+umbilical
+spatial
+nonspatial
+sigmoid
+sigmoid
+sciatic
+sciatic
+semantic
+bovine
+crinoid
+linguistic
+nonlinguistic
+intralinguistic
+sociolinguistic
+cross-linguistic
+linguistic
+bridal
+bridal
+cardiac
+caudal
+Caucasian
+cephalic
+cranial
+craniometric
+comatose
+conic
+corinthian
+corvine
+ciliary
+ciliary
+ciliary
+counterinsurgent
+counterrevolutionary
+counterterror
+cyprinid
+dietary
+diluvian
+antediluvian
+dominical
+dominical
+Donatist
+Dorian
+doric
+dot-com
+floral
+floral
+fiscal
+nonfinancial
+fiducial
+fiduciary
+funicular
+lactic
+lacteal
+galactic
+extragalactic
+intergalactic
+gnomic
+Gnostic
+gymnastic
+gyral
+alvine
+epistemic
+hemal
+hemic
+hemiparasitic
+haemophilic
+humoral
+chylaceous
+chylific
+chyliferous
+iconic
+ichorous
+icosahedral
+icterogenic
+ictal
+igneous
+iridic
+iridic
+jugular
+marital
+resinated
+sulphuretted
+mastoid
+mastoid
+phocine
+saurian
+stearic
+vinous
+tegular
+dyadic
+algebraic
+biblical
+biblical
+postbiblical
+Koranic
+polymorphic
+polymorphous
+polyphonic
+contrapuntal
+polyphonic
+lyric
+lyric
+perianal
+pericardial
+perineal
+peroneal
+poetic
+poetic
+political
+political
+phonetic
+phonetic
+phonemic
+philosophic
+Rousseauan
+personal
+personal
+intensive
+infernal
+litigious
+acronymic
+apostolic
+phenomenal
+eudemonic
+eukaryotic
+prokaryotic
+pectoral
+pastoral
+particularistic
+parturient
+patellar
+pathological
+palatine
+palatine
+pictorial
+optical
+objective
+possessive
+nuclear
+nuclear
+nucleated
+visceral
+narcotic
+mystic
+mystic
+carbonaceous
+Melanesian
+melodic
+monumental
+modal
+modal
+millenary
+millennial
+millenarian
+metropolitan
+meteoric
+meteorologic
+metaphysical
+metastable
+meridian
+mercurial
+Mercurial
+Mercurial
+Mesoamerican
+mesoblastic
+Mesozoic
+messianic
+muciferous
+mucosal
+murine
+musical
+musicological
+exteroceptive
+proprioceptive
+interoceptive
+perceptive
+acoustic
+auditory
+gustatory
+haptic
+ocellated
+octal
+ocular
+ocular
+orbital
+suborbital
+kinesthetic
+angelic
+seraphic
+ethereal
+firmamental
+elysian
+diocesan
+eparchial
+parochial
+regional
+vicinal
+conjugal
+binocular
+cultural
+cultural
+sociocultural
+multicultural
+cross-cultural
+transcultural
+transactinide
+transcendental
+transuranic
+burlesque
+vascular
+avascular
+cardiovascular
+choral
+choric
+chorionic
+communist
+post-communist
+Marxist
+Marxist-Leninist
+Bolshevik
+cutaneous
+dermal
+cuticular
+ectodermal
+encysted
+endermic
+endogenous
+hypodermal
+hypodermic
+hypoglycemic
+hypovolemic
+intradermal
+facial
+mandibular
+mandibulofacial
+maxillary
+maxillodental
+maxillofacial
+maxillomandibular
+interfacial
+lacrimal
+lacrimal
+lacrimatory
+menstrual
+mural
+extralinguistic
+papal
+Peloponnesian
+pubic
+viral
+grammatical
+syntactic
+glossopharyngeal
+glottal
+glottochronological
+lexicostatistic
+focal
+genital
+genitourinary
+feline
+laryngeal
+laryngopharyngeal
+zygotic
+uninucleate
+multinucleate
+muscular
+musculoskeletal
+intramuscular
+neuroendocrine
+neurogenic
+neuroglial
+neuromatous
+neuromuscular
+nephritic
+nephritic
+neurotoxic
+neurotropic
+parental
+filial
+spinal
+atomic
+monatomic
+diatomic
+polyatomic
+subatomic
+client-server
+clinical
+subclinical
+postal
+continental
+Continental
+continental
+lexical
+nonlexical
+lexical
+psychosexual
+sexagesimal
+sex-limited
+sex-linked
+sexual
+coital
+marine
+marine
+multilevel
+multiphase
+muzzle-loading
+littoral
+sublittoral
+surgical
+nonsurgical
+open-hearth
+ophthalmic
+ophthalmic
+physiotherapeutic
+nautical
+thalassic
+oceanic
+transoceanic
+ursine
+intravenous
+montane
+mechanical
+mechanical
+zoological
+zoological
+protozoological
+protozoal
+rental
+rental
+rickettsial
+ritual
+ritual
+fetal
+juvenile
+herbal
+doctoral
+pediatric
+kinetic
+mammary
+neural
+sensorineural
+sensorimotor
+occupational
+pelvic
+frontal
+bucolic
+Masonic
+masonic
+Masoretic
+masted
+migrational
+mnemonic
+parietal
+statuary
+tubal
+velar
+documentary
+iambic
+structural
+structural
+anatomic
+anatomic
+architectural
+tectonic
+organizational
+cogitative
+cognitive
+mental
+cultural
+factual
+achondroplastic
+ateleiotic
+ecclesiastical
+priestly
+sacerdotal
+molar
+molar
+molal
+molar
+molecular
+bimolecular
+intramolecular
+intermolecular
+macerative
+macrencephalic
+macrocephalic
+microcephalic
+microelectronic
+machine readable
+macromolecular
+isotopic
+isothermic
+microcosmic
+micrometeoric
+micropylar
+macrocosmic
+mucinous
+mucinoid
+mucocutaneous
+mucopurulent
+mucous
+mucoid
+colloidal
+administrative
+managerial
+supervisory
+nervous
+latinate
+latitudinal
+Florentine
+earthen
+earthy
+monometallic
+brazen
+geological
+psychological
+psychogenetic
+psychogenetic
+sociological
+demographic
+ecological
+ecological
+theological
+anthropological
+paleoanthropological
+computational
+athletic
+astrophysical
+geopolitical
+thermodynamic
+geophysical
+seismological
+peptic
+duodenal
+neuropsychological
+neurophysiological
+navigational
+differential
+deconstructionist
+rationalist
+calligraphic
+lexicographic
+orthographic
+telegraphic
+typographic
+astrological
+syllogistic
+necromantic
+lithomantic
+mechanistic
+chiromantic
+parametric
+nonparametric
+statistical
+nihilistic
+spiritualistic
+supernaturalist
+operationalist
+operatic
+trigonometric
+pharmacological
+toxicological
+psychiatric
+oncological
+psychoanalytical
+psychometric
+psychomotor
+psychotherapeutic
+therapeutic
+neuroanatomic
+virological
+bacteriological
+cardiologic
+endocrine
+enolic
+exocrine
+endodontic
+endoparasitic
+orthodontic
+periodontic
+dermatologic
+exodontic
+geriatric
+geriatric
+German-American
+gynecological
+gymnosophical
+gymnospermous
+hematologic
+obstetric
+neurological
+spectrometric
+spectroscopic
+mass spectroscopic
+mass-spectrometric
+electron microscopic
+microscopic
+insurrectional
+conspiratorial
+domestic
+econometric
+criminological
+classicistic
+historical
+ahistorical
+ontological
+pietistic
+fascist
+Catholic
+Anglo-catholic
+Anglo-Indian
+Roman
+Roman
+Roman
+Roman
+Jewish
+Judaic
+Anglo-Jewish
+evangelical
+evangelical
+evangelistic
+Muslim
+Hindu
+Hmong
+Buddhist
+sculptural
+evaporative
+Confucian
+Shinto
+Kokka
+Shuha
+Rastafarian
+Jain
+Taoist
+Taoist
+textual
+Tantric
+magnetic
+electromagnetic
+Avestan
+Zoroastrian
+capillary
+automotive
+horticultural
+cervical
+American
+American
+anti-American
+pro-American
+Indian
+Indian
+North American
+South American
+South African
+asymptotic
+subtropical
+tropical
+equatorial
+equatorial
+rational
+irrational
+anionic
+cationic
+Satanic
+angular
+rabbinical
+arteriosclerotic
+idolatrous
+sacramental
+theist
+deist
+pantheist
+nocturnal
+mensural
+mensural
+mensal
+epicarpal
+epithelial
+epitheliod
+pancreatic
+ovarian
+ovine
+ovular
+ovular
+uterine
+intrauterine
+testicular
+rectal
+rectosigmoid
+monozygotic
+dizygotic
+synaptic
+dendritic
+iliac
+lobar
+lobate
+abdominal
+hormonal
+hemispheric
+occipital
+pneumonic
+pneumonic
+intrapulmonary
+intestinal
+skeletal
+skinny
+adjectival
+adverbial
+morphemic
+bimorphemic
+monomorphemic
+polymorphemic
+morphophonemic
+clausal
+phrasal
+infinitival
+pronominal
+indexical
+indexless
+cruciferous
+mathematical
+choreographic
+runic
+scriptural
+pentatonic
+anaphoric
+anapestic
+rhetorical
+tectonic
+riparian
+Martian
+actuarial
+psycholinguistic
+robotic
+rotatory
+epicyclic
+expansionist
+experimental
+expiatory
+familial
+etiological
+etiological
+exuvial
+behavioral
+African
+East African
+East Indian
+Afro-Asian
+phenotypical
+genotypical
+ontogenetic
+phylogenetic
+environmental
+environmental
+methodological
+cross-sectional
+sectional
+trabecular
+tracheal
+tractive
+transdermal
+transitional
+traumatic
+trophic
+tympanic
+tympanic
+tympanitic
+perceptual
+libidinal
+epileptic
+developmental
+pedagogical
+educational
+prehistoric
+Atlantic
+Pacific
+transatlantic
+synergistic
+monistic
+dualistic
+pluralistic
+pleural
+hilar
+labyrinthine
+lobular
+interlobular
+intralobular
+anastomotic
+bronchial
+arteriolar
+bronchiolar
+rhombic
+trapezoidal
+physiological
+morphologic
+geomorphologic
+morphologic
+occlusive
+ohmic
+mortuary
+mortuary
+funerary
+strategic
+tactical
+cinerary
+circulatory
+veinal
+circulative
+euphonic
+metamorphic
+sedimentary
+Christian
+Judeo-Christian
+Protestant
+universalistic
+Calvinist
+fundamentalist
+Orthodox
+Orthodox
+radio
+dipolar
+deformational
+totemic
+Anglican
+Baptistic
+Congregational
+Episcopal
+revivalistic
+Lutheran
+Methodist
+Mormon
+Unitarian
+orchestral
+orchestrated
+communicative
+autosomal
+chromatic
+chromosomal
+chronological
+Italian
+Russian
+German
+East German
+Celtic
+Britannic
+Teutonic
+French
+Spanish
+Iberian
+Lusitanian
+Portuguese
+Sicilian
+Soviet
+Finnish
+Swedish
+Norwegian
+Scandinavian
+Danish
+Belgian
+Dutch
+Luxembourgian
+Swiss
+Austrian
+Polish
+Polynesian
+Hungarian
+Czech
+Yugoslavian
+Romanian
+Baltic
+Baltic
+Latvian
+Lithuanian
+Moldovan
+Kyrgyzstani
+Tajikistani
+Turkmen
+Ukrainian
+Uzbekistani
+Serbian
+Croatian
+Slovenian
+Slovakian
+Bosnian
+Chinese
+Sinitic
+Japanese
+exponential
+paradigmatic
+paradigmatic
+Tibetan
+Himalayan
+Chilean
+Peruvian
+Ecuadorian
+Panamanian
+Venezuelan
+Brazilian
+Argentine
+Paraguayan
+Uruguayan
+Bolivian
+Colombian
+Korean
+North Korean
+South Korean
+European
+Asian
+Cambodian
+Manchurian
+Honduran
+Salvadoran
+Cuban
+Bavarian
+Byzantine
+Byzantine
+Ottoman
+Seljuk
+Neapolitan
+Milanese
+Tuscan
+Venetian
+Tyrolean
+Viennese
+Glaswegian
+Egyptian
+Hindustani
+Nepalese
+Indonesian
+Alsatian
+Athenian
+Spartan
+Thracian
+Israeli
+Genoese
+tragic
+comic
+tragicomic
+abyssal
+neritic
+baroque
+bathyal
+hadal
+operculate
+Palestinian
+infernal
+cortical
+metabolic
+metastatic
+gonadal
+agonadal
+diagnostic
+gastrointestinal
+gastronomic
+carnal
+cross-modal
+functional
+neurotic
+epidemiologic
+qualitative
+quantal
+quantitative
+Quebecois
+Assamese
+Austronesian
+Algerian
+Andorran
+Monacan
+Galwegian
+Calcuttan
+circadian
+rhinal
+perinasal
+otic
+retinal
+orbital
+suborbital
+reductionist
+maturational
+dynamic
+hydrodynamic
+aerodynamic
+rheologic
+meteoritic
+micrometeoritic
+cometary
+asteroidal
+piezoelectric
+thyroid
+thyrotoxic
+thyroid
+antithyroid
+congressional
+instructional
+catechismal
+catechetical
+catechistic
+Canadian
+necrotic
+hypothalamic
+cortico-hypothalamic
+thalamocortical
+gestational
+progestational
+progestational
+emotional
+macrobiotic
+biotic
+gubernatorial
+presidential
+vice-presidential
+copular
+coronary
+corporate
+corporatist
+corpuscular
+dimensional
+volumed
+volumetric
+hypothermic
+hyperthermal
+yogistic
+botulinal
+logistic
+organicistic
+organismal
+artifactual
+mutafacient
+mutagenic
+mutational
+mutative
+mutant
+incident
+serologic
+chromatographic
+national
+national
+national
+nativist
+nativist
+naturistic
+congeneric
+specific
+conspecific
+experiential
+medieval
+mediatorial
+mediatory
+curatorial
+proverbial
+epiphyseal
+diaphyseal
+theocratic
+comparative
+artistic
+aesthetic
+official
+teleological
+sentential
+intrasentential
+cross-sentential
+scopal
+simian
+bubaline
+embolic
+falconine
+ferial
+faucal
+future
+futuristic
+gallinaceous
+geodetic
+heraldic
+humanitarian
+homophonous
+hyperbolic
+lacustrine
+liturgical
+locomotive
+logarithmic
+Markovian
+marmorean
+marly
+mesonic
+marsupial
+mercantile
+metric
+non-metric
+mythic
+nacreous
+normative
+North African
+ordinal
+palatal
+Paleozoic
+parabolic
+pharyngeal
+phrenic
+prosodic
+appetitive
+aversive
+promissory
+quartan
+quarterly
+quartzose
+quintessential
+roentgenographic
+rotary
+septic
+semicentennial
+centennial
+bicentennial
+tricentenary
+sophistic
+national socialist
+Nazi
+capitalist
+zymotic
+zymotic
+osmotic
+evolutionary
+oracular
+peritoneal
+Epicurean
+holographic
+holographic
+canonic
+canonic
+canonist
+symphonic
+contextual
+nutritional
+paramagnetic
+motional
+hydrometric
+thermohydrometric
+ferromagnetic
+English
+English
+Irish
+Afghani
+Central American
+idiomatic
+dialectal
+percussive
+waxen
+enzymatic
+nonenzymatic
+iodinated
+dramaturgic
+autodidactic
+aneuploid
+aneurysmal
+alluvial
+doctrinal
+dogmatic
+providential
+philanthropic
+philatelic
+aerophilatelic
+pleochroic
+sternal
+congestive
+hemolytic
+sarcolemmal
+sarcosomal
+sternutatory
+sympathetic
+urinary
+urinary
+atheromatous
+basophilic
+intimal
+coeliac
+celiac
+emphysematous
+granulocytic
+atrophic
+mesenteric
+glomerular
+calcific
+fibrocalcific
+pyknotic
+eosinophilic
+papillary
+papillate
+vesicular
+vestibular
+vertebral
+neocortical
+paleocortical
+limbic
+fugal
+parasympathetic
+parasympathomimetic
+hypophyseal
+hyperemic
+neuropsychiatric
+psychopharmacological
+salivary
+prime
+nilpotent
+megakaryocytic
+megaloblastic
+myelic
+myelinic
+myeloid
+myeloid
+myocardial
+myoid
+myotonic
+triumphal
+Darwinian
+neo-Darwinian
+Lamarckian
+neo-Lamarckian
+larval
+operational
+microbial
+cochlear
+lumbar
+lumbosacral
+flagellate
+biflagellate
+ceramic
+epic
+Hellenic
+Panhellenic
+Greek
+Syrian
+Minoan
+Mycenaean
+Aegean
+Aegean
+Attic
+Boeotian
+Dipylon
+Argive
+executive
+topographical
+endothelial
+taxonomic
+classificatory
+eutherian
+proteolytic
+microsomal
+mithraic
+mitotic
+mitral
+mitral
+follicular
+philological
+dystopian
+utopian
+Stoic
+patristic
+sapphirine
+saprophytic
+saprobic
+katharobic
+cubist
+tomentose
+hyoid
+geographic
+shouldered
+shrubby
+etymological
+British
+epiphytic
+lithophytic
+budgetary
+propagandist
+isolationist
+ascomycetous
+pianistic
+pianistic
+Parisian
+dialectic
+Turkish
+Eurafrican
+Eurasian
+Moroccan
+Scots
+Corsican
+Sardinian
+Alpine
+alpine
+Andean
+myrmecophytic
+tuberous
+semi-tuberous
+saponaceous
+umbellate
+narial
+Cartesian
+Mexican
+Tudor
+Shavian
+Shakespearian
+Skinnerian
+Falstaffian
+Victorian
+Gaussian
+Aeschylean
+Alexandrian
+Aristotelian
+Audenesque
+Balzacian
+Beethovenian
+Bismarckian
+Bogartian
+Caesarian
+cesarean
+Coleridgian
+Columbian
+pre-Columbian
+Cromwellian
+Dantean
+Demosthenic
+Deweyan
+Donnean
+Dostoevskian
+Draconian
+Einsteinian
+Elizabethan
+Erasmian
+Freudian
+Frostian
+Gandhian
+Gauguinesque
+Goethean
+Handelian
+Hegelian
+Hemingwayesque
+Hitlerian
+Hittite
+Hugoesque
+Huxleyan
+Ibsenian
+Proustian
+Ptolemaic
+Socratic
+Jungian
+Kantian
+Keynesian
+Kiplingesque
+Leibnizian
+Leonardesque
+Lincolnesque
+Lutheran
+Marian
+Michelangelesque
+Muhammadan
+Mosaic
+most-favored-nation
+Mozartian
+Napoleonic
+Newtonian
+Pasteurian
+Pavlovian
+Piagetian
+eponymous
+Pythagorean
+Wagnerian
+Washingtonian
+Washingtonian
+Washingtonian
+Washingtonian
+Rembrandtesque
+Riemannian
+Rooseveltian
+Senecan
+Stravinskyan
+Thoreauvian
+Voltarian
+Wordsworthian
+Wittgensteinian
+Yeatsian
+Zolaesque
+Hebraic
+Hebraic
+monocarpic
+puerperal
+acetic
+actinic
+aldermanic
+alexic
+dyslexic
+monochromatic
+Moravian
+dichromatic
+ambassadorial
+amoebic
+anemic
+anaesthetic
+ablative
+accusatorial
+inquisitorial
+West African
+Afrikaans
+aneroid
+Angolan
+Anguillan
+prenuptial
+postnuptial
+anti-semitic
+Antiguan
+antiquarian
+antiquarian
+appellate
+anecdotal
+Arabian
+Arabian
+Arabic
+arithmetical
+armorial
+aspectual
+asphyxiated
+audio-lingual
+Augustan
+Australian
+Bahamian
+Bahraini
+Bangladeshi
+Bantoid
+Bantu
+Bantu-speaking
+baptismal
+Barbadian
+bardic
+Benedictine
+Benedictine
+Bengali
+Beninese
+Bermudan
+Bhutanese
+bilabial
+binomial
+biographic
+bituminous
+bituminoid
+bivalent
+bivariate
+bladdery
+bladed
+bladed
+blastemal
+blastocoelic
+blastodermatic
+blastomeric
+blastomycotic
+blastoporal
+blastospheric
+boric
+Bruneian
+bubonic
+Bulgarian
+bungaloid
+bureaucratic
+burglarious
+Burmese
+Burundi
+Californian
+Cameroonian
+cannibalistic
+cantonal
+carboniferous
+Carmelite
+carpal
+casuistic
+casuistic
+Catalan
+Catalan
+cataleptic
+catalytic
+catatonic
+Chadian
+citric
+citrous
+citrous
+climatic
+Cockney
+cockney
+commemorative
+concessive
+Congolese
+consular
+Coptic
+Costa Rican
+creaseproof
+creedal
+Creole
+Creole
+Cretaceous
+cretaceous
+cybernetic
+cyclonic
+cyclonic
+cyclopean
+cyclothymic
+Cyprian
+Cyrillic
+dacitic
+dactylic
+daisylike
+Dalmatian
+damascene
+defervescent
+departmental
+interdepartmental
+intradepartmental
+digestive
+Delphic
+demagogic
+diabetic
+disciplinary
+interdisciplinary
+disciplinary
+divisional
+Djiboutian
+dogmatic
+dolomitic
+domiciliary
+Dominican
+Dominican
+ducal
+ductless
+Edwardian
+elocutionary
+empiric
+endometrial
+endoscopic
+enteric
+entomological
+entozoan
+epizoan
+entrepreneurial
+Eritrean
+Ethiopian
+ethnographic
+ethnological
+euclidian
+Fabian
+fatalist
+faecal
+feudatory
+Fijian
+Filipino
+Flemish
+Franciscan
+Gabonese
+Gallic
+Gambian
+genealogic
+Georgian
+Georgian
+Georgian
+Georgian
+Germanic
+Ghanaian
+Gibraltarian
+Gilbertian
+gladiatorial
+glandular
+gonadotropic
+Gothic
+Gothic
+Gothic
+green
+greenhouse
+greenside
+Gregorian
+Gregorian
+Grenadian
+growing
+Guatemalan
+Guinean
+Guyanese
+gyroscopic
+Haitian
+Hanoverian
+Hispaniolan
+Hispanic
+histological
+Hertzian
+hiplength
+Hippocratic
+homeopathic
+allopathic
+Homeric
+homiletic
+homiletic
+hydraulic
+hydraulic
+hydropathic
+Icelandic
+imperialistic
+Indo-European
+Indo-European
+tribal
+intertribal
+Iranian
+Iraqi
+Italic
+italic
+Jacksonian
+Jacobean
+Jacobinic
+Jamaican
+Javanese
+Jesuitical
+Jordanian
+journalistic
+Jovian
+Jovian
+Julian
+karyokinetic
+Kashmiri
+Kazakhstani
+Kenyan
+knee-length
+Kurdish
+Kuwaiti
+Kuwaiti
+Lancastrian
+Lancastrian
+Laotian
+Lao
+Laputan
+Latin
+Latin
+Romance
+Latin
+Lebanese
+lenten
+Levantine
+Liberian
+Libyan
+Liechtensteiner
+Lilliputian
+lithographic
+Liverpudlian
+Luxemburger
+Luxemburger
+Macedonian
+Machiavellian
+Madagascan
+malarial
+Malawian
+Malay
+Malaysian
+Malian
+Maltese
+Malthusian
+Mancunian
+manorial
+Manx
+Mauritanian
+mayoral
+Mediterranean
+megalithic
+membranous
+Mendelian
+mentholated
+meritocratic
+metacarpal
+metallurgical
+metatarsal
+methylated
+milch
+millenary
+mineral
+Mongol
+Mongolian
+mongoloid
+Mongoloid
+mongoloid
+Montserratian
+Moorish
+Mozambican
+Mozambican
+Muscovite
+Namibian
+Nauruan
+Neanderthal
+nebular
+nectariferous
+nectar-rich
+eolithic
+mesolithic
+neolithic
+paleolithic
+neuralgic
+neurasthenic
+Nicaean
+Nicaraguan
+Nigerian
+Nigerian
+Nilotic
+Nilotic
+nitrogen-fixing
+nitrogenous
+azotic
+nodular
+nontranslational
+Nordic
+Nordic
+Norman
+Norman
+Olympic
+Olympian
+Olympian
+Omani
+open-source
+optative
+optative
+subjunctive
+implicational
+imperative
+indicative
+interrogative
+ornithological
+orthopedic
+orthoptic
+outdoor
+Oxonian
+Oxonian
+Pakistani
+palatial
+Papuan
+paralytic
+parenteral
+parenteral
+Parthian
+participial
+partitive
+partitive
+patronymic
+pectic
+penile
+scrotal
+peninsular
+pentavalent
+pentecostal
+pentecostal
+pharmaceutical
+pharmaceutical
+philharmonic
+Philistine
+phonic
+phonic
+phosphorous
+pineal
+piratical
+piratical
+piscatorial
+pituitary
+polygonal
+polynomial
+porcine
+porphyritic
+postganglionic
+postictal
+postmillennial
+postural
+praetorian
+Pre-Raphaelite
+prepositional
+primiparous
+prismatic
+prefectural
+probabilistic
+probabilistic
+procedural
+processional
+processional
+proconsular
+promotional
+promotional
+propulsive
+Prussian
+pudendal
+puerile
+pugilistic
+Carthaginian
+purgatorial
+purgatorial
+puritanical
+pyemic
+pyloric
+pyogenic
+pyrectic
+pyrochemical
+pyroelectric
+pyrogallic
+pyrogenic
+pyrographic
+pyroligneous
+pyrolytic
+pyrotechnic
+pyrrhic
+pyrrhic
+pyrrhic
+Qatari
+quadratic
+biquadratic
+quadratic
+quadraphonic
+quincentennial
+Quechuan
+Rabelaisian
+rayless
+recessionary
+recessional
+redemptive
+regimental
+residential
+residuary
+resistive
+respiratory
+inspiratory
+expiratory
+responsive
+retentive
+reversionary
+Rhenish
+rhizomatous
+rhizoidal
+rhomboid
+ritualistic
+romaic
+Romany
+rotational
+Rwandan
+Sabahan
+Sabbatarian
+sabbatical
+sabbatical
+sacral
+sacrificial
+Samoan
+San Marinese
+Sarawakian
+satyric
+Saudi-Arabian
+saxicolous
+Saxon
+Anglo-Saxon
+schismatic
+schizoid
+scorbutic
+scotomatous
+Semite
+Semitic
+Senegalese
+sericultural
+serous
+Seychellois
+Thai
+Thai
+Thai
+Siberian
+Sierra Leonean
+Singaporean
+Singaporean
+Singhalese
+Sinhala
+Sri Lankan
+Slav
+Slavonic
+small-capitalization
+Somalian
+Sotho
+spastic
+spicate
+spiny-finned
+spondaic
+stereoscopic
+stereoscopic
+stigmatic
+stingless
+stipendiary
+substantival
+gerundial
+Sudanese
+sulphuric
+Sumatran
+Swazi
+syphilitic
+systolic
+extrasystolic
+Tahitian
+Taiwanese
+tabular
+Tamil
+tannic
+Tanzanian
+tarsal
+tartaric
+telephonic
+terminological
+terpsichorean
+tertian
+tertian
+tetanic
+tetanic
+tetravalent
+Texan
+textile
+theosophical
+thermionic
+thermometric
+thermostatic
+thespian
+Tobagonian
+Togolese
+Tongan
+tonsorial
+translational
+Triassic
+Trinidadian
+trihydroxy
+trivalent
+trochaic
+Trojan
+trophoblastic
+trophotropic
+Tunisian
+Tunisian
+Turkic
+tutorial
+Ugandan
+uric
+uricosuric
+uvular
+vaginal
+valvular
+vehicular
+vestal
+vestiary
+vestmental
+veterinary
+vibrionic
+viceregal
+Vietnamese
+vocative
+voyeuristic
+weatherly
+Welsh
+wheaten
+Wiccan
+oaten
+woolen
+xerographic
+Yemeni
+Zairean
+Zambian
+New Zealander
+zenithal
+Zimbabwean
+Zionist
+Zionist
+zonal
+bizonal
+zodiacal
+ammoniated
+Briton
+carroty
+philhellenic
+boreal
+boreal
+axillary
+paniculate
+phyllodial
+rupestral
+Kafkaesque
+Faustian
+invitational
+involucrate
+scalar
+scalar
+anthropocentric
+ethnocentric
+deictic
+shallow-draft
+shamanist
+shambolic
+shaped
+sharp-pointed
+shelflike
+Shona
+short-handled
+short-order
+side-to-side
+striate
+sulcate
+hymenal
+hymeneal
+servomechanical
+onomatopoeic
+commercial
+dictyopteran
+isopteran
+obligational
+oscine
+osseous
+ossicular
+ossiferous
+osteal
+abolitionary
+abomasal
+absolutist
+accentual
+accessional
+accipitrine
+accommodational
+acculturational
+centromeric
+acentric
+acrocentric
+metacentric
+metacentric
+mud-brick
+telocentric
+anaphylactic
+bronchoscopic
+bryophytic
+bulbaceous
+bulbed
+bulbar
+racial
+scalic
+rosaceous
+Rosicrucian
+streptococcal
+subclavian
+thalloid
+thallophytic
+ulcerative
+ultramicroscopic
+ultramontane
+undescended
+undulatory
+universalistic
+point-of-sale
+vasomotor
+vesical
+viscometric
+viricidal
+vitiliginous
+ratlike
+salamandriform
+salvific
+shakedown
+sidearm
+varicelliform
+wedge-shaped
+wiry
+WYSIWYG
+X-linked
+yeasty
+Yuman
+Zapotec
+zero
+zoonotic
+zygomatic
+zymoid
+.22 caliber
+.38 caliber
+.45 caliber
+nosohusial
+avenged
+unavenged
+beaten
+calibrated
+cantering
+collected
+uncollected
+contested
+uncontested
+corbelled
+elapsed
+forced
+hammered
+hand-held
+held
+streaming
+surmounted
+filled
+unfilled
+fitted
+hypophysectomized
+malted
+unmalted
+marched upon
+mercerized
+mounded over
+operating
+oxidized
+parked
+pasteurized
+unpasteurized
+penciled
+pitched
+played
+plugged
+posed
+unposed
+posted
+preconceived
+punishing
+pursued
+ranging
+re-created
+regenerating
+ridged
+sanitized
+shrieked
+sintered
+sluicing
+spray-dried
+squashed
+stacked
+strung
+sublimed
+thoriated
+transpiring
+sought
+closed-captioned
+saponified
+unsaponified
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/wn/adv.txt b/nlp-utils/src/main/resources/opennlp/cfg/wn/adv.txt
new file mode 100644
index 0000000..8202842
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/wn/adv.txt
@@ -0,0 +1,3046 @@
+a cappella
+horseback
+barely
+just
+hardly
+anisotropically
+annoyingly
+basically
+blessedly
+boiling
+enviably
+pointedly
+negatively
+kindly
+unkindly
+merely
+simply
+plainly
+anciently
+arguably
+unabashedly
+automatically
+alarmingly
+vastly
+grossly
+largely
+significantly
+insignificantly
+appreciably
+ultrasonically
+smartly
+approximately
+absolutely
+partially
+half
+wholly
+entirely
+clean
+plumb
+perfectly
+pat
+please
+imperfectly
+amiss
+fully
+only
+well
+ill
+isotropically
+badly
+satisfactorily
+okay
+unsatisfactorily
+prosperously
+worse
+worst
+even
+even as
+e'en
+rather
+quite
+always
+con brio
+conjecturally
+consecutively
+constantly
+coterminously
+never
+occasionally
+sometime
+sometimes
+equally
+long ago
+pretty much
+much
+that much
+palmately
+paradoxically
+parasitically
+conformably
+conventionally
+unconventionally
+pathogenically
+pictorially
+not
+nothing
+no
+any
+none
+either
+bloody
+anywhere
+nowhere
+somewhere
+everywhere
+high and low
+somehow
+anyhow
+as it is
+however
+yet
+so far
+lightly
+besides
+fugally
+furthermore
+farther
+further
+farthest
+furthest
+futilely
+still
+no longer
+anymore
+already
+very
+fabulously
+mighty
+good and
+fucking
+henceforth
+hereafter
+hereunder
+instantaneously
+mildly
+a bit
+anon
+soon
+ASAP
+shortly
+momentarily
+shoulder-to-shoulder
+soonest
+spiritedly
+sportively
+stormily
+frequently
+oftener
+rarely
+curiously
+reasonably
+unreasonably
+slightly
+movingly
+extensively
+intrinsically
+decidedly
+truly
+indeed
+in the lurch
+in truth
+forsooth
+in utero
+in vacuo
+naturally
+unnaturally
+clearly
+unclearly
+obviously
+apparently
+again
+withal
+by chance
+unexpectedly
+out of the way
+in the way
+specifically
+generally
+nonspecifically
+fortunately
+happily
+sadly
+unfortunately
+therefore
+ergo
+hence
+thence
+therefor
+vocationally
+face to face
+one-on-one
+face-to-face
+vis-a-vis
+tete a tete
+if not
+beyond
+otherwise
+additionally
+extremely
+drop-dead
+beyond measure
+madly
+inordinately
+by far
+head and shoulders above
+excessively
+ultimately
+finally
+presently
+nowadays
+immediately
+now
+now now
+aggressively
+shrilly
+steadily
+unhappily
+firm
+squarely
+directly
+due
+variously
+indefatigably
+biradially
+bitterly
+very well
+all right
+swiftly
+openly
+practically
+presumably
+pyramidically
+next
+for the moment
+easily
+by hand
+by machine
+hand to hand
+hand to mouth
+terribly
+acceptably
+unacceptably
+abusively
+admiringly
+adoringly
+adroitly
+maladroitly
+dreadfully
+greatly
+drastically
+at all
+by all means
+by no means
+thoroughly
+through
+soundly
+right
+indirectly
+indigenously
+individualistically
+intractably
+man-to-man
+secondhand
+thirdhand
+a lot
+often
+better
+increasingly
+effectively
+de facto
+for all practical purposes
+reproducibly
+previously
+earlier
+subsequently
+abruptly
+suddenly
+presto
+inscriptively
+inscrutably
+insecticidally
+insensately
+intentionally
+unintentionally
+consequently
+accordingly
+alternatively
+let alone
+a fortiori
+altogether
+all together
+anatomically
+blindly
+chromatically
+chronologically
+clinically
+punctually
+mathematically
+meanwhile
+twice
+largo
+lengthily
+last
+last but not least
+lastingly
+absently
+accusingly
+affectedly
+affectingly
+ahead
+all along
+along
+on
+alike
+aloud
+loudly
+softly
+faintly
+analogously
+randomly
+around
+about
+nearby
+round
+here and there
+urgently
+asexually
+asymptotically
+scantily
+chiefly
+ago
+back
+forward
+aback
+abeam
+backward
+back and forth
+up and down
+aurally
+axially
+brazenly
+brilliantly
+catalytically
+commercially
+dearly
+conversely
+cosmetically
+decoratively
+covertly
+overtly
+microscopically
+undoubtedly
+statistically
+thermodynamically
+tonight
+actively
+passively
+below
+above
+in the bargain
+contemptibly
+contemptuously
+contractually
+insanely
+sanely
+comically
+daily
+hebdomadally
+annually
+dazzlingly
+deceptively
+yonder
+deprecatively
+depressingly
+dichotomously
+digitately
+disruptively
+dizzily
+dorsally
+dorsoventrally
+ventrally
+doubly
+singly
+multiply
+multiplicatively
+empirically
+particularly
+ex cathedra
+extra
+elaborately
+elsewhere
+eschatologically
+exasperatingly
+experimentally
+expressly
+facetiously
+quickly
+fast
+flat out
+quicker
+slower
+quickest
+slowest
+permissively
+permissibly
+impermissibly
+flatly
+flush
+everlastingly
+ad infinitum
+permanently
+in perpetuity
+temporarily
+ad interim
+ad lib
+provisionally
+continually
+forever
+highly
+histologically
+magnetically
+marginally
+geometrically
+perilously
+tiredly
+vitally
+energetically
+strenuously
+intently
+dingdong
+mightily
+reluctantly
+hard
+tightly
+briefly
+conclusively
+inconclusively
+deplorably
+denominationally
+cortically
+focally
+hypothalamically
+intradermally
+intramuscularly
+amusingly
+downstairs
+upstairs
+downwind
+upwind
+windward
+leeward
+down
+up
+upriver
+downriver
+downfield
+downright
+outright
+home
+at home
+homeward
+insofar
+mordaciously
+more
+less
+little
+early
+late
+early on
+for that matter
+afar
+far
+way
+far and wide
+fictitiously
+finely
+first
+second
+third
+throughout
+initially
+at first sight
+at first blush
+and so forth
+forth
+abroad
+at heart
+at large
+at least
+at most
+at leisure
+just then
+promptly
+at best
+at worst
+demoniacally
+furtively
+unanimously
+responsibly
+irresponsibly
+fairly
+normally
+as usual
+unusually
+recently
+erratically
+girlishly
+gradually
+grimly
+hell-for-leather
+hereabout
+here
+herein
+there
+historically
+peacefully
+scientifically
+unscientifically
+humbly
+meekly
+inside
+outside
+militarily
+macroscopically
+literally
+virtually
+most
+least
+least of all
+mutely
+internationally
+inevitably
+newly
+afresh
+de novo
+differently
+organically
+inorganically
+unfailingly
+mechanically
+metabolically
+officially
+unofficially
+painfully
+centrally
+peripherally
+phylogenetically
+physically
+physiologically
+preferably
+politically
+pornographically
+self-indulgently
+symbiotically
+symbolically
+toe-to-toe
+together
+in concert
+in on
+jointly
+outrageously
+then
+volumetrically
+so
+regardless
+irregardless
+once
+though
+as far as possible
+on the coattails
+on the other hand
+on the one hand
+successfully
+simultaneously
+concurrently
+systematically
+unsystematically
+inconsistently
+thereby
+thus
+academically
+appositively
+astronomically
+axiomatically
+photoelectrically
+photographically
+photometrically
+constitutionally
+unconstitutionally
+democratically
+undemocratically
+aloof
+digitally
+economically
+electronically
+ethnically
+federally
+genetically
+graphically
+ideographically
+idyllically
+industrially
+injuriously
+irrevocably
+legally
+manually
+medically
+medicinally
+nominally
+predicatively
+professorially
+provincially
+realistically
+red-handed
+reversibly
+rewardingly
+royally
+sacrilegiously
+scenically
+scholastically
+serially
+socially
+technically
+temporally
+terminally
+terrestrially
+territorially
+thematically
+therapeutically
+geothermally
+thermally
+typically
+atypically
+verbally
+vocally
+nonverbally
+globally
+electrically
+chemically
+legislatively
+bilingually
+linearly
+longitudinally
+magically
+bacterially
+relativistically
+racially
+municipally
+governmentally
+professionally
+spatially
+semantically
+limitedly
+linguistically
+sociolinguistically
+cross-linguistically
+fiscally
+algebraically
+polyphonically
+poetically
+phonetically
+phonemic
+personally
+philosophically
+infernally
+pathologically
+catastrophically
+optically
+visually
+viscerally
+cerebrally
+mystically
+biologically
+sociobiologically
+neurobiological
+biochemically
+musicologically
+morally
+meteorologically
+metaphysically
+metonymically
+melodically
+harmonically
+acoustically
+adulterously
+metaphorically
+allegorically
+locally
+regionally
+nationally
+culturally
+interracially
+chorally
+subcutaneously
+facially
+syntactically
+spinally
+sexually
+lexically
+nonlexically
+materially
+surgically
+operatively
+postoperatively
+chromatographically
+alternately
+transversely
+respectively
+similarly
+secondarily
+primarily
+probably
+bannerlike
+dramatically
+undramatically
+ashore
+notably
+intensively
+appropriately
+inappropriately
+inalienably
+offshore
+onshore
+thousand-fold
+artificially
+acutely
+chronically
+contradictorily
+electrostatically
+episodically
+feverishly
+feudally
+frontally
+glacially
+glaringly
+gravitationally
+gutturally
+hieroglyphically
+homeostatically
+horticulturally
+humanly
+imperially
+incestuously
+inconceivably
+insistently
+institutionally
+judicially
+nasally
+nocturnally
+rurally
+spherically
+superficially
+syllabically
+monosyllabically
+polysyllabically
+symptomatically
+tangentially
+volcanically
+awhile
+wickedly
+surely
+surprisingly
+technologically
+temperamentally
+sufficiently
+enough
+insufficiently
+unhesitatingly
+hesitantly
+thereafter
+ever
+sic
+such
+hand and foot
+hand in hand
+hand over fist
+handily
+easy
+in hand
+out of hand
+in a way
+factually
+in fact
+actually
+to be sure
+sure enough
+in toto
+in the least
+above all
+in absentia
+across the board
+after a fashion
+after all
+after hours
+against the clock
+ahead of the game
+all in all
+all of a sudden
+all the way
+from start to finish
+and how
+and then some
+around the clock
+as follows
+as it were
+as we say
+as the crow flies
+at all costs
+at a time
+at will
+loosely
+carefully
+mindfully
+unmindfully
+excitedly
+vociferously
+safely
+allegedly
+purportedly
+illegally
+originally
+unoriginally
+comfortably
+uncomfortably
+by a long shot
+by and by
+by and large
+by hook or by crook
+by heart
+by inches
+by fits and starts
+by the way
+by the piece
+orally
+come hell or high water
+day in and day out
+dead ahead
+deadpan
+en masse
+every so often
+every inch
+completely
+incompletely
+alone
+first and last
+precisely
+for a song
+for dear life
+at stake
+for example
+for good measure
+for keeps
+for love or money
+for one
+for short
+for the asking
+from scratch
+sincerely
+from way back
+close to the wind
+closely
+relatively
+predominantly
+readily
+markedly
+palpably
+crudely
+slowly
+publicly
+privately
+secretly
+communally
+reprovingly
+gaily
+hand in glove
+cheek by jowl
+helter-skelter
+head over heels
+fecklessly
+harum-scarum
+carelessly
+heart and soul
+hook line and sinker
+in circles
+in a pig's eye
+in case
+coldly
+seriously
+in due course
+in full swing
+in kind
+in line
+in name
+in no time
+long
+in passing
+in practice
+in short order
+inside out
+in the air
+in the first place
+in the long run
+in the nick of time
+in the same breath
+in time
+vainly
+unsuccessfully
+just so
+lickety split
+like clockwork
+like hell
+no end
+off and on
+off the cuff
+confidentially
+off the record
+on all fours
+on the average
+on approval
+on faith
+hypothetically
+theoretically
+oppositely
+contrarily
+on the fly
+on the spot
+on the spur of the moment
+on the way
+on time
+out of thin air
+out of wedlock
+to advantage
+to a man
+to a T
+up to now
+to order
+tooth and nail
+to that effect
+to the hilt
+under the circumstances
+orad
+aborad
+bravely
+overboard
+upstate
+profoundly
+impatiently
+patiently
+tensely
+methodically
+apologetically
+unsteadily
+haughtily
+wildly
+wild
+bleakly
+stupidly
+uniquely
+symmetrically
+asymmetrically
+inversely
+creatively
+distally
+heavily
+repeatedly
+over and over
+adamantly
+strongly
+weakly
+vice versa
+day by day
+day in day out
+week after week
+week by week
+month by month
+radically
+religiously
+scrupulously
+exceptionally
+amply
+strictly
+tentatively
+in other words
+fussily
+unnecessarily
+gracefully
+gracelessly
+neatly
+successively
+independently
+apart
+as needed
+gently
+overseas
+vigorously
+distinctly
+in vivo
+positively
+excellently
+healthily
+hilariously
+considerately
+inconsiderately
+wonderfully
+gratifyingly
+impeccably
+blandly
+gravely
+helpfully
+unhelpfully
+true
+preferentially
+rationally
+irrationally
+critically
+uncritically
+boldly
+competently
+incompetently
+emotionally
+unemotionally
+anxiously
+stiffly
+informally
+formally
+irritably
+calmly
+tranquilly
+nicely
+cozily
+correspondingly
+studiously
+cleverly
+lavishly
+uptown
+downtown
+best of all
+best
+theatrically
+namely
+much as
+popularly
+enthusiastically
+unenthusiastically
+intellectually
+professedly
+someday
+hyperbolically
+agilely
+proudly
+solemnly
+divinely
+God knows how
+clumsily
+diffusely
+irregularly
+coarsely
+intensely
+et al.
+cf.
+i.e.
+continuously
+reflexly
+spontaneously
+sympathetically
+unsympathetically
+convincingly
+unconvincingly
+weirdly
+mercifully
+stealthily
+thievishly
+off
+snugly
+visibly
+conceivably
+strikingly
+meticulously
+graciously
+ungraciously
+rigidly
+awkwardly
+bewilderedly
+triumphantly
+regularly
+universally
+ideally
+mistakenly
+childishly
+needlessly
+tantalizingly
+improperly
+properly
+attentively
+enormously
+liberally
+effortlessly
+o'clock
+in detail
+inconveniently
+concretely
+abstractly
+all over
+kinesthetically
+tactually
+convulsively
+rebelliously
+stubbornly
+wrongheadedly
+drunkenly
+raucously
+victoriously
+fearfully
+fearlessly
+thankfully
+hopefully
+hopelessly
+eagerly
+reportedly
+maliciously
+viciously
+spitefully
+savagely
+wisely
+foolishly
+fatuously
+intelligently
+unintelligently
+intelligibly
+unintelligibly
+aerially
+alphabetically
+aristocratically
+autocratically
+diplomatically
+undiplomatically
+socioeconomically
+stoutly
+indefinitely
+correctly
+incorrectly
+inaccessibly
+accurately
+inaccurately
+wrongly
+justly
+rightly
+unjustly
+charitably
+aimlessly
+sluggishly
+trustfully
+darkly
+astray
+hurriedly
+unhurriedly
+hotfoot
+restlessly
+financially
+psychically
+today
+ornamentally
+ornately
+individually
+binaurally
+monaurally
+busily
+prominently
+inescapably
+helplessly
+imaginatively
+unimaginatively
+bewilderingly
+heartily
+unashamedly
+monolingually
+passionately
+spectacularly
+understandingly
+soulfully
+satirically
+smoothly
+freely
+habitually
+routinely
+customarily
+humiliatingly
+protectively
+spiritually
+sharply
+dimly
+unmistakably
+determinedly
+incidentally
+confidently
+retroactively
+sporadically
+haltingly
+half-and-half
+amazingly
+impressively
+unimpressively
+productively
+unproductively
+expertly
+amateurishly
+abundantly
+interestingly
+uninterestingly
+boringly
+moderately
+immoderately
+unrealistically
+stepwise
+stolidly
+supremely
+testily
+thoughtfully
+thoughtlessly
+auspiciously
+inauspiciously
+relentlessly
+ruefully
+head-on
+inexorably
+politely
+impolitely
+admirably
+pleasantly
+unpleasantly
+upside down
+breathlessly
+affably
+laughingly
+ambiguously
+unambiguously
+ceremonially
+unceremoniously
+ceremoniously
+rakishly
+rollickingly
+narrowly
+broadly
+twirlingly
+behind
+rightfully
+in one's own right
+faithfully
+unfaithfully
+violently
+nonviolently
+furiously
+securely
+wryly
+infinitely
+finitely
+boundlessly
+rigorously
+plastically
+boastfully
+big
+small
+warily
+unwarily
+bodily
+over
+editorially
+properly speaking
+abnormally
+angrily
+exultantly
+sedulously
+tenuously
+perennially
+perpetually
+anachronistically
+ineptly
+deliciously
+mentally
+roundly
+shyly
+fondly
+abed
+noisily
+quietly
+unquietly
+unqualifiedly
+outwardly
+inwardly
+favorably
+unfavorably
+cheerfully
+cheerlessly
+flawlessly
+solidly
+foursquare
+laconically
+obligingly
+voluntarily
+involuntarily
+unerringly
+geographically
+gloomily
+cruelly
+vaguely
+pompously
+out
+away
+out of
+aside
+seriatim
+doggedly
+efficiently
+inefficiently
+discordantly
+dully
+in stride
+atonally
+charmingly
+winsomely
+tragically
+fascinatingly
+curvaceously
+ominously
+restively
+wittingly
+unwittingly
+scienter
+contentedly
+pityingly
+glibly
+callously
+justifiably
+unjustifiably
+under way
+afoot
+modestly
+immodestly
+frowningly
+overwhelmingly
+each
+next door
+in unison
+analytically
+therein
+anarchically
+lopsidedly
+sternly
+suspiciously
+authoritatively
+resolutely
+irresolutely
+speculatively
+beautifully
+unattractively
+dourly
+belligerently
+consciously
+unconsciously
+greenly
+casually
+commensally
+competitively
+noncompetitively
+compulsively
+structurally
+south
+north
+overnight
+willy-nilly
+believably
+unbelievably
+underfoot
+feetfirst
+ferociously
+fiercely
+subconsciously
+vividly
+artfully
+expectantly
+lustily
+tenfold
+quantitatively
+on paper
+classically
+obscurely
+decently
+indecently
+horrifyingly
+characteristically
+uncharacteristically
+perversely
+dialectically
+prophetically
+artistically
+peculiarly
+instinctively
+internally
+externally
+overhead
+at arm's length
+aboard
+uniformly
+all too
+enduringly
+abreast
+per annum
+per diem
+between
+ad hoc
+ad nauseam
+ad val
+ante meridiem
+post meridiem
+a posteriori
+a priori
+cap-a-pie
+unlawfully
+jurisprudentially
+doggo
+en clair
+en famille
+ex officio
+full-time
+half-time
+bilaterally
+unilaterally
+multilaterally
+blatantly
+chock
+cloyingly
+collect
+C.O.D.
+counterclockwise
+counterintuitively
+clockwise
+deathly
+foremost
+fortnightly
+semiweekly
+monthly
+bimonthly
+semimonthly
+semiannually
+halfway
+ceteris paribus
+hereby
+hierarchically
+higgledy-piggledy
+ibid.
+in loco parentis
+in situ
+inter alia
+ipso facto
+item
+give or take
+mutatis mutandis
+par excellence
+pari passu
+passim
+pro tem
+sine die
+sotto voce
+sub rosa
+tandem
+thrice
+verbatim
+a la carte
+by word of mouth
+gratis
+inland
+inshore
+inward
+outward
+knee-deep
+breast-deep
+live
+sooner
+in extremis
+midmost
+off-hand
+offstage
+onstage
+off-the-clock
+overtime
+perforce
+post-haste
+prima facie
+perfunctorily
+proportionately
+rent-free
+wholesale
+scot free
+skyward
+up here
+adversely
+aesthetically
+agonizingly
+appallingly
+appealingly
+unappealingly
+approvingly
+disapprovingly
+ambitiously
+unambitiously
+amicably
+anonymously
+at a loss
+afield
+animatedly
+offhand
+upstage
+downstage
+abjectly
+abortively
+abstemiously
+abstrusely
+accelerando
+adagio
+administratively
+adorably
+antagonistically
+anteriorly
+apathetically
+ardently
+arrogantly
+ascetically
+ashamedly
+assertively
+unassertively
+assuredly
+audaciously
+avidly
+adjectively
+adverbially
+adrift
+andante
+amorously
+angelically
+architecturally
+articulately
+inarticulately
+attributively
+audibly
+inaudibly
+beastly
+authentically
+bloodlessly
+bloodily
+bombastically
+turgidly
+boyishly
+aground
+akimbo
+alee
+alertly
+alias
+allegretto
+allegro
+alliteratively
+altruistically
+anomalously
+appreciatively
+ungratefully
+arithmetically
+askance
+awry
+askew
+assiduously
+perseveringly
+persistently
+astutely
+across
+amain
+amidship
+amok
+antithetically
+seasonably
+unseasonably
+archly
+arduously
+artlessly
+obliquely
+blissfully
+aslant
+asleep
+astern
+aft
+fore
+astride
+athwart
+atop
+austerely
+avariciously
+avowedly
+backstage
+privily
+baldly
+balefully
+banefully
+bang
+banteringly
+barbarously
+bareback
+barefooted
+bawdily
+becomingly
+beneficially
+benignly
+beseechingly
+bewitchingly
+biennially
+biannually
+blankly
+blasphemously
+bluffly
+boorishly
+bountifully
+breadthwise
+breezily
+briskly
+bestially
+bumptiously
+buoyantly
+on air
+bureaucratically
+cagily
+cantankerously
+capriciously
+captiously
+caustically
+cautiously
+charily
+incautiously
+disdainfully
+endlessly
+interminably
+centennially
+chaotically
+chastely
+chattily
+cheaply
+cheekily
+gallantly
+churlishly
+circularly
+clannishly
+unfairly
+cleanly
+clear
+climatically
+coastwise
+coaxingly
+coherently
+incoherently
+colloquially
+collectedly
+colloidally
+combatively
+comfortingly
+compactly
+compatibly
+incompatibly
+complacently
+uncomplainingly
+complainingly
+comprehensively
+noncomprehensively
+compulsorily
+computationally
+brotherly
+pro
+con
+conceitedly
+conceptually
+concernedly
+concisely
+in a nutshell
+succinctly
+conically
+cynically
+cytophotometrically
+cytoplasmically
+cursorily
+cumulatively
+cum laude
+magna cum laude
+summa cum laude
+criminally
+coyly
+cross-legged
+condescendingly
+consecutive
+conservatively
+conditionally
+unconditionally
+crucially
+crosswise
+crisscross
+counter
+counteractively
+cross-country
+crossly
+crosstown
+craftily
+confusedly
+consequentially
+inconsequentially
+constructively
+contemporaneously
+contrastingly
+coolly
+incredibly
+credibly
+incredulously
+credulously
+cryptically
+cryptographically
+cunningly
+curtly
+damned
+damply
+dauntingly
+dazedly
+decisively
+indecisively
+deftly
+dejectedly
+delightedly
+delightfully
+demurely
+densely
+possibly
+impossibly
+potentially
+absurdly
+derisively
+descriptively
+deservedly
+undeservedly
+despairingly
+developmentally
+devilishly
+congenially
+contagiously
+controversially
+uncontroversially
+convivially
+coquettishly
+enviously
+creakily
+crushingly
+reprehensibly
+currishly
+daftly
+daintily
+daringly
+dashingly
+daylong
+deadly
+decorously
+indecorously
+willingly
+unwillingly
+deeply
+deep
+defenseless
+defensively
+offensively
+inoffensively
+distractedly
+deferentially
+deliriously
+delusively
+demonstrably
+desolately
+diabolically
+diffidently
+despicably
+despitefully
+destructively
+detestably
+detrimentally
+harmlessly
+deviously
+devotedly
+devoutly
+dexterously
+diagonally
+diagrammatically
+diametrically
+dictatorially
+didactically
+differentially
+diligently
+direfully
+dirtily
+disagreeably
+disappointedly
+disappointingly
+disastrously
+disconcertingly
+discontentedly
+disgracefully
+disgustedly
+disgustingly
+honestly
+dishonestly
+hypocritically
+dishonorably
+honorably
+disingenuously
+disinterestedly
+disjointedly
+loyally
+disloyally
+dismally
+obediently
+disobediently
+dispassionately
+disparagingly
+dispiritedly
+displeasingly
+disproportionately
+disputatiously
+disquietingly
+disreputably
+reputably
+respectfully
+disrespectfully
+distantly
+distastefully
+distressfully
+distributively
+distrustfully
+disturbingly
+doctrinally
+dogmatically
+dolefully
+domestically
+domineeringly
+double
+double time
+doubtfully
+dowdily
+downhill
+drably
+dreamily
+droopingly
+drowsily
+dumbly
+dutifully
+dynamically
+east
+west
+westward
+eastward
+easterly
+westerly
+ebulliently
+ecclesiastically
+ecologically
+ecstatically
+edgeways
+edgewise
+educationally
+eerily
+effectually
+ineffectually
+efficaciously
+inefficaciously
+elementarily
+effusively
+demonstratively
+egotistically
+unselfishly
+elegantly
+inelegantly
+eloquently
+ineloquently
+embarrassingly
+eminently
+emulously
+encouragingly
+discouragingly
+endways
+enterprisingly
+entertainingly
+environmentally
+equably
+equitably
+inequitably
+erectly
+eruditely
+ethically
+unethically
+euphemistically
+evasively
+evenly
+evolutionarily
+unevenly
+evermore
+excitingly
+unexcitingly
+excusably
+inexcusably
+exorbitantly
+expediently
+inexpediently
+expensively
+explosively
+exponentially
+express
+expressively
+inexpressively
+extemporaneously
+extravagantly
+exuberantly
+faddishly
+faithlessly
+falsely
+familiarly
+famously
+fanatically
+fancifully
+farcically
+fashionably
+unfashionably
+fastidiously
+civilly
+uncivilly
+fatefully
+faultily
+faultlessly
+fearsomely
+feebly
+feelingly
+unfeelingly
+felicitously
+infelicitously
+fierily
+fifthly
+figuratively
+first class
+firsthand
+first-rate
+fitfully
+fixedly
+flabbily
+flagrantly
+flamboyantly
+flat
+flexibly
+inflexibly
+flimsily
+flip-flap
+flippantly
+flop
+fluently
+forbiddingly
+forcefully
+cold-bloodedly
+forcibly
+forgetfully
+forgivingly
+unforgivingly
+forlornly
+formidably
+formlessly
+piano
+forte
+pianissimo
+fortissimo
+foully
+fourfold
+millionfold
+fourthly
+fractiously
+fraternally
+fraudulently
+frenziedly
+frugally
+functionally
+frighteningly
+frostily
+fretfully
+friskily
+frivolously
+frothily
+gainfully
+gamely
+garishly
+genealogically
+generically
+genteelly
+geologically
+jeeringly
+gingerly
+gladly
+gleefully
+joylessly
+glissando
+gloatingly
+gloriously
+glossily
+piggyback
+gloweringly
+glowingly
+gluttonously
+goddam
+good-naturedly
+gorgeously
+grandly
+gratingly
+gratuitously
+greasily
+gregariously
+grayly
+grievously
+gropingly
+grotesquely
+grudgingly
+ungrudgingly
+gruesomely
+gruffly
+guiltily
+gushingly
+half-heartedly
+half-hourly
+half-yearly
+handsomely
+haphazard
+haply
+harmoniously
+harshly
+roughly
+hatefully
+hazily
+headlong
+unadvisedly
+recklessly
+heaps
+heartlessly
+heatedly
+heavenward
+heavy
+heinously
+hereinafter
+hereinbefore
+hereof
+hereto
+hereupon
+hermetically
+heroically
+hideously
+high
+high-handedly
+high-mindedly
+questioningly
+insolently
+loose
+hoarsely
+horizontally
+vertically
+hospitably
+inhospitably
+hourly
+huffily
+hugger-mugger
+humanely
+inhumanely
+humorously
+humorlessly
+hundredfold
+hungrily
+hydraulically
+hygienically
+unhygienically
+hysterically
+icily
+identically
+identifiably
+ideologically
+idiomatically
+idiotically
+idly
+idolatrously
+ignorantly
+legibly
+illegibly
+illegitimately
+legitimately
+logically
+illogically
+illustriously
+immaculately
+immovably
+impartially
+immorally
+impassively
+impenitently
+penitently
+imperatively
+imperceptibly
+perceptibly
+imperiously
+impersonally
+impertinently
+impetuously
+impiously
+impishly
+implicitly
+explicitly
+importantly
+impracticably
+imprecisely
+impregnably
+improvidently
+providently
+prudently
+imprudently
+adequately
+inadequately
+incisively
+cuttingly
+incognito
+incomparably
+comparably
+incongruously
+conspicuously
+inconspicuously
+incriminatingly
+incurably
+indelibly
+ineffably
+indeterminably
+indifferently
+indignantly
+discreetly
+indiscreetly
+indolently
+indubitably
+indulgently
+industriously
+inextricably
+influentially
+informatively
+uninformatively
+infrequently
+ingeniously
+ingratiatingly
+inherently
+inimitably
+iniquitously
+innately
+innocently
+inopportunely
+opportunely
+inquiringly
+insatiably
+insecurely
+sensitively
+insensitively
+insidiously
+insincerely
+from the heart
+insinuatingly
+insipidly
+insomuch
+inspirationally
+substantially
+insubstantially
+insultingly
+insuperably
+interchangeably
+interdepartmental
+intermediately
+intermittently
+interrogatively
+intolerantly
+tolerantly
+transitively
+intransitively
+intravenously
+intuitively
+inventively
+invidiously
+invincibly
+invisibly
+irately
+ironically
+irrelevantly
+irretrievably
+irreverently
+irreversibly
+jarringly
+jealously
+immaturely
+maturely
+jerkily
+jokingly
+jocosely
+journalistically
+jovially
+judiciously
+injudiciously
+keenly
+killingly
+laboriously
+lackadaisically
+lamely
+landward
+langsyne
+languidly
+languorously
+large
+lasciviously
+laterally
+laughably
+laxly
+under arms
+lazily
+left
+legato
+staccato
+lengthways
+lento
+lethargically
+lewdly
+licentiously
+lifelessly
+longingly
+lucidly
+lukewarmly
+luxuriantly
+manageably
+unmanageably
+manfully
+unmanfully
+light-handedly
+light-heartedly
+lightsomely
+limnologically
+limply
+lineally
+matrilineally
+patrilineally
+lingeringly
+lispingly
+listlessly
+lividly
+loftily
+logarithmically
+longer
+longest
+loquaciously
+low
+lowest
+lugubriously
+luridly
+lusciously
+lustfully
+lyrically
+magnanimously
+grandiloquently
+majestically
+benevolently
+malevolently
+malignantly
+malignly
+managerially
+mangily
+maniacally
+manipulatively
+masochistically
+massively
+masterfully
+materialistically
+maternally
+mawkishly
+maximally
+minimally
+meagerly
+meanderingly
+meaningfully
+meanly
+meanspiritedly
+immeasurably
+measurably
+mechanistically
+medially
+meditatively
+mellowly
+melodiously
+unmelodiously
+melodramatically
+memorably
+unmemorably
+menacingly
+mendaciously
+truthfully
+menially
+mercilessly
+meretriciously
+meritoriously
+messily
+tidily
+methodologically
+metrically
+rhythmically
+mindlessly
+amidships
+midweek
+mincingly
+ministerially
+minutely
+miraculously
+miserably
+mistily
+molto
+momentously
+monotonously
+moodily
+morbidly
+morosely
+morphologically
+mortally
+motionlessly
+mournfully
+mundanely
+murderously
+murkily
+musically
+unmusically
+musingly
+mutually
+in return
+naively
+nakedly
+narrow-mindedly
+broad-mindedly
+nastily
+nattily
+jauntily
+nay
+nearer
+nearest
+necessarily
+neck and neck
+nefariously
+neglectfully
+negligently
+nervously
+neurotically
+nevermore
+near
+close up
+nightly
+ninefold
+nobly
+nohow
+nonstop
+nostalgically
+notoriously
+nutritionally
+numerically
+numbly
+nowise
+northeast
+northwest
+north-northeast
+north-northwest
+objectively
+subjectively
+obscenely
+obsequiously
+observantly
+obstreperously
+obtrusively
+unobtrusively
+officiously
+obstructively
+offside
+onerously
+opaquely
+operationally
+oppressively
+optimally
+optimistically
+pessimistically
+optionally
+obligatorily
+sumptuously
+organizationally
+osmotically
+ostentatiously
+outlandishly
+outspokenly
+overbearingly
+overleaf
+overmuch
+oversea
+overside
+owlishly
+pacifistically
+painstakingly
+palatably
+unpalatably
+palely
+pallidly
+parentally
+parenterally
+parenthetically
+parochially
+by
+patchily
+paternally
+pathetically
+patriotically
+unpatriotically
+peaceably
+pedantically
+peevishly
+pejoratively
+penetratingly
+pensively
+penuriously
+perceptively
+perceptually
+perchance
+perfidiously
+perkily
+perpendicularly
+perplexedly
+persuasively
+pertinaciously
+pertinently
+pervasively
+pettily
+pharmacologically
+phenomenally
+philanthropically
+philatelically
+phlegmatically
+picturesquely
+piecemeal
+piercingly
+piggishly
+pinnately
+piping
+piquantly
+placidly
+pizzicato
+point-blank
+posthumously
+prestissimo
+rallentando
+recognizably
+unrecognizably
+regretfully
+piratically
+pit-a-pat
+piteously
+pithily
+pitifully
+placatingly
+plaguey
+plaintively
+playfully
+pleasingly
+plenarily
+ploddingly
+plop
+plump
+pneumatically
+pointlessly
+poisonously
+pluckily
+ponderously
+pop
+popishly
+portentously
+possessively
+post-free
+potently
+poutingly
+powerfully
+powerlessly
+practicably
+pragmatically
+pre-eminently
+precariously
+precious
+precipitously
+precociously
+predictably
+prematurely
+presciently
+carnally
+presentably
+pressingly
+presumptuously
+pretentiously
+unpretentiously
+preternaturally
+prettily
+priggishly
+primly
+primitively
+probabilistically
+problematically
+warmly
+wastefully
+prodigiously
+profanely
+proficiently
+profitlessly
+prohibitively
+promiscuously
+promisingly
+prosaically
+prosily
+proverbially
+providentially
+provocatively
+prudishly
+pruriently
+pryingly
+psychologically
+pugnaciously
+punctiliously
+pungently
+punily
+punishingly
+punitively
+purposefully
+purposelessly
+quaintly
+qualitatively
+quarterly
+queasily
+queerly
+unquestionably
+questionably
+restfully
+quixotically
+racily
+radially
+radiantly
+raggedly
+rampantly
+rapaciously
+raving
+ravishingly
+reassuringly
+rebukingly
+receptively
+reflectively
+refreshingly
+regally
+relevantly
+reminiscently
+remotely
+repellently
+repetitively
+reputedly
+resentfully
+reservedly
+resignedly
+ripely
+resoundingly
+resourcefully
+respectably
+restrictively
+retail
+retentively
+reticently
+retrospectively
+revengefully
+reverentially
+reversely
+rhetorically
+right-down
+righteously
+unrighteously
+riskily
+roaring
+robustly
+roguishly
+romantically
+roomily
+rotationally
+sonorously
+round-arm
+rowdily
+ruinously
+ruthlessly
+sarcastically
+sanctimoniously
+scandalously
+scathingly
+sceptically
+schematically
+scorching
+screamingly
+scurrilously
+searchingly
+seasonally
+coastward
+seaward
+second-best
+second class
+secretively
+sedately
+seductively
+selectively
+self-consciously
+unselfconsciously
+self-evidently
+sensationally
+senselessly
+sensuously
+voluptuously
+sensually
+sentimentally
+unsentimentally
+separably
+inseparably
+serenely
+sevenfold
+seventhly
+shabbily
+shaggily
+shakily
+shallowly
+shambolically
+shamefacedly
+shapelessly
+sheepishly
+sheer
+shiftily
+shockingly
+shoddily
+short
+shudderingly
+sidesaddle
+broadside
+sidelong
+sideward
+sideways
+sideway
+signally
+silkily
+pusillanimously
+single-handed
+single-mindedly
+singularly
+sixfold
+sixthly
+sketchily
+skillfully
+skimpily
+skittishly
+sky-high
+slanderously
+slangily
+slantingly
+slantwise
+slam-bang
+slapdash
+slap-bang
+slavishly
+sleekly
+sleepily
+sleeplessly
+slenderly
+sloppily
+slouchingly
+slouchily
+smash
+smilingly
+unsmilingly
+smugly
+smuttily
+snappishly
+sneakingly
+sneeringly
+snobbishly
+sobbingly
+sociably
+unsociably
+sociologically
+solicitously
+solitarily
+somberly
+soothingly
+soaking
+sordidly
+sorely
+sorrowfully
+sottishly
+southeast
+southwest
+south-southeast
+south-southwest
+soullessly
+noiselessly
+sourly
+southerly
+sparely
+sparsely
+spasmodically
+speciously
+spectrographically
+speechlessly
+spirally
+sportingly
+unsportingly
+unsuspectingly
+spotlessly
+trimly
+spuriously
+squeamishly
+stagily
+standoffishly
+stark
+starkly
+startlingly
+statutorily
+staunchly
+steeply
+stereotypically
+stertorously
+stickily
+stiff
+stiltedly
+stingily
+stirringly
+stochastically
+straightway
+thereabout
+thereinafter
+thereof
+thereon
+thereto
+thereunder
+therewith
+therewithal
+stockily
+stoically
+stonily
+strategically
+stridently
+stuffily
+stupendously
+sturdily
+stylishly
+stylistically
+suavely
+sublimely
+subtly
+unromantically
+sulkily
+summarily
+superfluously
+superlatively
+superstitiously
+supinely
+surreptitiously
+surpassingly
+surprisedly
+sweepingly
+sweetly
+synchronously
+synthetically
+tacitly
+tactfully
+tactlessly
+tactically
+tamely
+tangibly
+tartly
+tastefully
+tastelessly
+tastily
+tauntingly
+tautly
+tearfully
+telegraphically
+telescopically
+tellingly
+temperately
+tendentiously
+tenderly
+tenthly
+tetchily
+theologically
+thermostatically
+threefold
+traditionally
+thick
+thinly
+thickly
+thirstily
+thriftily
+thriftlessly
+timorously
+tip-top
+tiptoe
+tomorrow
+tonelessly
+topographically
+tortuously
+touchily
+toughly
+transcendentally
+transiently
+transitionally
+transitorily
+transparently
+tremulously
+trenchantly
+tritely
+trivially
+tropically
+truculently
+tumultuously
+turbulently
+tutorially
+twofold
+typographically
+ultra vires
+unaccountably
+unalterably
+unarguably
+unassumingly
+unattainably
+unawares
+unbearably
+unbeknown
+unblushingly
+uncannily
+uncertainly
+unchivalrously
+uncommonly
+uncompromisingly
+undesirably
+uninvitedly
+unwontedly
+unconcernedly
+uncontrollably
+uncouthly
+unctuously
+undeniably
+under
+underarm
+underground
+underhandedly
+underneath
+unduly
+uneventfully
+ungrammatically
+grammatically
+unimaginably
+uninterruptedly
+precedentedly
+unprecedentedly
+unreservedly
+unrestrainedly
+unscrupulously
+unstintingly
+unswervingly
+untruly
+unwarrantably
+unworthily
+up-country
+uphill
+uppermost
+uprightly
+urbanely
+usefully
+uselessly
+uxoriously
+vacantly
+vacuously
+valiantly
+validly
+vapidly
+variably
+vehemently
+verbosely
+verily
+vicariously
+vigilantly
+vilely
+virulently
+vivace
+vivaciously
+voraciously
+voyeuristically
+vulnerably
+waggishly
+waist-deep
+wanly
+wantonly
+wealthily
+weightily
+whacking
+wheezily
+wholeheartedly
+wholesomely
+whence
+wherever
+whopping
+wide
+widely
+willfully
+wishfully
+wistfully
+witheringly
+wittily
+wolfishly
+worryingly
+worriedly
+worthily
+worthlessly
+wrathfully
+wretchedly
+yea
+youthfully
+zealously
+zestfully
+zigzag
+a la mode
+between decks
+aloft
+irreproachably
+bonnily
+circumstantially
+clammily
+conjugally
+constrainedly
+convexly
+concavely
+coordinately
+corruptly
+defectively
+dingily
+discursively
+profligately
+floridly
+half-price
+imminently
+integrally
+martially
+ruggedly
+shrewishly
+in principle
+per capita
+distinctively
+vanishingly
+inaugurally
+in
+unquestioningly
+theretofore
+demandingly
+specially
+haggardly
+smolderingly
+dandily
+in common
+second hand
+in full
+expansively
+homogeneously
+in flight
+close
+by rights
+caudally
+causally
+one by one
+calculatingly
+redly
+fatally
+desperately
+outstandingly
+tunelessly
+measuredly
+mellowingly
+yesterday
+after
+later
+on earth
+unblinkingly
+luxuriously
+loweringly
+aggravatingly
+quaveringly
+from pillar to post
+straight
+painlessly
+out of sight
+out of place
+baby-wise
+soughingly
+coincidentally
+contextually
+departmentally
+polygonally
+regimentally
+residentially
+schismatically
+literatim
+nebulously
+northeastward
+northwestward
+southeastward
+southwestward
+abaxially
+adaxially
+adjectivally
+affirmatively
+canonically
+cognitively
+complexly
+cursively
+dolce
+draggingly
+eccentrically
+endogenously
+erotically
+hypnotically
+immunologically
+in vitro
+irreparably
+irritatingly
+logogrammatically
+on camera
+prepositionally
+presidentially
+radioactively
+recurrently
+sidearm
+sinuously
+sinusoidally
+spaceward
+stably
+suggestively
+synergistically
+synonymously
+taxonomically
+topologically
+ulteriorly
+vexatiously
+wafer-thin
+wrongfully
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/wn/noun.txt b/nlp-utils/src/main/resources/opennlp/cfg/wn/noun.txt
new file mode 100644
index 0000000..c80a10a
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/wn/noun.txt
@@ -0,0 +1,82115 @@
+entity
+physical entity
+abstraction
+thing
+object
+whole
+congener
+living thing
+organism
+benthos
+dwarf
+heterotroph
+parent
+life
+biont
+cell
+causal agent
+person
+animal
+plant
+native
+natural object
+substance
+substance
+matter
+food
+nutrient
+artifact
+article
+psychological feature
+cognition
+motivation
+attribute
+state
+feeling
+location
+shape
+time
+space
+absolute space
+phase space
+event
+process
+act
+group
+relation
+possession
+social relation
+communication
+measure
+phenomenon
+thing
+kindness
+abdominoplasty
+abort
+accomplishment
+agon
+alienation
+application
+beachhead
+cakewalk
+feat
+masterpiece
+masterstroke
+credit
+action
+res gestae
+course
+blind alley
+collision course
+interaction
+interplay
+contact
+brush
+eye contact
+fetch
+placement
+interchange
+reciprocity
+cross-fertilization
+dealings
+relation
+playing
+play
+boondoggle
+bowling
+acquiring
+causing
+delivery
+departure
+derring-do
+discovery
+disposal
+hit
+implementation
+egress
+equalization
+exhumation
+mitzvah
+propulsion
+rally
+recovery
+running away
+stunt
+touch
+tour de force
+performance
+overachievement
+underachievement
+record
+fait accompli
+going
+arrival
+arrival
+attainment
+advent
+entrance
+incursion
+intrusion
+irruption
+entree
+entail
+registration
+appearance
+apparition
+emergence
+reappearance
+comeback
+return
+repatriation
+penetration
+interpenetration
+market penetration
+anchorage
+docking
+landing
+landing
+forced landing
+breaking away
+farewell
+French leave
+valediction
+disappearance
+vanishing
+withdrawal
+effacement
+retreat
+retirement
+evacuation
+medical evacuation
+decampment
+desertion
+abscondment
+absence without leave
+deviationism
+emigration
+immigration
+aliyah
+pullback
+retreat
+standdown
+disengagement
+receding
+sailing
+amphibious landing
+debarkation
+going ashore
+boarding
+exit
+elopement
+escape
+evasion
+slip
+maneuver
+clinch
+dodge
+break
+getaway
+exodus
+Hegira
+skedaddle
+Underground Railroad
+close call
+surfacing
+dispatch
+reshipment
+consummation
+consummation
+realization
+orgasm
+male orgasm
+fulfillment
+self-fulfillment
+attainment
+record
+track record
+world record
+success
+winning
+blockbuster
+sleeper
+hit
+bell ringer
+ennoblement
+conquest
+coup
+flying colors
+passing
+credit
+semester hour
+nonaccomplishment
+failure
+failure
+failing
+naught
+cut
+default
+loss
+capitulation
+frustration
+overturn
+backsliding
+recidivism
+disappointment
+breach
+copout
+breach of contract
+anticipatory breach
+breach of duty
+breach of the covenant of warranty
+breach of promise
+breach of trust
+breach of trust with fraudulent intent
+breach of warranty
+leaning
+material breach
+motivation
+partial breach
+mistake
+double fault
+footfault
+bobble
+error
+blot
+confusion
+incursion
+miscalculation
+backfire
+rounding
+truncation error
+distortion
+slip
+Freudian slip
+offside
+oversight
+omission
+blunder
+snafu
+spectacle
+ballup
+bull
+fumble
+fluff
+faux pas
+howler
+clanger
+trip
+spill
+pratfall
+wipeout
+acquisition
+obtainment
+catching
+incurring
+moneymaking
+annexation
+pork-barreling
+purchase
+redemption
+trading
+bond trading
+program trading
+short sale
+short covering
+insider trading
+naked option
+covered option
+call option
+put option
+straddle
+incentive option
+buying
+shopping
+marketing
+mail-order buying
+viatication
+acceptance
+succession
+assumption
+assumption
+position
+inheritance
+procurement
+appropriation
+borrowing
+naturalization
+misappropriation
+preemption
+seizure
+usurpation
+confiscation
+distress
+expropriation
+impoundment
+drug bust
+impress
+occupation
+preoccupancy
+sequestration
+grant
+award
+addiction
+block grant
+grant-in-aid
+capture
+apprehension
+conquest
+enslavement
+restitution
+clawback
+repossession
+foreclosure
+reception
+appointment
+comb-out
+giving
+abandonment
+discard
+staging
+discard
+mine disposal
+minesweeping
+sewage disposal
+bait and switch
+private treaty
+auction
+bootlegging
+bootlegging
+capitalization
+overcapitalization
+reclamation
+rescue
+lifesaving
+redemption
+absolution
+indulgence
+conversion
+proselytism
+expiation
+reparation
+liberation
+jail delivery
+reclamation
+salvage
+salvage
+salvation
+search and rescue mission
+ransom
+recapture
+recapture
+invocation
+instrumentation
+performance
+specific performance
+linguistic performance
+mechanism
+service
+curb service
+self-service
+valet parking
+dramatic production
+encore
+extemporization
+juggle
+magic trick
+musical performance
+one-night stand
+rendition
+reinterpretation
+spin
+playing
+bowing
+spiccato
+piping
+stopping
+double stopping
+transposition
+jam session
+automation
+computerization
+motorization
+launching
+launching
+rocket firing
+blastoff
+moon shot
+drive
+firewall
+impulse
+roll
+throw
+bowling
+fling
+heave
+hurl
+leaner
+pass
+pitch
+pitch
+ringer
+shy
+slinging
+throw-in
+balk
+ball
+beanball
+change-up
+curve
+duster
+fastball
+knuckleball
+overhand pitch
+passed ball
+screwball
+sinker
+slider
+spitball
+strike
+submarine ball
+wild pitch
+basketball shot
+bank shot
+dunk
+slam dunk
+finger-roll
+foul shot
+one-and-one
+hook shot
+jumper
+lay-up
+pivot shot
+set shot
+scoop shot
+tip in
+push
+depression
+click
+nudge
+press
+impression
+shove
+bundling
+jostle
+elbowing
+pull
+drag
+draw
+tow
+tug
+draft
+extirpation
+pluck
+traction
+lift
+expulsion
+defenestration
+accommodation reflex
+Babinski
+belch
+belching
+blink
+blush
+coughing up
+spit
+vomit
+rumination
+hematemesis
+hyperemesis
+hyperemesis gravidarum
+jump
+header
+hop
+leap
+vault
+jumping up and down
+lob
+centering
+sending
+transmission
+forwarding
+referral
+remission
+mailing
+wheeling
+shooting
+shoot
+countershot
+discharge
+gun
+fire control
+gunfire
+enfilade
+snipe
+headshot
+skeet
+shellfire
+gunfight
+potshot
+contact
+rub
+scuff
+tap
+hit
+contusion
+crash
+impingement
+batting
+fielding
+catching
+golfing
+pitching
+base on balls
+best
+worst
+fair ball
+foul ball
+snick
+bunt
+fly
+blast
+pop fly
+grounder
+chop
+roller
+out
+force out
+putout
+strikeout
+whiff
+fielder's choice
+sacrifice
+sacrifice fly
+base hit
+daisy cutter
+header
+liner
+scorcher
+line-drive single
+line-drive double
+line-drive triple
+plunk
+homer
+solo homer
+single
+double
+triple
+backhander
+clip
+knock
+thwack
+smack
+smacker
+knockdown
+knockout
+technical knockout
+swat
+spank
+whip
+punch
+box
+dig
+counterpunch
+haymaker
+hook
+jab
+rabbit punch
+sucker punch
+roundhouse
+kick
+goal-kick
+goal-kick
+punt
+place kick
+free kick
+corner kick
+dropkick
+kiss
+kiss
+laying on
+smack
+smacker
+soul kiss
+catch
+fair catch
+interception
+reception
+rebound
+shoestring catch
+mesh
+handling
+fingering
+grope
+audit
+autopsy
+check-in
+check
+spot check
+checkup
+comparison
+fine-tooth comb
+follow-up
+going-over
+once-over
+ophthalmoscopy
+palpation
+ballottement
+tickle
+stroke
+caress
+tag
+joining
+hit
+interconnection
+intersection
+approximation
+concatenation
+convergence
+merging
+concourse
+encounter
+articulation
+junction
+fastening
+loosening
+tightening
+ligation
+tubal ligation
+bonding
+doweling
+grounding
+linkage
+tying
+untying
+welding
+butt welding
+spot welding
+flare
+Texas leaguer
+flash welding
+lick
+grazing
+tracing
+detection
+self-discovery
+breakthrough
+determination
+rediscovery
+designation
+Bertillon system
+fingerprinting
+genetic profiling
+diagnosis
+blood typing
+medical diagnosis
+prenatal diagnosis
+differential diagnosis
+prognosis
+resolution
+validation
+authentication
+documentation
+monetization
+probate
+demonetization
+falsification
+localization
+echolocation
+predetermination
+rectification
+redetermination
+trigger
+fomentation
+compulsion
+influence
+cross-pollination
+exposure
+overexposure
+underexposure
+impingement
+manipulation
+mind game
+autosuggestion
+hypnotism
+inducement
+corruption
+enticement
+blandishment
+ingratiation
+leading astray
+seduction
+seduction
+sexual conquest
+cuckoldry
+solicitation
+choice
+casting
+coloration
+sampling
+random sampling
+lucky dip
+stratified sampling
+decision
+volition
+intention
+about-face
+adulteration
+appointment
+nomination
+assignment
+allocation
+call
+co-option
+delegacy
+ordination
+recognition
+laying on of hands
+move
+move
+chess move
+castle
+capture
+en passant
+exchange
+exchange
+check
+discovered check
+checkmate
+gambit
+demarche
+maneuver
+parking
+move
+flit
+downshift
+downshift
+bank
+vertical bank
+chandelle
+loop
+inside loop
+outside loop
+roll
+barrel roll
+snap roll
+slip
+flight maneuver
+straight-arm
+device
+mnemonic
+trick
+shtik
+feint
+juke
+footwork
+ploy
+ruse
+means
+dint
+escape
+fast track
+instrument
+road
+royal road
+stepping stone
+measure
+countermeasure
+bear hug
+proxy fight
+leveraged buyout
+bust-up takeover
+shark repellent
+golden parachute
+greenmail
+pac-man strategy
+poison pill
+suicide pill
+safe harbor
+scorched-earth policy
+diagnostic procedure
+expedient
+backstop
+emergency procedure
+experimental procedure
+double-blind procedure
+makeshift
+crutch
+improvisation
+pis aller
+desperate measure
+open sesame
+salvation
+tooth
+voice
+wings
+casting lots
+resolution
+adoption
+embrace
+election
+co-option
+reelection
+plebiscite
+referendum
+election
+vote
+general election
+primary
+direct primary
+closed primary
+open primary
+by-election
+runoff
+vote
+block vote
+cumulative vote
+secret ballot
+split ticket
+straight ticket
+multiple voting
+casting vote
+reconciliation
+equation
+breech delivery
+frank breech
+cesarean delivery
+forceps delivery
+midwifery
+score
+bowling score
+bull's eye
+goal
+own goal
+strike
+spare
+open frame
+audible
+football score
+touchback
+safety
+touchdown
+field goal
+conversion
+point after
+baseball score
+run
+earned run
+unearned run
+run batted in
+basketball score
+basket
+hat trick
+solution
+Russian roulette
+change
+filtration
+percolation
+reduction
+schematization
+economy
+retrenchment
+economy of scale
+accommodation
+adaptation
+dark adaptation
+light adaptation
+take-up
+readjustment
+domestication
+decimalization
+metrification
+habituation
+variation
+variation
+turning
+diversification
+flux
+switch
+switcheroo
+substitution
+novation
+pitching change
+superannuation
+supersedure
+supplanting
+replacement
+subrogation
+weaning
+promotion
+preferment
+demotion
+investment
+change of state
+alteration
+distraction
+aeration
+modulation
+qualification
+reorganization
+passage
+fossilization
+segue
+meddling
+transfer
+prohibition
+resistance
+lockout
+reaction
+backlash
+whitelash
+rejection
+brush-off
+avoidance
+aversion
+escape
+near thing
+abandonment
+exposure
+apostasy
+bolt
+renunciation
+nonacceptance
+forsaking
+abnegation
+forfeit
+boycott
+banishment
+anathematization
+disbarment
+ejection
+deportation
+ostracism
+barring
+exile
+Babylonian Captivity
+excommunication
+relegation
+rustication
+ouster
+deposition
+suspension
+rustication
+displacement
+veto
+pocket veto
+write-in
+termination
+finish
+finale
+release
+completion
+finalization
+follow-through
+follow-through
+graduation
+retirement
+hibernation
+rustication
+swan song
+relinquishment
+cession
+handover
+surrender
+extradition
+release
+exemption
+fix
+official immunity
+sovereign immunity
+transactional immunity
+use immunity
+dissolution
+splitsville
+overthrow
+subversion
+adjournment
+dismissal
+conge
+removal
+purge
+destruction
+disaster
+kill
+laying waste
+razing
+annihilation
+decimation
+atomization
+pulverization
+vaporization
+killing
+deathblow
+death
+drive-by killing
+euthanasia
+homicide
+honor killing
+manslaughter
+murder
+assassination
+bloodshed
+chance-medley
+contract killing
+parricide
+mariticide
+matricide
+patricide
+fratricide
+uxoricide
+filicide
+dispatch
+fell
+suicide
+self-destruction
+assisted suicide
+physician-assisted suicide
+felo-de-se
+harakiri
+suttee
+elimination
+slaughter
+slaughter
+bloodbath
+lynching
+poisoning
+gassing
+regicide
+shooting
+drive-by shooting
+wing shooting
+suffocation
+choking
+spasm
+squeeze
+bronchospasm
+cardiospasm
+heave
+laryngismus
+strangulation
+carjacking
+sacrifice
+hecatomb
+immolation
+electrocution
+decapitation
+abolition
+liquidation
+viatical settlement
+withdrawal
+cold turkey
+closure
+plant closing
+bank closing
+layoff
+extinction
+fade
+abortion
+spontaneous abortion
+habitual abortion
+imminent abortion
+incomplete abortion
+induced abortion
+aborticide
+therapeutic abortion
+nullification
+abrogation
+derogation
+cancellation
+write-off
+attainder
+recission
+vitiation
+neutralization
+deactivation
+deactivation
+honorable discharge
+dishonorable discharge
+Section Eight
+neutralization
+neutralization
+reversal
+undoing
+regression
+beginning
+springboard
+accession
+activation
+attack
+constitution
+re-establishment
+Creation
+introduction
+induction of labor
+induction
+hypnogenesis
+product introduction
+face-off
+first step
+groundbreaking
+housing start
+icebreaker
+inauguration
+initiation
+authorship
+installation
+jump ball
+kickoff
+start
+resumption
+scrum
+startup
+unionization
+arousal
+reveille
+ushering in
+inauguration
+curtain raiser
+first base
+peace initiative
+cooking
+baking
+shirring
+toasting
+broil
+frying
+fusion cooking
+braising
+poaching
+roasting
+barbecuing
+boiling
+basting
+tenderization
+percolation
+seasoning
+salting
+sweetening
+infusion
+improvement
+advancement
+forwarding
+stride
+work flow
+development
+broadening
+elaboration
+product development
+cleaning
+disinfestation
+spring-cleaning
+scrub
+swabbing
+dry cleaning
+sweeping
+purge
+purge
+purification
+purification
+purification
+catharsis
+catharsis
+high colonic
+sterilization
+pasteurization
+sanitation
+depilation
+shave
+tonsure
+electrolysis
+washup
+ablution
+dishwashing
+wash
+washing-up
+window-washing
+rinse
+rinse
+soak
+brush
+comb
+comb-out
+shampoo
+hair care
+hairweaving
+shower
+bath
+bubble bath
+mikvah
+mud bath
+sponge bath
+Turkish bath
+rubdown
+correction
+redress
+salve
+retribution
+recompense
+indemnification
+optimization
+perfection
+reform
+land reform
+amelioration
+self-improvement
+reform
+beautification
+beauty treatment
+glamorization
+decoration
+adornment
+ornamentation
+window dressing
+trimming
+tessellation
+figuration
+tattoo
+titivation
+marking
+lineation
+mottling
+striping
+clearing
+enrichment
+fortification
+humanization
+modernization
+renovation
+face lift
+moralization
+enhancement
+upturn
+worsening
+downturn
+downspin
+ventilation
+repair
+darning
+patching
+care
+camera care
+car care
+oil change
+overhaul
+interim overhaul
+band aid
+restoration
+gentrification
+reclamation
+reconstruction
+anastylosis
+makeover
+reassembly
+re-formation
+rebuilding
+restitution
+pump priming
+scheduled maintenance
+steam fitting
+coaching
+engagement
+gig
+degradation
+dehumanization
+brutalization
+barbarization
+bastardization
+corruption
+demoralization
+stultification
+popularization
+profanation
+humiliation
+comedown
+change of color
+whitening
+bleach
+etiolation
+blackening
+obfuscation
+discoloration
+coloring
+tinting
+hair coloring
+dyeing
+staining
+Gram's method
+environmentalism
+fixation
+soiling
+staining
+contamination
+dust contamination
+wetting
+submersion
+drenching
+moistening
+splash
+watering
+sprinkle
+chew
+chomping
+mumbling
+rumination
+bruxism
+defoliation
+motion
+movement
+approach
+access
+back door
+closing
+landing approach
+overshoot
+progress
+push
+career
+march
+plain sailing
+locomotion
+brachiation
+walk
+ambulation
+amble
+ramble
+constitutional
+foot
+walk
+sleepwalking
+sleep talking
+step
+pace
+pas
+trip
+sidestep
+gait
+hitch
+gait
+walk
+rack
+jog trot
+trot
+rising trot
+sitting trot
+dressage
+curvet
+piaffe
+canter
+gallop
+footstep
+hike
+trudge
+flounce
+lurch
+pacing
+roll
+saunter
+skip
+stalk
+strut
+lurch
+waddle
+march
+countermarch
+goose step
+last mile
+lockstep
+promenade
+quick march
+routemarch
+plodding
+prowl
+moonwalk
+perambulation
+turn
+shamble
+space walk
+moonwalk
+wading
+walkabout
+walkabout
+walkabout
+walk-through
+run
+jog
+dogtrot
+dash
+fast break
+break
+crawl
+lap
+pace lap
+victory lap
+travel
+circumnavigation
+peregrination
+procession
+traversal
+wandering
+wayfaring
+drifting
+crossing
+ford
+shallow fording
+deep fording
+traversal
+tourism
+ecotourism
+driving
+motoring
+riding
+roping
+bronco busting
+endurance riding
+pack riding
+trail riding
+calf roping
+steer roping
+air travel
+flight
+connecting flight
+direct flight
+domestic flight
+international flight
+nonstop flight
+redeye
+flight
+acrobatics
+blind flying
+ballooning
+flyover
+glide
+hang gliding
+jump
+skydiving
+maiden flight
+parasailing
+overflight
+pass
+solo
+sortie
+touchdown
+aircraft landing
+ground-controlled approach
+crash landing
+three-point landing
+instrument landing
+splashdown
+takeoff
+tailspin
+terrain flight
+journey
+stage
+staging
+leg
+fare-stage
+commute
+drive
+long haul
+mush
+odyssey
+trip
+junket
+round trip
+run
+run
+passage
+lift
+joyride
+spin
+expedition
+scouting trip
+campaign
+exploration
+digression
+trek
+schlep
+trek
+tour
+grand tour
+grand tour
+itineration
+on the road
+pilgrimage
+excursion
+junketing
+airing
+field trip
+voyage
+way
+ocean trip
+cruise
+maiden voyage
+crossing
+lockage
+spaceflight
+water travel
+sailing
+luff
+beat
+ministry
+tack
+seafaring
+cabotage
+boating
+bareboating
+commutation
+displacement
+transportation
+transshipment
+airlift
+Berlin airlift
+connection
+delivery
+cattle drive
+drive
+airdrop
+consignment
+passage
+post
+service
+relay
+carry
+pickup
+packing
+piggyback
+fireman's carry
+portage
+porterage
+pursuit
+trailing
+shadowing
+stalk
+wild-goose chase
+insertion
+cannulation
+catheterization
+instillation
+enclosure
+packing
+bundling
+encasement
+injection
+epidural injection
+intradermal injection
+intramuscular injection
+intravenous injection
+fix
+subcutaneous injection
+infusion
+exchange transfusion
+transfusion
+transfusion
+perfusion
+rise
+levitation
+heave
+funambulism
+climb
+scaling
+clamber
+escalade
+mountain climbing
+Alpinism
+rock climbing
+soar
+descent
+dive
+rappel
+swoop
+power dive
+crash dive
+drop
+flop
+lowering
+swing
+return
+reentry
+remand
+slide
+slippage
+skid
+flow
+snowboarding
+spill
+flood
+effusion
+crawl
+speed
+acceleration
+deceleration
+scud
+translation
+transplant
+troop movement
+shift
+motion
+abduction
+adduction
+agitation
+body English
+circumduction
+disturbance
+fetal movement
+flit
+gesture
+headshake
+jab
+mudra
+inclination
+inversion
+inversion
+jerk
+bob
+nod
+nutation
+stoop
+kick
+kneel
+lurch
+eye movement
+nystagmus
+physiological nystagmus
+rotational nystagmus
+saccade
+post-rotational nystagmus
+opening
+rearrangement
+juggle
+musical chairs
+reordering
+permutation
+transposition
+transposition
+passing
+shuffle
+reshuffle
+riffle
+twiddle
+prostration
+reach
+reciprocation
+reclining
+retraction
+retroflection
+rotation
+circumvolution
+feather
+gyration
+pivot
+pronation
+spin
+spiral
+pirouette
+birling
+shutting
+sitting
+sitting
+snap
+squat
+sweep
+supination
+twist
+wind
+toss
+vibration
+wave
+change of direction
+turn
+reversion
+about-face
+u-turn
+shaking
+joggle
+stirring
+wag
+worrying
+rock
+upset
+waver
+tremor
+outreach
+standing
+straddle
+stroke
+keystroke
+wiggle
+change of course
+turn
+diversion
+red herring
+right
+left
+tack
+change of magnitude
+decrease
+cut
+budget cut
+pay cut
+cost cutting
+price cutting
+spending cut
+tax cut
+moderation
+lowering
+tapering
+cutback
+service cutback
+devaluation
+devitalization
+evisceration
+extenuation
+spasmolysis
+easing
+de-escalation
+detente
+palliation
+liberalization
+minimization
+depletion
+consumption
+burnup
+exhaustion
+compression
+squeeze
+pinch
+decompression
+condensing
+thickening
+crush
+grind
+expression
+extrusion
+shortening
+abbreviation
+cut
+severance
+clip
+haircut
+trim
+pruning
+shearing
+sheepshearing
+shrinking
+miniaturization
+subtraction
+bite
+withholding
+abatement
+abatement of a nuisance
+asbestos abatement
+attrition
+deflation
+discount
+rollback
+weakening
+wilt
+dilution
+etiolation
+cutting
+increase
+addition
+retrofit
+advance
+appreciation
+depreciation
+surge
+fluoridation
+augmentation
+amplification
+contraction
+expansion
+dilation
+vasodilation
+distention
+stretching
+tension
+escalation
+maximization
+inflation
+magnification
+exaggeration
+extension
+spread
+circulation
+recirculation
+dispersion
+crop-dusting
+scatter
+contracture
+extension
+hyperextension
+contraction
+tetanus
+truncation
+uterine contraction
+Braxton-Hicks contraction
+vaginismus
+stretch
+expansion
+amplification
+annotation
+supplementation
+accumulation
+buildup
+deposit
+repositing
+stockpiling
+inclusion
+incorporation
+annexation
+aggrandizement
+self-aggrandizement
+strengthening
+intensification
+roughness
+intensification
+aggravation
+concentration
+pervaporation
+focalization
+refocusing
+change of integrity
+breakage
+rupture
+smashing
+fracture
+chip
+explosion
+detonation
+percussion
+fulmination
+burning
+arson
+ignition
+incineration
+cremation
+combination
+attachment
+graft
+confusion
+babel
+mix
+fusion
+blend
+confluence
+homogenization
+interspersion
+temperance
+union
+coalescence
+reunion
+tribalization
+detribalization
+umbrella
+homecoming
+opening
+separation
+break
+cut-in
+cut-in
+avulsion
+dissociation
+secession
+Secession
+breakaway
+disunion
+disconnection
+division
+parcellation
+cleavage
+bisection
+quartering
+schism
+cut
+dissection
+scission
+slicing
+undercut
+cut
+notch
+slash
+atomization
+branching
+bifurcation
+trifurcation
+divarication
+fibrillation
+dichotomization
+quantization
+fractionation
+pairing
+buddy system
+match-up
+punctuation
+hyphenation
+syllabication
+word division
+detachment
+tear
+laceration
+rent
+removal
+drawing
+derivation
+derivation
+derivation
+abscission
+abstraction
+extraction
+threshing
+ablation
+autotomy
+decontamination
+deletion
+denudation
+dermabrasion
+dislodgment
+elimination
+elimination
+circumcision
+emptying
+drain
+bank withdrawal
+bank run
+disinvestment
+rinse
+bowdlerization
+expurgation
+bowdlerization
+censoring
+Bowdlerism
+Comstockery
+expunction
+division
+subdivision
+septation
+transformation
+transformation
+permutation
+revision
+transfiguration
+transmogrification
+conversion
+afforestation
+reforestation
+rehabilitation
+correctional rehabilitation
+physical rehabilitation
+urban renewal
+vocational rehabilitation
+reinstatement
+rejuvenation
+refreshment
+metamorphosis
+transfiguration
+filling
+saturation
+hardening
+annealing
+damage
+impairment
+defacement
+wound
+burn
+scald
+updating
+change of shape
+contortion
+convolution
+angulation
+bending
+flexion
+flex
+crouch
+dorsiflexion
+elongation
+hunch
+incurvation
+involution
+corrugation
+fold
+plication
+indentation
+protrusion
+widening
+narrowing
+activity
+domesticity
+operation
+operation
+rescue operation
+undercover operation
+buy-and-bust operation
+practice
+practice
+biologism
+cooperation
+featherbedding
+formalism
+mycophagy
+one-upmanship
+pluralism
+symbolism
+modernism
+occult
+ornamentalism
+cannibalism
+anthropophagy
+careerism
+custom
+Americanism
+Anglicism
+consuetude
+couvade
+Germanism
+habit
+hijab
+ritual
+second nature
+habitude
+round
+fashion
+lobbyism
+slavery
+peonage
+way
+ambages
+primrose path
+straight and narrow
+Sunnah
+warpath
+line of least resistance
+unwritten law
+lynch law
+chokehold
+embrace
+cuddle
+hug
+mistreatment
+nonconformism
+annoyance
+disregard
+despite
+exploitation
+blaxploitation
+sexploitation
+harassment
+maltreatment
+child abuse
+child neglect
+persecution
+repression
+impalement
+oppression
+pogrom
+rendition
+torture
+bastinado
+boot
+burning
+crucifixion
+genital torture
+judicial torture
+kia quen
+kittee
+nail pulling
+picket
+prolonged interrogation
+rack
+sensory deprivation
+sleep deprivation
+strappado
+cruelty
+atrocity
+brutality
+outrage
+baiting
+badgering
+exasperation
+red flag
+sexual harassment
+tease
+witch-hunt
+McCarthyism
+colonialism
+neocolonialism
+diversion
+antic
+bathing
+celebration
+dancing
+entertainment
+escapade
+escape
+eurythmy
+fun
+gambling
+game
+jest
+nightlife
+pastime
+play
+house
+doctor
+fireman
+avocation
+cup of tea
+confectionery
+sport
+contact sport
+outdoor sport
+gymnastics
+acrobatics
+backbend
+back circle
+walkover
+cartwheel
+crucifix
+dip
+double leg circle
+grand circle
+cardiopulmonary exercise
+gymnastic exercise
+handstand
+hang
+bent hang
+inverted hang
+lever hang
+reverse hang
+straight hang
+piked reverse hang
+kick up
+handspring
+headstand
+tumble
+split
+acrobatic stunt
+kip
+long fly
+scissors
+straddle
+split
+reverse split
+somersault
+flip-flop
+track and field
+track
+jumping
+broad jump
+high jump
+Fosbury flop
+skiing
+cross-country skiing
+ski jumping
+kick turn
+stem turn
+telemark
+water sport
+swimming
+bathe
+sea bathing
+skinny-dip
+sun bathing
+dip
+dive
+floating
+dead-man's float
+belly flop
+cliff diving
+flip
+gainer
+half gainer
+jackknife
+swan dive
+skin diving
+scuba diving
+snorkeling
+surfing
+water-skiing
+rowing
+crab
+sculling
+boxing
+professional boxing
+in-fighting
+fight
+rope-a-dope
+spar
+archery
+sledding
+tobogganing
+luging
+bobsledding
+wrestling
+flying mare
+Greco-Roman wrestling
+professional wrestling
+sumo
+skating
+ice skating
+figure skating
+rollerblading
+roller skating
+skateboarding
+speed skating
+racing
+auto racing
+boat racing
+hydroplane racing
+camel racing
+greyhound racing
+horse racing
+thoroughbred racing
+riding
+equestrian sport
+pony-trekking
+showjumping
+cross-country riding
+cycling
+bicycling
+motorcycling
+dune cycling
+blood sport
+bullfighting
+cockfighting
+hunt
+battue
+beagling
+canned hunt
+coursing
+deer hunting
+ducking
+fox hunting
+pigsticking
+farming
+fishing
+fishing
+angling
+fly-fishing
+troll
+casting
+bait casting
+fly casting
+overcast
+surf casting
+follow-up
+game
+game
+day game
+night game
+away game
+home game
+exhibition game
+follow-on
+innings
+turn
+attack
+opening
+counterattack
+down
+bat
+catch
+party game
+computer game
+virtual reality
+pinball
+pachinko
+guessing game
+charades
+ducks and drakes
+mind game
+paper chase
+ring-around-the-rosy
+prisoner's base
+treasure hunt
+nightcap
+twin bill
+playoff game
+cup tie
+war game
+curling
+bowling
+frame
+tenpins
+ninepins
+duckpins
+candlepins
+lawn bowling
+bocce
+pall-mall
+athletic game
+ice hockey
+goalkeeper
+tetherball
+water polo
+outdoor game
+golf
+professional golf
+round of golf
+medal play
+match play
+miniature golf
+croquet
+paintball
+quoits
+shuffleboard
+field game
+field hockey
+shinny
+football
+American football
+professional football
+touch football
+hurling
+rugby
+knock on
+ball game
+baseball
+ball
+professional baseball
+hardball
+perfect game
+no-hit game
+one-hitter
+two-hitter
+three-hitter
+four-hitter
+five-hitter
+softball
+rounders
+stickball
+cricket
+run-up
+Chinaman
+googly
+no ball
+lacrosse
+polo
+pushball
+ultimate frisbee
+soccer
+dribble
+double dribble
+court game
+handball
+racquetball
+fives
+squash
+volleyball
+jai alai
+badminton
+battledore
+basketball
+tip-off
+professional basketball
+deck tennis
+netball
+tennis
+break
+equalizer
+professional tennis
+singles
+singles
+doubles
+doubles
+royal tennis
+pallone
+child's game
+blindman's bluff
+cat and mouse
+cat's cradle
+hide-and-seek
+hopscotch
+jacks
+jackstraws
+jump rope
+double Dutch
+leapfrog
+leapfrog
+marbles
+mumblety-peg
+musical chairs
+peekaboo
+pillow fight
+post office
+spin the bottle
+spin the plate
+tag
+tiddlywinks
+card game
+cut
+all fours
+baccarat
+beggar-my-neighbor
+blackjack
+bridge
+bridge whist
+auction
+contract
+no-trump
+casino
+cribbage
+crib
+ecarte
+euchre
+fantan
+faro
+Go Fish
+monte
+Michigan
+Napoleon
+old maid
+pinochle
+piquet
+pisha paysha
+poker
+rouge et noir
+rummy
+solitaire
+canfield
+klondike
+whist
+dummy whist
+hearts
+Russian bank
+gin
+canasta
+bolivia
+samba
+draw
+high-low
+penny ante
+straight poker
+strip poker
+stud
+cinch
+pitch
+seven-up
+royal casino
+spade casino
+table game
+table tennis
+dominoes
+nim
+billiards
+break
+carom
+masse
+miscue
+pool
+snooker
+bagatelle
+parlor game
+word game
+anagrams
+Scrabble
+board game
+backgammon
+checkers
+chess
+Chinese checkers
+darts
+go
+halma
+lotto
+tombola
+ludo
+Mah-Jongg
+Monopoly
+pachisi
+Parcheesi
+shogi
+shovel board
+snakes and ladders
+ticktacktoe
+sporting life
+bet
+daily double
+exacta
+parimutuel
+parlay
+place bet
+superfecta
+game of chance
+fantan
+lottery
+lucky dip
+numbers pool
+raffle
+sweepstakes
+craps
+crap shooting
+roulette
+banking game
+zero-sum game
+merrymaking
+jinks
+revel
+sexcapade
+spree
+spending spree
+bust
+piss-up
+carouse
+orgy
+carnival
+Dionysia
+play
+caper
+capriole
+flirt
+folly
+game
+meshugaas
+buffoonery
+shtik
+horseplay
+teasing
+word play
+dirty trick
+practical joke
+April fool
+hotfoot
+rag
+snipe hunt
+drollery
+leg-pull
+pleasantry
+beguilement
+edutainment
+extravaganza
+militainment
+nightlife
+celebration
+Isthmian Games
+Nemean Games
+Olympian Games
+Pythian Games
+Royal National Eisteddfod
+eisteddfod
+film festival
+feria
+festival
+jazz festival
+Kwanzaa
+Oktoberfest
+Saturnalia
+sheepshearing
+gala
+Ludi Saeculares
+victory celebration
+whoopee
+carnival
+dog show
+horseshow
+raree-show
+circus
+three-ring circus
+Mardi Gras
+show
+cabaret
+ice show
+interlude
+parade
+display
+light show
+presentation
+demonstration
+exhibition
+repudiation
+exposure
+production
+rodeo
+road show
+sideshow
+Wild West Show
+sport
+adagio
+break dancing
+courante
+nautch
+pavane
+phrase
+saraband
+skank
+slam dancing
+step dancing
+tap dancing
+toe dancing
+soft-shoe
+buck-and-wing
+stage dancing
+ballet
+pas seul
+pas de deux
+pas de trois
+pas de quatre
+classical ballet
+modern ballet
+comedy ballet
+modern dance
+clog dance
+apache dance
+belly dance
+bolero
+cakewalk
+cancan
+nude dancing
+fan dance
+strip
+bubble dance
+interpretive dance
+social dancing
+jitterbug
+lindy
+fandango
+farandole
+flamenco
+gavotte
+habanera
+shag
+shimmy
+stomp
+tarantella
+dance step
+chasse
+glissade
+turnout
+twist
+ballroom dancing
+beguine
+carioca
+cha-cha
+one-step
+turkey trot
+fox-trot
+two-step
+bunny hug
+Charleston
+conga
+cotillion
+minuet
+paso doble
+quickstep
+rumba
+samba
+round dance
+tango
+waltz
+folk dancing
+mazurka
+polka
+schottische
+morris dance
+sword dance
+mambo
+highland fling
+hornpipe
+jig
+country-dance
+longways
+Virginia reel
+round dance
+square dance
+reel
+eightsome
+quadrille
+lancers
+do-si-do
+promenade
+sashay
+swing
+landler
+ritual dancing
+rumba
+apache devil dance
+corn dance
+danse macabre
+ghost dance
+hula
+pyrrhic
+rain dance
+snake dance
+sun dance
+war dance
+music
+bell ringing
+change ringing
+instrumental music
+intonation
+percussion
+drumming
+vocal music
+singing
+a cappella singing
+bel canto
+coloratura
+song
+carol
+lullaby
+caroling
+crooning
+crooning
+scat
+whistling
+beat
+bow
+down-bow
+up-bow
+officiation
+acting
+portrayal
+impression
+impersonation
+apery
+parody
+method acting
+mime
+panto
+business
+shtik
+performance
+program
+bill
+skit
+hamming
+heroics
+reenactment
+roleplaying
+card trick
+prestidigitation
+liveliness
+brouhaha
+circus
+disorganization
+disruption
+dislocation
+surprise
+commotion
+furor
+havoc
+melee
+agitation
+outburst
+rampage
+wilding
+upset
+bustle
+burst
+fits and starts
+haste
+dash
+scamper
+maneuver
+takeaway
+figure
+figure eight
+spread eagle
+completion
+play
+ball hawking
+assist
+icing
+power play
+football play
+run
+draw
+end run
+return
+reverse
+double reverse
+rush
+pass
+power play
+handoff
+forward pass
+flare pass
+screen pass
+lateral pass
+spot pass
+tackle
+jugglery
+obstruction
+blocking
+interference
+trap block
+check
+crosscheck
+poke check
+razzle-dazzle
+basketball play
+pick
+switch
+give-and-go
+baseball play
+double play
+triple play
+pick-off
+squeeze play
+suicide squeeze play
+safety squeeze play
+footwork
+stroke
+cut
+swipe
+tennis stroke
+return
+backhand
+chop
+drive
+drop shot
+forehand
+forehand drive
+get
+backhand drive
+two-handed backhand
+ground stroke
+serve
+ace
+fault
+let
+half volley
+lob
+overhead
+passing shot
+volley
+stroke
+swimming stroke
+crawl
+dog paddle
+sidestroke
+butterfly
+breaststroke
+backstroke
+baseball swing
+golf stroke
+downswing
+slice
+hook
+drive
+explosion
+putt
+clock golf
+approach
+chip
+pitch
+sclaff
+shank
+teeoff
+swimming kick
+flutter kick
+frog kick
+dolphin kick
+scissors kick
+thrash
+treading water
+cinch
+doddle
+work
+action
+job
+job
+operation
+works
+service
+consulting service
+advisory service
+attestation service
+financial audit
+facility
+laundering
+shining
+shoeshine
+national service
+utility
+service
+socage
+military service
+knight's service
+heavy lifting
+housecleaning
+housecleaning
+housewifery
+housework
+ironing
+workload
+case load
+piecework
+busywork
+logging
+loose end
+nightwork
+paperwork
+welfare work
+occupation
+occupation
+game
+career
+specialization
+specialization
+spiritualization
+lifework
+walk of life
+employment
+job
+service
+telecommuting
+services
+facility
+public service
+minister
+cabinet minister
+appointment
+position
+academicianship
+accountantship
+admiralty
+ambassadorship
+apostleship
+apprenticeship
+associateship
+attorneyship
+bailiffship
+baronetage
+bishopry
+cadetship
+caliphate
+captainship
+cardinalship
+chairmanship
+chancellorship
+chaplaincy
+chieftaincy
+clerkship
+commandership
+comptrollership
+consulship
+controllership
+councillorship
+counselorship
+curacy
+curatorship
+custodianship
+deanship
+directorship
+discipleship
+editorship
+eldership
+emirate
+fatherhood
+fatherhood
+foremanship
+generalship
+governorship
+headmastership
+headmistressship
+headship
+headship
+hot seat
+incumbency
+inspectorship
+instructorship
+internship
+judgeship
+khanate
+lectureship
+legation
+legislatorship
+librarianship
+lieutenancy
+magistracy
+managership
+manhood
+marshalship
+mastership
+mayoralty
+messiahship
+moderatorship
+overlordship
+pastorship
+peasanthood
+plum
+praetorship
+precentorship
+preceptorship
+prefecture
+prelacy
+premiership
+presidency
+President of the United States
+primateship
+principalship
+priorship
+proconsulship
+proctorship
+professorship
+protectorship
+public office
+bully pulpit
+rabbinate
+receivership
+rectorship
+regency
+residency
+rulership
+sainthood
+secretaryship
+Attorney General
+Secretary of Agriculture
+Secretary of Commerce
+Secretary of Defense
+Secretary of Education
+Secretary of Energy
+Secretary of Health and Human Services
+Secretary of Housing and Urban Development
+Secretary of Labor
+Secretary of State
+Secretary of the Interior
+Secretary of the Treasury
+Secretary of Transportation
+Secretary of Veterans Affairs
+Secretary of War
+Secretary of the Navy
+Secretary of Commerce and Labor
+Secretary of Health Education and Welfare
+seigniory
+seismography
+senatorship
+sinecure
+solicitorship
+speakership
+stewardship
+studentship
+teachership
+thaneship
+throne
+treasurership
+tribuneship
+trusteeship
+vice-presidency
+viceroyship
+viziership
+wardenship
+wardership
+womanhood
+treadmill
+business life
+trade
+airplane mechanics
+auto mechanics
+basketry
+bookbinding
+bricklaying
+cabinetwork
+carpentry
+drafting
+dressmaking
+electrical work
+interior decoration
+furnishing
+lighting
+lumbering
+masonry
+oculism
+painting
+papermaking
+piloting
+plumbing
+pottery
+profession
+metier
+learned profession
+literature
+architecture
+law
+education
+journalism
+newspapering
+politics
+medicine
+preventive medicine
+alternative medicine
+herbal medicine
+complementary medicine
+theology
+writing
+cryptography
+handwriting
+inscription
+notation
+superscription
+stenography
+subscription
+encoding
+compression
+image compression
+MPEG
+decompression
+data encryption
+recoding
+decoding
+triangulation
+cabinetmaking
+pyrotechnics
+shoemaking
+roofing
+sheet-metal work
+shingling
+tailoring
+tool-and-die work
+couture
+accountancy
+cost accounting
+costing
+bookkeeping
+single entry
+double entry
+inventory accounting
+inventory control
+first in first out
+last in first out
+butchery
+photography
+labor
+strikebreaking
+corvee
+drudgery
+effort
+struggle
+wrestle
+hunt
+hackwork
+haymaking
+haymaking
+manual labor
+overwork
+slavery
+subbing
+trouble
+the devil
+tsuris
+least effort
+strain
+exercise
+pull
+conditioner
+set
+aerobics
+bodybuilding
+weightlift
+jerk
+bench press
+incline bench press
+clean and jerk
+press
+snatch
+weight gaining
+calisthenics
+calisthenics
+isometrics
+isotonic exercise
+jogging
+Kegel exercises
+stretch
+pandiculation
+power walking
+arm exercise
+pushup
+widegrip pushup
+pull-up
+back exercise
+leg exercise
+knee bend
+leg curl
+leg extensor
+neck exercise
+stomach exercise
+sit-up
+yoga
+hatha yoga
+practice
+consultancy
+cosmetology
+dental practice
+law practice
+medical practice
+family practice
+group practice
+optometry
+private practice
+quackery
+application
+overkill
+supererogation
+overexertion
+investigation
+analysis
+count
+police work
+detection
+forensics
+roundup
+empiricism
+examination
+examination
+inquiry
+research
+eleven-plus
+search
+operations research
+means test
+inquest
+big science
+biological research
+cloning
+reproductive cloning
+human reproductive cloning
+somatic cell nuclear transplantation
+therapeutic cloning
+stem-cell research
+embryonic stem-cell research
+experiment
+field work
+testing
+marketing research
+market analysis
+product research
+consumer research
+microscopy
+electron microscopy
+electron spin resonance
+trial and error
+probe
+Human Genome Project
+scientific research
+endoscopy
+celioscopy
+colonoscopy
+culdoscopy
+gastroscopy
+hysteroscopy
+proctoscopy
+sigmoidoscopy
+gonioscopy
+keratoscopy
+rhinoscopy
+scan
+scanning
+search
+survey
+testing
+screening
+genetic screening
+time and motion study
+dark ground illumination
+fluorescence microscopy
+indirect immunofluorescence
+anatomy
+urinalysis
+scatology
+case study
+chemical analysis
+polarography
+quantitative analysis
+colorimetry
+volumetric analysis
+acidimetry
+alkalimetry
+titration
+volumetric analysis
+gravimetric analysis
+cost analysis
+dissection
+fundamental analysis
+technical analysis
+spectroscopy
+dialysis
+apheresis
+plasmapheresis
+plateletpheresis
+hemodialysis
+mass spectroscopy
+microwave spectroscopy
+likening
+analogy
+collation
+confrontation
+contrast
+lighterage
+visitation
+site visit
+surveillance
+tabulation
+blood count
+complete blood count
+differential blood count
+census
+countdown
+miscount
+poll
+recount
+sperm count
+spying
+wiretap
+espionage
+counterespionage
+electronic surveillance
+care
+maternalism
+babysitting
+pet sitting
+primary care
+aftercare
+dental care
+brush
+first aid
+eyedrop
+adrenergic agonist eyedrop
+beta blocker eyedrop
+miotic eyedrop
+topical prostaglandin eyedrop
+medical care
+treatment
+hospitalization
+incubation
+livery
+massage
+cardiac massage
+effleurage
+petrissage
+reflexology
+Swedish massage
+tapotement
+makeover
+manicure
+pedicure
+therapy
+modality
+diathermy
+aromatherapy
+chemotherapy
+correction
+electrotherapy
+heliotherapy
+hormone replacement therapy
+immunotherapy
+infrared therapy
+inflation therapy
+iontophoresis
+medication
+antipyresis
+megavitamin therapy
+occupational therapy
+nourishment
+nursing care
+nursing
+tender loving care
+nurturance
+personal care
+skin care
+facial
+adenoidectomy
+adrenalectomy
+appendectomy
+amputation
+angioplasty
+arthrodesis
+arthroplasty
+arthroscopy
+autoplasty
+brain surgery
+psychosurgery
+split-brain technique
+castration
+cautery
+chemosurgery
+colostomy
+craniotomy
+cryosurgery
+cholecystectomy
+clitoridectomy
+laparoscopic cholecystectomy
+curettage
+suction curettage
+debridement
+decortication
+dilation and curettage
+disembowelment
+electrosurgery
+enterostomy
+enucleation
+operation
+wrong-site surgery
+embolectomy
+endarterectomy
+enervation
+evisceration
+exenteration
+eye operation
+face lift
+fenestration
+gastrectomy
+gastroenterostomy
+gastrostomy
+heart surgery
+closed-heart surgery
+open-heart surgery
+coronary bypass
+port-access coronary bypass surgery
+minimally invasive coronary bypass surgery
+hemorrhoidectomy
+hemostasis
+hypophysectomy
+hysterectomy
+hysterotomy
+radical hysterectomy
+total hysterectomy
+gastromy
+implantation
+incision
+cataract surgery
+intracapsular surgery
+extracapsular surgery
+cyclodestructive surgery
+phacoemulsification
+filtration surgery
+iridectomy
+iridotomy
+keratotomy
+radial keratotomy
+laser-assisted subepithelial keratomileusis
+laser trabecular surgery
+laser-assisted in situ keratomileusis
+vitrectomy
+perineotomy
+episiotomy
+ileostomy
+intestinal bypass
+jejunostomy
+keratoplasty
+epikeratophakia
+lipectomy
+liposuction
+mastopexy
+neuroplasty
+otoplasty
+laminectomy
+laparotomy
+laparoscopy
+laryngectomy
+lithotomy
+cholelithotomy
+lobectomy
+amygdalotomy
+callosotomy
+lobotomy
+transorbital lobotomy
+lumpectomy
+major surgery
+microsurgery
+robotic telesurgery
+minor surgery
+mastectomy
+modified radical mastectomy
+radical mastectomy
+simple mastectomy
+mastoidectomy
+meniscectomy
+nephrectomy
+neurectomy
+oophorectomy
+oophorosalpingectomy
+ophthalmectomy
+orchidectomy
+pancreatectomy
+pneumonectomy
+prostatectomy
+salpingectomy
+septectomy
+sigmoidectomy
+splenectomy
+stapedectomy
+sympathectomy
+thrombectomy
+thyroidectomy
+tonsillectomy
+myotomy
+myringectomy
+myringoplasty
+myringotomy
+neurosurgery
+nose job
+orchiopexy
+orchotomy
+osteotomy
+ostomy
+palatopharyngoplasty
+phalloplasty
+phlebectomy
+photocoagulation
+plastic surgery
+polypectomy
+proctoplasty
+resection
+rhinotomy
+rhizotomy
+sclerotomy
+sex-change operation
+Shirodkar's operation
+sterilization
+castration
+neutering
+spaying
+strabotomy
+taxis
+Michelson-Morley experiment
+tracheostomy
+transplant
+transurethral resection of the prostate
+trephination
+tympanoplasty
+uranoplasty
+justice
+administration
+administration
+drip feed
+sedation
+irrigation
+douche
+enema
+colonic irrigation
+barium enema
+lavage
+gastric lavage
+dressing
+holistic medicine
+hospice
+injection
+cryocautery
+electrocautery
+thermocautery
+bloodletting
+nephrotomy
+thoracotomy
+valvotomy
+venesection
+cupping
+defibrillation
+detoxification
+detoxification
+fusion
+faith healing
+laying on of hands
+physical therapy
+rehabilitation
+phytotherapy
+psychotherapy
+behavior therapy
+assertiveness training
+aversion therapy
+desensitization technique
+exposure therapy
+implosion therapy
+reciprocal inhibition
+token economy
+client-centered therapy
+crisis intervention
+group therapy
+family therapy
+hypnotherapy
+play therapy
+psychoanalysis
+hypnoanalysis
+self-analysis
+radiotherapy
+phototherapy
+radium therapy
+X-ray therapy
+chrysotherapy
+shock therapy
+electroconvulsive therapy
+insulin shock
+metrazol shock
+speech therapy
+refrigeration
+thermotherapy
+thrombolytic therapy
+chiropractic
+fomentation
+naturopathy
+naprapathy
+orthodontic treatment
+orthoptics
+osteopathy
+osteoclasis
+disinfection
+chlorination
+digitalization
+anticoagulation
+acupuncture
+acupressure
+autogenic therapy
+allopathy
+homeopathy
+hydropathy
+intensive care
+rest-cure
+stalk
+deerstalking
+birdnesting
+predation
+friction
+application
+anointing
+fumigation
+foliation
+galvanization
+bodywork
+handling
+materials handling
+loading
+unloading
+picking
+pickings
+planking
+wiring
+handicraft
+sewing
+baking
+blind stitching
+suturing
+vasectomy
+vasotomy
+vasovasostomy
+vulvectomy
+vivisection
+lubrication
+paving
+painting
+spraying
+spray painting
+spatter
+finger-painting
+tinning
+tinning
+papering
+pargeting
+plastering
+plating
+scumble
+tiling
+waxing
+duty
+job
+ball-buster
+paper route
+stint
+function
+capacity
+hat
+portfolio
+stead
+behalf
+second fiddle
+role
+gender role
+position
+pitcher
+catcher
+first base
+second base
+shortstop
+third base
+left field
+center field
+right field
+steal
+forward
+center
+guard
+back
+lineman
+linebacker
+quarterback
+fullback
+halfback
+tailback
+wingback
+center
+guard
+tackle
+end
+mid-off
+mid-on
+center
+school assignment
+classroom project
+classwork
+homework
+lesson
+language lesson
+French lesson
+German lesson
+Hebrew lesson
+exercise
+reading assignment
+assignment
+guard duty
+fatigue duty
+mission
+da'wah
+mission
+fool's errand
+mission impossible
+suicide mission
+errand
+reassignment
+secondment
+sea-duty
+shore duty
+scut work
+wrongdoing
+brutalization
+trespass
+inroad
+tort
+alienation of affection
+invasion of privacy
+trespass
+continuing trespass
+trespass de bonis asportatis
+trespass on the case
+trespass quare clausum fregit
+trespass viet armis
+malversation
+misbehavior
+delinquency
+mischief
+hell
+monkey business
+ruffianism
+familiarity
+abnormality
+deviation
+indecency
+paraphilia
+exhibitionism
+fetishism
+pedophilia
+voyeurism
+zoophilia
+obscenity
+indiscretion
+infantilism
+dereliction
+nonfeasance
+negligence
+comparative negligence
+concurrent negligence
+contributory negligence
+criminal negligence
+neglect of duty
+evasion
+escape mechanism
+malingering
+shirking
+circumvention
+tax evasion
+malfeasance
+misfeasance
+malpractice
+malpractice
+perversion
+waste
+waste of effort
+waste of material
+waste of money
+waste of time
+extravagance
+squandering
+squandermania
+wrong
+injury
+injury
+injustice
+infliction
+transgression
+transgression
+abomination
+evil
+villainy
+deviltry
+enormity
+foul play
+irreverence
+sexual immorality
+profanation
+depravity
+vice
+pornography
+child pornography
+intemperance
+intemperance
+prostitution
+profligacy
+drink
+drinking bout
+package tour
+pub crawl
+whistle-stop tour
+jag
+dishonesty
+treachery
+double cross
+sellout
+charlatanism
+plagiarism
+trick
+falsification
+falsification
+frame-up
+distortion
+equivocation
+lying
+fibbing
+fakery
+deception
+indirection
+trickery
+duplicity
+sophistication
+fraud
+goldbrick
+jugglery
+scam
+cheat
+gerrymander
+delusion
+pretense
+appearance
+make-believe
+affectation
+attitude
+radical chic
+masquerade
+imposture
+obscurantism
+bluff
+take-in
+fall
+sin
+actual sin
+original sin
+mortal sin
+venial sin
+pride
+envy
+avarice
+sloth
+wrath
+gluttony
+lust
+terror
+terrorism
+bioterrorism
+chemical terrorism
+cyber-terrorism
+domestic terrorism
+ecoterrorism
+international terrorism
+narcoterrorism
+nuclear terrorism
+state-sponsored terrorism
+theoterrorism
+terrorization
+barratry
+champerty
+maintenance
+crime
+crime
+inside job
+assault
+aggravated assault
+battery
+capital offense
+cybercrime
+felony
+forgery
+fraud
+barratry
+Had crime
+hijack
+mayhem
+misdemeanor
+violation
+copyright infringement
+foul
+personal foul
+technical foul
+patent infringement
+disorderly conduct
+false pretense
+indecent exposure
+perjury
+resisting arrest
+sedition
+molestation
+perpetration
+rape
+date rape
+attack
+mugging
+sexual assault
+Tazir crime
+statutory offense
+thuggery
+bigamy
+capture
+abduction
+kidnapping
+racket
+racketeering
+bribery
+barratry
+commercial bribery
+embezzlement
+identity theft
+raid
+plunderage
+mail fraud
+election fraud
+constructive fraud
+extrinsic fraud
+fraud in fact
+fraud in law
+fraud in the factum
+fraud in the inducement
+intrinsic fraud
+bunco
+sting operation
+pyramiding
+swindle
+holdout
+swiz
+shell game
+larceny
+pilferage
+shoplifting
+robbery
+armed robbery
+treason
+vice crime
+victimless crime
+war crime
+biopiracy
+caper
+dacoity
+heist
+highjacking
+highway robbery
+piracy
+rolling
+grand larceny
+petit larceny
+skimming
+extortion
+blackmail
+protection
+shakedown
+burglary
+housebreaking
+home invasion
+joint venture
+foreign direct investment
+experiment
+forlorn hope
+attempt
+bid
+crack
+essay
+foray
+contribution
+end
+liberation
+mug's game
+power play
+seeking
+shot
+shot
+striving
+struggle
+duel
+scramble
+buyout
+strategic buyout
+takeover
+anti-takeover defense
+takeover attempt
+takeover bid
+two-tier bid
+any-and-all bid
+hostile takeover
+friendly takeover
+test
+assay
+enzyme-linked-immunosorbent serologic assay
+immunohistochemistry
+clinical trial
+phase I clinical trial
+phase II clinical trial
+phase III clinical trial
+phase IV clinical trial
+double blind
+preclinical trial
+test
+audition
+screen test
+field trial
+fitting
+MOT
+pilot project
+spadework
+timework
+undertaking
+written assignment
+adventure
+assignment
+baby
+enterprise
+labor of love
+marathon
+no-brainer
+proposition
+tall order
+venture
+speleology
+campaign
+advertising campaign
+anti-war movement
+charm campaign
+consumerism
+campaigning
+front-porch campaigning
+hustings
+fund-raising campaign
+feminist movement
+gay liberation movement
+lost cause
+reform
+war
+youth movement
+whispering campaign
+stumping
+sales campaign
+public-relations campaign
+sally
+self-help
+risk
+chance
+crapshoot
+gamble
+long shot
+raise
+doubling
+control
+crowd control
+damage control
+federalization
+flight control
+flood control
+imperialism
+regulation
+deregulation
+devaluation
+gun control
+indexation
+internal control
+management control
+quality control
+acceptance sampling
+regulation
+timing
+coordination
+synchronization
+load-shedding
+proration
+limitation
+arms control
+hold-down
+freeze
+clampdown
+hire
+hiring freeze
+price freeze
+wage freeze
+possession
+possession
+actual possession
+constructive possession
+criminal possession
+illegal possession
+retention
+withholding
+power trip
+defecation reflex
+storage
+filing
+storage
+cold storage
+stowage
+tankage
+riot control
+grasping
+clasp
+wrestling hold
+bear hug
+nelson
+full nelson
+half nelson
+hammerlock
+headlock
+Japanese stranglehold
+lock
+scissors
+stranglehold
+toehold
+steering
+steering
+aim
+navigation
+instrument flying
+celestial navigation
+celestial guidance
+inertial guidance
+command guidance
+terrestrial guidance
+dead reckoning
+fire watching
+protection
+air cover
+shielding
+guardianship
+hands
+preservation
+conservation
+conservancy
+soil conservation
+oil conservation
+water conservation
+self-preservation
+reservation
+Manhattan Project
+embalmment
+mummification
+momism
+security intelligence
+censoring
+military censorship
+civil censorship
+field press censorship
+prisoner of war censorship
+armed forces censorship
+primary censorship
+secondary censorship
+national censorship
+precaution
+security
+defense
+defense
+inoculation
+inoculating
+ring vaccination
+variolation
+patrol
+airborne patrol
+round-the-clock patrol
+self-defense
+aikido
+martial art
+judo
+jujutsu
+ninjutsu
+karate
+kung fu
+tae kwon do
+t'ai chi
+insulation
+lining
+lining
+babbitting
+locking
+escort
+convoy
+covering
+dressing
+investment
+primping
+toilet
+dressing
+immunization
+sensitizing
+care
+ruggedization
+umbrella
+waterproofing
+wear
+control
+motor control
+respiration
+breathing
+respiration
+artificial respiration
+cardiography
+echocardiography
+echoencephalography
+cardiopulmonary resuscitation
+Heimlich maneuver
+abdominal breathing
+eupnea
+hyperpnea
+hypopnea
+hyperventilation
+panting
+periodic breathing
+puffing
+smoke
+puffing
+breath
+exhalation
+blow
+insufflation
+snore
+snuffle
+wheeze
+wind
+second wind
+inhalation
+gasp
+yawn
+puff
+toke
+consumption
+eating
+bite
+browse
+coprophagy
+electric shock
+fart
+swallow
+aerophagia
+gulp
+gulp
+dining
+engorgement
+feasting
+geophagy
+graze
+lunching
+munch
+Dutch treat
+repletion
+supping
+tasting
+nibble
+nip
+necrophagia
+omophagia
+scatophagy
+sucking
+suckling
+drinking
+gulping
+sip
+potation
+bondage
+outercourse
+safe sex
+sexual activity
+conception
+defloration
+insemination
+artificial insemination
+sexual intercourse
+fuck
+pleasure
+hank panky
+sexual love
+penetration
+statutory rape
+carnal abuse
+coupling
+assortative mating
+disassortative mating
+unlawful carnal knowledge
+extramarital sex
+adultery
+fornication
+incest
+coitus interruptus
+sodomy
+reproduction
+miscegenation
+generation
+biogenesis
+hybridization
+dihybrid cross
+monohybrid cross
+reciprocal cross
+testcross
+inbreeding
+natural family planning
+birth control
+contraception
+oral contraception
+basal body temperature method of family planning
+ovulation method of family planning
+rhythm method of birth control
+surgical contraception
+servicing
+foreplay
+caressing
+snogging
+feel
+perversion
+oral sex
+cunnilingus
+fellatio
+cock sucking
+soixante-neuf
+autoeroticism
+masturbation
+self-stimulation
+frottage
+jacking off
+promiscuity
+one-night stand
+lechery
+homosexuality
+bisexuality
+inversion
+lesbianism
+tribadism
+heterosexuality
+pederasty
+bestiality
+sleeping
+nap
+siesta
+zizz
+doze
+reaction
+automatism
+rebound
+overreaction
+galvanic skin response
+immune response
+anamnestic response
+humoral immune response
+cell-mediated immune response
+complement fixation
+tropism
+ergotropism
+geotropism
+heliotropism
+meteortropism
+neurotropism
+phototropism
+trophotropism
+thermotropism
+taxis
+chemotaxis
+negative chemotaxis
+positive chemotaxis
+kinesis
+double take
+reflex
+conditional reflex
+learned reaction
+conditioned avoidance
+knee jerk
+startle response
+startle reflex
+wince
+passage
+light reflex
+mydriasis
+micturition reflex
+pharyngeal reflex
+pilomotor reflex
+plantar reflex
+rooting reflex
+startle
+stretch reflex
+suckling reflex
+tremble
+crying
+snivel
+sob
+wailing
+calculation
+transposition
+number crunching
+mathematical process
+recalculation
+permutation
+combination
+differentiation
+maximization
+division
+long division
+short division
+integration
+multiplication
+subtraction
+summation
+exponentiation
+arithmetic operation
+matrix operation
+matrix addition
+matrix multiplication
+matrix inversion
+matrix transposition
+construction
+quadrature
+relaxation
+judgment
+adjudication
+disapproval
+evaluation
+marking
+estimate
+appraisal
+logistic assessment
+value judgment
+moralism
+percussion
+succussion
+auscultation
+sensory activity
+sensing
+look
+glance
+eye-beaming
+side-glance
+scrutiny
+peek
+squint
+stare
+gaze
+glare
+contemplation
+gape
+evil eye
+inspection
+resurvey
+sightseeing
+observation
+monitoring
+sighting
+landfall
+stargazing
+watch
+stakeout
+surveillance of disease
+listening watch
+spying
+lookout
+view
+eyeful
+dekko
+listening
+relistening
+lipreading
+taste
+smell
+sniff
+education
+coeducation
+continuing education
+course
+coursework
+adult education
+art class
+childbirth-preparation class
+life class
+elementary education
+extension
+extracurricular activity
+dramatics
+athletics
+higher education
+secondary education
+spectator sport
+teaching
+team sport
+team teaching
+catechesis
+catechetical instruction
+language teaching
+teaching reading
+phonics
+whole-word method
+schooling
+indoctrination
+brainwashing
+inculcation
+tutelage
+lesson
+dance lesson
+music lesson
+piano lesson
+violin lesson
+tennis lesson
+golf lesson
+history lesson
+correspondence course
+course of lectures
+directed study
+elective course
+extension course
+work-study program
+home study
+industrial arts
+orientation course
+propaedeutic
+refresher course
+required course
+seminar
+shop class
+workshop
+sleep-learning
+spoonfeeding
+lecture
+lecture demonstration
+talk
+chalk talk
+athletic training
+fartlek
+discipline
+training
+drill
+exercise
+fire drill
+manual of arms
+order arms
+military training
+basic training
+retraining
+schooling
+skull session
+toilet training
+military drill
+close-order drill
+square-bashing
+rehearsal
+rehearsal
+dress rehearsal
+run-through
+walk-through
+review
+rub up
+scrimmage
+shadowboxing
+target practice
+representation
+model
+simulation
+dramatization
+guerrilla theater
+puppetry
+pageant
+figuration
+symbolizing
+schematization
+pictorial representation
+typification
+depiction
+portraiture
+imaging
+X-raying
+computerized tomography
+sonography
+A-scan ultrasonography
+B-scan ultrasonography
+positron emission tomography
+magnetic resonance imaging
+functional magnetic resonance imaging
+blood-oxygenation level dependent functional magnetic resonance imaging
+fluoroscopy
+radioscopy
+photography
+radiography
+roentgenography
+xerography
+xeroradiography
+angiography
+lymphangiography
+arteriography
+arthrography
+venography
+cholangiography
+encephalography
+myelography
+pyelography
+intravenous pyelography
+telephotography
+telephotography
+radiophotography
+exposure
+overexposure
+underexposure
+time exposure
+filming
+take
+retake
+animation
+creation
+re-creation
+creating from raw materials
+spinning
+weaving
+netting
+knitting
+crocheting
+lace making
+mintage
+molding
+needlework
+recording
+lip synchronization
+mastering
+construction
+crenelation
+erecting
+house-raising
+fabrication
+dry walling
+dismantling
+grading
+road construction
+shipbuilding
+production
+rustication
+cottage industry
+production
+production
+mass production
+overproduction
+underproduction
+output
+capacity
+breeding
+brewing
+autosexing
+cattle breeding
+dog breeding
+horse breeding
+cultivation
+cultivation
+aquaculture
+beekeeping
+farming
+animal husbandry
+arboriculture
+culture
+cranberry culture
+monoculture
+tillage
+dairying
+gardening
+plowing
+tilling
+hydroponics
+drip culture
+mixed farming
+planting
+insemination
+stratification
+ranching
+strip cropping
+subsistence farming
+culture
+starter
+naturalization
+landscaping
+market gardening
+flower gardening
+tree surgery
+roundup
+harvest
+haying
+rainmaking
+generation
+mining
+placer mining
+strip mining
+quarrying
+boring
+sericulture
+industry
+industrialization
+devising
+foliation
+mapmaking
+moviemaking
+fabrication
+formation
+filing
+forging
+metalworking
+granulation
+grooving
+turning
+newspeak
+prefabrication
+confection
+lamination
+tanning
+veneering
+creating by mental acts
+formation
+affixation
+prefixation
+suffixation
+design
+planning
+city planning
+zoning
+programming
+logic programming
+object-oriented programming
+verbal creation
+writing
+adoxography
+drafting
+dramatization
+fabrication
+historiography
+metrification
+novelization
+redaction
+lexicography
+realization
+objectification
+depersonalization
+externalization
+hypostatization
+embodiment
+soul
+personification
+art
+arts and crafts
+ceramics
+decalcomania
+decantation
+decoupage
+drawing
+glyptography
+gastronomy
+origami
+painting
+distemper
+fresco
+impasto
+perfumery
+printmaking
+sculpture
+modeling
+topiary
+pyrography
+tracing
+oil painting
+watercolor
+engraving
+steel engraving
+aquatint
+serigraphy
+lithography
+composing
+arrangement
+orchestration
+realization
+recapitulation
+invention
+neologism
+devisal
+conceptualization
+approach
+framing
+avenue
+creating by removal
+excavation
+carving
+petroglyph
+truncation
+drilling
+gouge
+puncture
+centesis
+abdominocentesis
+amniocentesis
+arthrocentesis
+celiocentesis
+lumbar puncture
+thoracocentesis
+fetoscopy
+perforation
+prick
+venipuncture
+film editing
+search
+exploration
+foraging
+frisk
+strip search
+looking
+manhunt
+quest
+ransacking
+probe
+use
+play
+misuse
+substance abuse
+alcohol abuse
+exploitation
+land development
+water development
+recycling
+bottle collection
+application
+misapplication
+technology
+aeronautical engineering
+automotive technology
+chemical engineering
+communications technology
+digital communications technology
+computer technology
+high technology
+rail technology
+magnetic levitation
+overexploitation
+capitalization
+commercialization
+capitalization
+market capitalization
+electrification
+unitization
+military action
+limited war
+psychological warfare
+battle
+blockade
+defense
+electronic warfare
+operation
+combined operation
+police action
+resistance
+saber rattling
+Armageddon
+pitched battle
+naval battle
+conflict
+brush
+close-quarter fighting
+contretemps
+class struggle
+maneuver
+air defense
+active air defense
+passive air defense
+civil defense
+stand
+repulsion
+hasty defense
+deliberate defense
+biological defense
+chemical defense
+mining
+rebellion
+civil war
+revolution
+counterrevolution
+insurgency
+intifada
+pacification
+mutiny
+Peasant's Revolt
+combat
+aggression
+hostilities
+trench warfare
+meat grinder
+violence
+domestic violence
+plundering
+banditry
+rape
+rustling
+looting
+defloration
+spoil
+ravaging
+depredation
+sack
+chemical warfare
+biological warfare
+biological warfare defense
+campaign
+expedition
+Crusade
+First Crusade
+Second Crusade
+Third Crusade
+Fourth Crusade
+Fifth Crusade
+Sixth Crusade
+Seventh Crusade
+naval campaign
+mission
+combat mission
+search mission
+search and destroy mission
+sortie
+support
+dogfight
+close support
+direct support
+amphibious demonstration
+diversionary landing
+attack
+war
+air raid
+dogfight
+ground attack
+assault
+storm
+charge
+countercharge
+banzai attack
+diversion
+penetration
+interpenetration
+blitz
+breakthrough
+safety blitz
+mousetrap
+invasion
+infiltration
+foray
+inroad
+swoop
+strike
+first strike
+surgical strike
+preventive strike
+counterattack
+bombing
+bombardment
+bombing run
+carpet bombing
+dive-bombing
+loft bombing
+over-the-shoulder bombing
+bombing
+suicide bombing
+offense
+counteroffensive
+dirty war
+rollback
+peacekeeping
+amphibious operation
+amphibious assault
+information gathering
+intelligence
+current intelligence
+tactical intelligence
+terrain intelligence
+strategic intelligence
+signals intelligence
+electronics intelligence
+communications intelligence
+telemetry intelligence
+clandestine operation
+exfiltration operation
+psychological operation
+covert operation
+black operation
+overt operation
+reconnaissance
+recce
+scouting
+air reconnaissance
+reconnaissance by fire
+reconnaissance in force
+shufti
+electronic reconnaissance
+counterintelligence
+countersubversion
+counter-sabotage
+fire
+antiaircraft fire
+barrage
+broadside
+fusillade
+call fire
+close supporting fire
+cover
+deep supporting fire
+direct supporting fire
+concentrated fire
+counterfire
+counterbattery fire
+counterbombardment
+countermortar fire
+counterpreparation fire
+crossfire
+destruction fire
+direct fire
+distributed fire
+friendly fire
+hostile fire
+grazing fire
+harassing fire
+indirect fire
+interdiction fire
+neutralization fire
+observed fire
+preparation fire
+radar fire
+dating
+potassium-argon dating
+radiocarbon dating
+rubidium-strontium dating
+registration fire
+scheduled fire
+scouring
+searching fire
+shakedown
+supporting fire
+suppressive fire
+unobserved fire
+artillery fire
+cannonade
+high-angle fire
+mortar fire
+zone fire
+electronic countermeasures
+electronic counter-countermeasures
+electronic warfare-support measures
+electromagnetic intrusion
+germ warfare
+information warfare
+jihad
+jihad
+world war
+measurement
+actinometry
+algometry
+anemography
+anemometry
+angulation
+anthropometry
+arterial blood gases
+audiometry
+bathymetry
+calibration
+tuning
+adjustment
+alignment
+collimation
+temperament
+equal temperament
+tune
+tune-up
+synchronization
+camber
+toe-in
+voicing
+calorimetry
+cephalometry
+densitometry
+dosimetry
+fetometry
+hydrometry
+hypsometry
+mental measurement
+micrometry
+observation
+pelvimetry
+photometry
+cytophotometry
+quantification
+gradation
+shading
+divergence
+radioactive dating
+reading
+sampling
+sounding
+sound ranging
+scaling
+spirometry
+surveying
+scalage
+scalage
+electromyography
+mammography
+thermography
+mammothermography
+test
+intelligence test
+Stanford-Binet test
+Binet-Simon Scale
+personality test
+projective test
+Rorschach
+Thematic Apperception Test
+sub-test
+organization
+orchestration
+randomization
+systematization
+codification
+formalization
+order
+rank order
+scaling
+succession
+alternation
+layout
+alphabetization
+listing
+inventory
+stocktake
+roll call
+mail call
+muster call
+attendance check
+grouping
+phrasing
+categorization
+indexing
+reclassification
+relegation
+stratification
+taxonomy
+typology
+collection
+agglomeration
+collation
+compilation
+gather
+centralization
+harvest
+haying
+bottle collection
+conchology
+garbage collection
+numismatics
+pickup
+philately
+aerophilately
+tax collection
+sorting
+territorialization
+triage
+support
+shoring
+suspension
+continuance
+prolongation
+repetition
+echolalia
+iteration
+redundancy
+reduplication
+copying
+duplication
+reproduction
+replay
+sound reproduction
+high fidelity
+headroom
+playback
+imitation
+echo
+emulation
+mimicry
+perseverance
+abidance
+pursuance
+survival
+hangover
+discontinuance
+disfranchisement
+disinheritance
+phase-out
+intervention
+procedure
+procedure
+medical procedure
+dental procedure
+mapping
+operating procedure
+standing operating procedure
+lockstep
+stiffening
+bureaucratic procedure
+objection
+recusation
+indirection
+rigmarole
+routine
+rat race
+rut
+ceremony
+tea ceremony
+ceremony
+lustrum
+ritual
+religious ceremony
+military ceremony
+agape
+worship
+deification
+ancestor worship
+rite
+vigil
+wake
+agrypnia
+last rites
+orgy
+popery
+quotation
+ritual
+ritualism
+circumcision
+Berith
+nudism
+systematism
+transvestism
+service
+church service
+devotional
+prayer meeting
+chapel service
+liturgy
+Christian liturgy
+office
+Divine Office
+Little Office
+Office of the Dead
+committal service
+none
+vesper
+placebo
+watch night
+sacrament
+Last Supper
+Seder
+Holy Eucharist
+Offertory
+Communion
+intercommunion
+betrothal
+matrimony
+marriage
+rite of passage
+bridal
+civil marriage
+love match
+baptism
+affusion
+aspersion
+christening
+immersion
+trine immersion
+confirmation
+confirmation
+penance
+confession
+shrift
+anointing of the sick
+holy order
+sanctification
+beatification
+canonization
+consecration
+communalism
+consecration
+Oblation
+oblation
+unction
+libation
+prayer
+Mass
+High Mass
+Low Mass
+Requiem
+devotion
+bhakti
+novena
+Stations
+blessing
+idolization
+adoration
+idolatry
+bardolatry
+iconolatry
+idolatry
+idiolatry
+bibliolatry
+verbolatry
+symbolatry
+anthropolatry
+gyneolatry
+lordolatry
+thaumatolatry
+topolatry
+arborolatry
+astrolatry
+cosmolatry
+diabolatry
+pyrolatry
+hagiolatry
+heliolatry
+zoolatry
+ichthyolatry
+monolatry
+ophiolatry
+moon-worship
+energizing
+electrification
+revival
+rebirth
+regeneration
+resurrection
+resuscitation
+vivification
+presentation
+concealment
+disguise
+mask
+cover
+cover
+cover-up
+blue wall of silence
+burying
+reburying
+smoke screen
+stealth
+money laundering
+placement
+juxtaposition
+tessellation
+interposition
+orientation
+planting
+implantation
+repositioning
+set
+superposition
+fingering
+superposition
+stay
+residency
+lodging
+occupancy
+inhabitancy
+cohabitation
+concubinage
+camping
+sojourn
+call
+round
+call
+visiting
+stop
+night-stop
+pit stop
+pit stop
+stand
+provision
+irrigation
+feeding
+infant feeding
+demand feeding
+forced feeding
+nasogastric feeding
+gastrogavage
+nursing
+intravenous feeding
+overfeeding
+spoonfeeding
+schedule feeding
+total parenteral nutrition
+fueling
+healthcare
+healthcare delivery
+issue
+stock issue
+logistics
+purveyance
+stocking
+subvention
+demand
+exaction
+extortion
+claim
+insurance claim
+drain
+brain drain
+inactivity
+pause
+respite
+spring break
+hesitation
+intermission
+freeze
+wait
+rest
+bedrest
+laziness
+lie-in
+quiescence
+vegetation
+leisure
+idleness
+dolce far niente
+free time
+vacationing
+busman's holiday
+caravanning
+delay
+demurrage
+forbearance
+postponement
+adjournment
+prorogation
+procrastination
+slowdown
+dalliance
+filibuster
+interjection
+tarriance
+breaking off
+heckling
+abstinence
+asceticism
+chastity
+mortification
+self-denial
+sobriety
+teetotaling
+fast
+diet
+traffic control
+point duty
+price-fixing
+inhibition
+tolerance
+lenience
+clemency
+pleasure
+luxuriation
+enjoyment
+lamentation
+laughter
+satisfaction
+gratification
+satiation
+self-gratification
+indulgence
+pleasing
+overindulgence
+orgy
+hindrance
+antagonism
+obstruction
+blockage
+naval blockade
+siege
+relief
+stall
+stonewalling
+stop
+complication
+deterrence
+discouragement
+nuclear deterrence
+countermine
+prevention
+averting
+debarment
+disqualification
+interception
+nonproliferation
+obviation
+prophylaxis
+save
+suppression
+tax avoidance
+recusation
+group action
+social activity
+communalism
+confederation
+association
+fraternization
+affiliation
+reaffiliation
+mingling
+decolonization
+disbandment
+disestablishment
+distribution
+redistribution
+dispensation
+allotment
+reallotment
+reshuffle
+deal
+new deal
+rationing
+parcel
+deal
+misdeal
+revenue sharing
+sharing
+generosity
+giving
+bestowal
+accordance
+endowment
+social welfare
+social insurance
+national insurance
+supplementary benefit
+Social Security
+relief
+dole
+unemployment compensation
+old-age insurance
+survivors insurance
+disability insurance
+health care
+Medicare
+Medicaid
+primary health care
+philanthropy
+charity
+contribution
+subscription
+alms
+alms-giving
+handout
+commerce
+trade
+fair trade
+fair trade
+free trade
+North American Free Trade Agreement
+e-commerce
+exchange
+conversion
+unitization
+lending
+usury
+arbitrage
+risk arbitrage
+initial public offering
+commercial enterprise
+business activity
+operation
+business
+trade
+wash
+custom
+land-office business
+field
+market
+black market
+buyer's market
+grey market
+seller's market
+labor market
+employee-owned enterprise
+finance
+corporate finance
+financing
+high finance
+investing
+foreign direct investment
+leverage
+flotation
+banking
+home banking
+banking
+cooperative
+discount business
+real-estate business
+advertising
+hard sell
+soft sell
+circularization
+publication
+desktop publishing
+publication
+republication
+contribution
+serialization
+typography
+printing
+gravure
+photogravure
+issue
+packaging
+meatpacking
+unitization
+catering
+agribusiness
+truck farming
+construction
+jerry-building
+slating
+transportation
+air transportation
+navigation
+hauling
+cartage
+freight
+express
+ferry
+carriage trade
+transaction
+affairs
+world affairs
+operations
+transfer
+alienation
+conveyance
+quitclaim
+delivery
+bailment
+lend-lease
+secularization
+exchange
+barter
+horse trade
+logrolling
+deal
+arms deal
+penny ante
+downtick
+uptick
+borrowing
+pawn
+rental
+Seward's Folly
+importing
+exporting
+smuggling
+gunrunning
+marketing
+direct marketing
+distribution
+selling
+distribution channel
+traffic
+drug traffic
+simony
+slave trade
+retail
+wholesale
+sale
+divestiture
+sell
+syndication
+dumping
+dutch auction
+retailing
+telemarketing
+telemetry
+thermometry
+thermogravimetry
+tonometry
+telephone order
+vending
+venture
+viscometry
+resale
+sale
+sale
+bazaar
+book fair
+craft fair
+car boot sale
+clearance sale
+closeout
+fire sale
+fire sale
+garage sale
+going-out-of-business sale
+realization
+rummage sale
+selloff
+white sale
+undertaking
+upholstery
+payment
+evasion
+amortization
+fee splitting
+overpayment
+prepayment
+ransom
+refund
+remuneration
+rendering
+spending
+tribute
+underpayment
+expending
+deficit spending
+amortization
+migration
+gold rush
+stampede
+social control
+auto limitation
+sanction
+population control
+politics
+government
+misgovernment
+legislation
+criminalization
+decriminalization
+trust busting
+winemaking
+viticulture
+enactment
+enforcement
+coercion
+execution
+imposition
+protection
+law enforcement
+vigilantism
+domination
+bossism
+mastery
+monopolization
+socialization
+cultivation
+breeding
+duty
+moral obligation
+noblesse oblige
+burden of proof
+civic duty
+jury duty
+filial duty
+imperative
+incumbency
+legal duty
+fiduciary duty
+due care
+foster care
+great care
+providence
+slight care
+line of duty
+white man's burden
+obedience
+occupation
+management
+conducting
+database management
+finance
+homemaking
+misconduct
+mismanagement
+screwup
+treatment
+bioremediation
+dealing
+supervision
+invigilation
+administration
+conducting
+line management
+organization
+running
+administrivia
+polity
+nonprofit organization
+rationalization
+reorganization
+self-organization
+syndication
+authorization
+sanction
+license
+benefit of clergy
+name
+nihil obstat
+certification
+disenfranchisement
+accreditation
+commission
+mandate
+delegating
+devolution
+loan approval
+rubber stamp
+clearance
+conge
+allowance
+dispensation
+variance
+toleration
+channelization
+canalization
+preparation
+deployment
+groundwork
+redeployment
+makeready
+priming
+planning
+scheduling
+turnaround
+warm-up
+guidance
+coup d'etat
+countercoup
+restraint
+collar
+damper
+bridle
+immobilization
+confinement
+imprisonment
+lockdown
+house arrest
+false imprisonment
+custody
+containment
+ring containment
+suppression
+crackdown
+regimentation
+reimposition
+restraint of trade
+restriction
+classification
+declassification
+stipulation
+circumscription
+constraint
+swaddling clothes
+constriction
+vasoconstriction
+privation
+pauperization
+starvation
+appeasement
+pacification
+placation
+internationalization
+nationalization
+denationalization
+nationalization
+nationalization
+detribalization
+collectivization
+communization
+communization
+federation
+discrimination
+patronage
+nomenklatura
+ableism
+ageism
+cronyism
+fattism
+heterosexism
+nepotism
+racism
+racial profiling
+secularization
+rollover
+sexism
+male chauvinism
+sexual discrimination
+mobilization
+arming
+outfitting
+refit
+rearmament
+disarming
+conscription
+levy
+demobilization
+remilitarization
+standardization
+stabilization
+destabilization
+stylization
+conventionalization
+taxation
+punishment
+beating
+castigation
+corporal punishment
+cruel and unusual punishment
+detention
+discipline
+economic strangulation
+self-flagellation
+imprisonment
+music
+self-punishment
+spanking
+stick
+whipping
+flagellation
+horsewhipping
+electric shock
+execution
+gauntlet
+kick in the butt
+stoning
+burning
+auto-da-fe
+hanging
+electrocution
+decapitation
+crucifixion
+penance
+commitment
+commutation
+corrections
+exchange
+rally
+tradeoff
+submission
+obedience
+truckling
+prostration
+strife
+tug-of-war
+turf war
+countercurrent
+direct action
+competition
+battle of wits
+contest
+bidding contest
+popularity contest
+resistance
+nonresistance
+confrontation
+sales resistance
+discord
+defiance
+road rage
+riot
+race riot
+dispute
+fight
+fencing
+in-fighting
+set-to
+shock
+hassle
+aggro
+duel
+blow
+counterblow
+swing
+fistfight
+stab
+lunge
+parry
+remise
+riposte
+stinger
+thump
+uppercut
+hammer
+shot
+cheap shot
+wallop
+battering
+beating
+affray
+brawl
+knife fight
+rumble
+single combat
+obstructionism
+protest
+rebellion
+punch-up
+demonstration
+counterdemonstration
+walkout
+Boston Tea Party
+peace march
+sit-in
+work-in
+protest march
+insubordination
+contumacy
+disobedience
+civil disobedience
+contempt
+contempt of Congress
+contempt of court
+civil contempt
+contumacy
+criminal contempt
+obstruction of justice
+due process
+legal action
+action
+lawsuit
+civil suit
+class action
+countersuit
+criminal suit
+moot
+paternity suit
+antitrust case
+civil action
+counterclaim
+custody case
+lis pendens
+proceeding
+adoption
+appeal
+reversal
+affirmation
+bankruptcy
+receivership
+litigation
+custody battle
+vexatious litigation
+presentment
+naturalization
+judgment
+confession of judgment
+default judgment
+non prosequitur
+final judgment
+conviction
+judgment in personam
+judgment in rem
+judgment of dismissal
+judgment on the merits
+summary judgment
+arbitration
+opinion
+Bakke decision
+fatwa
+umpirage
+finding
+verdict
+finding of law
+compromise verdict
+directed verdict
+false verdict
+general verdict
+partial verdict
+quotient verdict
+special verdict
+acquittal
+murder conviction
+rape conviction
+robbery conviction
+eviction
+ouster
+actual eviction
+eviction
+retaliatory eviction
+legalization
+legitimation
+trial
+court-martial
+ordeal
+Scopes trial
+show trial
+review
+bill of review
+judicial review
+plea
+double jeopardy
+prosecution
+test case
+defense
+entrapment
+mistrial
+retrial
+hearing
+administrative hearing
+competence hearing
+fair hearing
+quo warranto
+separation
+divorce
+legal separation
+quarantine
+seclusion
+cocooning
+isolation
+segregation
+integration
+separationism
+withdrawal
+cooperation
+brainstorming
+teamwork
+conformity
+formality
+line
+honoring
+punctilio
+nonobservance
+nonconformity
+keeping
+collaboration
+collaboration
+compromise
+concurrence
+reconciliation
+selflessness
+commitment
+devotion
+cultism
+hobbyism
+enlistment
+reenlistment
+faith
+fetish
+party spirit
+aid
+facilitation
+hand
+recourse
+thanks
+social work
+casework
+relief
+lift
+service
+disservice
+childcare
+community service
+community service
+daycare
+help desk
+seating
+accommodation
+boost
+comfort
+boost
+morale building
+consolation
+simplification
+oversimplification
+rationalization
+support
+attachment
+ecclesiasticism
+kabbalism
+royalism
+traditionalism
+backing
+advocacy
+drumbeat
+insistence
+urging
+auspices
+sponsorship
+endorsement
+blessing
+reassurance
+support
+sustenance
+logistic support
+integrated logistic support
+mutual aid
+interdepartmental support
+inter-service support
+representation
+proportional representation
+employment
+shape-up
+call-back
+booking
+admiration
+adoration
+glorification
+idealization
+sentimentalization
+reward
+carrot
+disparagement
+belittling
+deprecation
+aspersion
+attack
+detraction
+behavior
+behavior
+territoriality
+aggression
+aggravation
+last straw
+exacerbation
+bitchery
+bullying
+terrorization
+twit
+raising hell
+self-assertion
+condemnation
+stigmatization
+bohemianism
+dirty pool
+dirty tricks
+discourtesy
+easiness
+derision
+mock
+indelicacy
+insolence
+insult
+indignity
+scandalization
+presumption
+rebuff
+snub
+silent treatment
+the way of the world
+benevolence
+cupboard love
+favor
+turn
+forgiveness
+condonation
+mercy
+exculpation
+endearment
+politeness
+reverence
+courtesy
+gesture
+beau geste
+attention
+gallantry
+deference
+court
+last respects
+props
+devoir
+consideration
+assembly
+mobilization
+economic mobilization
+rallying
+convocation
+meeting
+service call
+assignation
+rendezvous
+congregation
+convention
+concentration
+session
+course session
+socialization
+visit
+visit
+flying visit
+visit
+attendance
+appearance
+presence
+turnout
+nonattendance
+nonappearance
+absence
+absenteeism
+truancy
+return
+answer
+requital
+retaliation
+vengeance
+reprisal
+reciprocation
+feud
+war
+drug war
+trench warfare
+vendetta
+tit for tat
+aggression
+democratization
+consolidation
+centralization
+decentralization
+incorporation
+amalgamation
+vertical integration
+horizontal integration
+engagement
+non-engagement
+isolation
+commitment
+incurrence
+intervention
+mediation
+matchmaking
+group participation
+neutrality
+annulment
+dissolution of marriage
+vindication
+whitewash
+justification
+rehabilitation
+job action
+go-slow
+work to rule
+passive resistance
+hunger strike
+Ramadan
+Satyagraha
+recusancy
+strike
+sit-down
+sympathy strike
+walkout
+wildcat strike
+unsnarling
+sabotage
+extermination
+genocide
+holocaust
+Holocaust
+throw
+cast
+natural
+flip
+flip
+strafe
+surprise attack
+terrorist attack
+ambush
+pre-emptive strike
+dry-gulching
+emancipation
+clearing
+manumission
+radio observation
+stupidity
+admission
+readmission
+matriculation
+remarriage
+renewal
+self-renewal
+replication
+amnesty
+demolition
+spoliation
+vandalism
+recession
+amendment
+emendation
+hit
+infanticide
+shoot-down
+tyrannicide
+thuggee
+transmutation
+barrage jamming
+spot jamming
+electronic deception
+manipulative electronic deception
+simulative electronic deception
+imitative electronic deception
+waste
+colonization
+resettlement
+dismount
+radiation
+emission
+discharge
+jamming
+vacation
+harmonization
+humming
+winnow
+separation
+teleportation
+intonation
+cantillation
+intonation
+fixed intonation
+karaoke
+part-singing
+psalmody
+singalong
+solfege
+solmization
+yodeling
+lead
+leadership
+helm
+lead
+trend setting
+precession
+solo
+flood
+parole
+population
+pounce
+probation
+quarter
+recall
+revocation
+reprieve
+revoke
+ruff
+trick
+awakening
+buzz
+fixation
+immobilization
+fun
+sin
+excitation
+hair-raiser
+thrill
+incitation
+inflammation
+inspiration
+stimulation
+galvanization
+titillation
+deforestation
+skimming
+withdrawal
+withdrawal
+spoil
+swerve
+three-point turn
+face saver
+recruitment
+smooth
+reference
+emphasizing
+release
+last
+slapshot
+headshot
+cornhusking
+palpebration
+bank examination
+beatification
+equilibration
+ethnic cleansing
+jumpstart
+mystification
+negotiation
+proclamation
+socialization
+stabilization
+stupefaction
+transfusion reaction
+upgrade
+vampirism
+version
+vulgarization
+witching
+xenotransplant
+Actium
+Aegates Isles
+Aegospotami
+Agincourt
+Alamo
+Atlanta
+Austerlitz
+Bannockburn
+Bataan
+Battle of Britain
+Battle of Kerbala
+Battle of the Ardennes Bulge
+Battle of the Marne
+Bismarck Sea
+Blenheim
+Borodino
+Bosworth Field
+Bouvines
+Boyne
+Brunanburh
+Buena Vista
+Bull Run
+Bunker Hill
+Cannae
+Caporetto
+Caudine Forks
+Chaeronea
+Chalons
+Chancellorsville
+Chapultepec
+Chattanooga
+Chickamauga
+Chino-Japanese War
+Coral Sea
+Cowpens
+Crecy
+Cunaxa
+Cynoscephalae
+Dardanelles
+Dien Bien Phu
+Drogheda
+Dunkirk
+El Alamein
+Eniwetok
+Flodden
+Fontenoy
+Fort Ticonderoga
+Fredericksburg
+Gettysburg
+Granicus
+Guadalcanal
+Hampton Roads
+Hastings
+Hohenlinden
+Inchon
+Indian Mutiny
+Ipsus
+Issus
+Ivry
+Iwo
+Jena
+Jutland
+Kennesaw Mountain
+Kwajalein
+Lake Trasimenus
+Langside
+Lepanto
+Leuctra
+Lexington
+Leyte
+Little Bighorn
+Lucknow
+Lule Burgas
+Lutzen
+Macedonian War
+Magenta
+Maldon
+Manila Bay
+Mantinea
+Marathon
+Marengo
+Marston Moor
+Metaurus River
+Meuse
+Midway
+Minden
+Monmouth Court House
+Naseby
+Navarino
+Okinawa
+Omdurman
+Operation Desert Storm
+Orleans
+Panipat
+Passero
+Petersburg
+Pharsalus
+Philippi
+Philippine Sea
+Plassey
+Plataea
+Plevna
+Poitiers
+Port Arthur
+Battle of Puebla
+Pydna
+Ravenna
+Rocroi
+Rossbach
+Saint-Mihiel
+Saipan
+Salerno
+Santiago
+Saratoga
+Sempatch
+Shiloh
+Soissons
+Solferino
+Somme
+Somme
+Battle of the Spanish Armada
+Spotsylvania
+Syracuse
+Syracuse
+Tannenberg
+Tarawa
+Tertry
+Teutoburger Wald
+Tewkesbury
+Thermopylae
+Trafalgar
+Trasimeno
+Tsushima
+Valmy
+Verdun
+Vicksburg
+Wagram
+Battle of Wake
+Waterloo
+Wilderness Campaign
+Yalu River
+Yorktown
+Ypres
+Ypres
+Ypres
+Zama
+American Civil War
+American Revolution
+Arab-Israeli War
+Arab-Israeli War
+Balkan Wars
+Boer War
+Chinese Revolution
+Crimean War
+Cuban Revolution
+English Civil War
+English Revolution
+Franco-Prussian War
+French and Indian War
+French Revolution
+Hundred Years' War
+Iran-Iraq War
+Korean War
+Mexican Revolution
+Mexican War
+Napoleonic Wars
+Norman Conquest
+Peloponnesian War
+Persian Gulf War
+Punic War
+Restoration
+Russian Revolution
+Russian Revolution
+Russo-Japanese War
+Seven Years' War
+Spanish-American War
+Spanish Civil War
+Thirty Years' War
+Trojan War
+Vietnam War
+War of Greek Independence
+War of the Austrian Succession
+War of the Grand Alliance
+War of the Spanish Succession
+War of the Roses
+War of 1812
+World War I
+World War II
+Animalia
+recombinant
+conspecific
+carrier
+pest
+critter
+creepy-crawly
+darter
+denizen
+peeper
+homeotherm
+poikilotherm
+range animal
+vermin
+varmint
+scavenger
+bottom-feeder
+bottom-feeder
+bottom lurkers
+work animal
+beast of burden
+draft animal
+pack animal
+domestic animal
+feeder
+feeder
+stocker
+hatchling
+head
+migrator
+molter
+pet
+stayer
+stunt
+pollard
+marine animal
+by-catch
+amphidiploid
+diploid
+haploid
+heteroploid
+polyploid
+female
+hen
+male
+adult
+young
+orphan
+young mammal
+baby
+pup
+wolf pup
+puppy
+cub
+lion cub
+bear cub
+tiger cub
+kit
+suckling
+sire
+dam
+thoroughbred
+giant
+vent
+animalcule
+survivor
+mutant
+carnivore
+herbivore
+insectivore
+acrodont
+pleurodont
+form genus
+horn
+antler
+tuft
+horn
+crest
+topknot
+microorganism
+monad
+aerobe
+anaerobe
+obligate anaerobe
+hybrid
+dihybrid
+monohybrid
+polymorph
+relative
+intestinal flora
+virus
+arbovirus
+capsid
+virion
+adenovirus
+parainfluenza virus
+arenavirus
+Junin virus
+Lassa virus
+lymphocytic choriomeningitis virus
+Machupo virus
+Bunyaviridae
+bunyavirus
+Filoviridae
+filovirus
+Ebola virus
+Marburg virus
+Togaviridae
+alphavirus
+Flaviviridae
+flavivirus
+West Nile virus
+Arenaviridae
+Rhabdoviridae
+vesiculovirus
+Reoviridae
+poxvirus
+myxoma virus
+variola virus
+variola major
+variola minor
+tobacco mosaic virus
+viroid
+bacteriophage
+coliphage
+typhoid bacteriophage
+plant virus
+animal virus
+hepadnavirus
+retrovirus
+human T-cell leukemia virus-1
+human immunodeficiency virus
+myxovirus
+orthomyxovirus
+paramyxovirus
+respiratory syncytial virus
+picornavirus
+poliovirus
+hepatitis A virus
+enterovirus
+coxsackievirus
+echovirus
+rhinovirus
+herpes
+herpes simplex
+herpes simplex 1
+herpes simplex 2
+herpes zoster
+herpes varicella zoster
+Epstein-Barr virus
+cytomegalovirus
+varicella zoster virus
+papovavirus
+human papilloma virus
+polyoma
+rhabdovirus
+lyssavirus
+reovirus
+rotavirus
+parvovirus
+slow virus
+onion yellow-dwarf virus
+potato yellow-dwarf virus
+Monera
+moneran
+animal order
+protoctist order
+division Archaebacteria
+archaebacteria
+methanogen
+halophile
+halobacteria
+thermoacidophile
+bacteria
+acidophil
+probiotic
+bacteroid
+bacillus
+Bacillus anthracis
+Bacillus subtilis
+Yersinia pestis
+coccus
+coccobacillus
+Brucella
+spirillum
+Heliobacter
+Heliobacter pylori
+bacteria order
+bacteria family
+bacteria genus
+bacteria species
+Pseudomonas pyocanea
+Aerobacter
+Aerobacter aerogenes
+Rhizobiaceae
+Rhizobium
+Agrobacterium
+Agrobacterium tumefaciens
+division Eubacteria
+eubacteria
+Eubacteriales
+Bacillaceae
+genus Bacillus
+genus Clostridium
+clostridium
+botulinus
+clostridium perfringens
+Cyanophyta
+Schizophyta
+Schizomycetes
+class Cyanobacteria
+cyanobacteria
+Myxophyceae
+Nostocaceae
+genus Nostoc
+nostoc
+Oscillatoriaceae
+genus Trichodesmium
+trichodesmium
+phototrophic bacteria
+purple bacteria
+Pseudomonadales
+Pseudomonodaceae
+Pseudomonas
+ring rot bacteria
+pseudomonad
+Xanthomonas
+xanthomonad
+Athiorhodaceae
+Nitrobacteriaceae
+Nitrobacter
+nitric bacteria
+Nitrosomonas
+nitrosobacteria
+Thiobacteriaceae
+genus Thiobacillus
+thiobacillus
+thiobacteria
+Spirillaceae
+genus Spirillum
+spirillum
+ratbite fever bacterium
+genus Vibrio
+vibrio
+comma bacillus
+Vibrio fetus
+Bacteroidaceae
+Bacteroides
+Calymmatobacterium
+Calymmatobacterium granulomatis
+Francisella
+Francisella tularensis
+gonococcus
+Corynebacteriaceae
+corynebacterium
+genus Corynebacterium
+Corynebacterium diphtheriae
+genus Listeria
+listeria
+Listeria monocytogenes
+Enterobacteriaceae
+enteric bacteria
+genus Escherichia
+escherichia
+Escherichia coli
+genus Klebsiella
+klebsiella
+genus Salmonella
+salmonella
+Salmonella enteritidis
+Salmonella typhimurium
+typhoid bacillus
+genus Serratia
+Serratia marcescens
+genus Shigella
+shigella
+shiga bacillus
+genus Erwinia
+erwinia
+endospore-forming bacteria
+Rickettsiales
+Rickettsiaceae
+genus Rickettsia
+rickettsia
+tumor virus
+wound tumor virus
+vector
+cosmid
+Chlamydiaceae
+genus Chlamydia
+chlamydia
+Chlamydia psittaci
+Chlamydia trachomatis
+Mycoplasmatales
+Mycoplasmataceae
+genus Mycoplasma
+mycoplasma
+pleuropneumonialike organism
+Legionella pneumophilia
+nitrobacterium
+nitrate bacterium
+nitrite bacterium
+Actinomycetales
+actinomycete
+Actinomycetaceae
+genus Actinomyces
+actinomyces
+Streptomycetaceae
+genus Streptomyces
+streptomyces
+Streptomyces erythreus
+Streptomyces griseus
+potato scab bacteria
+Mycobacteriaceae
+genus Mycobacterium
+mycobacteria
+tubercle bacillus
+penicillin-resistant bacteria
+pus-forming bacteria
+rod
+streptobacillus
+leprosy bacillus
+order Myxobacteria
+Polyangiaceae
+Polyangium
+myxobacteria
+Micrococcaceae
+Micrococcus
+genus Staphylococcus
+staphylococcus
+Lactobacillaceae
+genus Lactobacillus
+lactobacillus
+acidophilus
+genus Diplococcus
+diplococcus
+pneumococcus
+genus Streptococcus
+streptococcus
+Streptococcus anhemolyticus
+Spirochaetales
+Spirochaetaceae
+Spirochaeta
+spirochete
+Treponemataceae
+genus Treponema
+treponema
+genus Borrelia
+borrelia
+Borrelia burgdorferi
+genus Leptospira
+leptospira
+plankton
+phytoplankton
+planktonic algae
+zooplankton
+nekton
+microbe
+parasite
+endoparasite
+ectoparasite
+host
+intermediate host
+definitive host
+pathogen
+commensal
+myrmecophile
+Protoctista
+protoctist
+Protista
+protist
+protoctist family
+protoctist genus
+Pyrrophyta
+Protozoa
+protozoan
+Sarcodina
+sarcodinian
+Actinopoda
+actinopod
+Heliozoa
+heliozoan
+Radiolaria
+radiolarian
+Rhizopoda
+rhizopod
+Amoebida
+genus Amoeba
+Endamoebidae
+Endamoeba
+endameba
+ameba
+Endamoeba histolytica
+Foraminifera
+foram
+Globigerinidae
+genus Globigerina
+globigerina
+Nummulitidae
+nummulite
+Testacea
+testacean
+Arcellidae
+genus Arcella
+arcella
+genus Difflugia
+difflugia
+Ciliata
+ciliate
+Infusoria
+infusorian
+genus Paramecium
+paramecium
+genus Tetrahymena
+tetrahymena
+genus Stentor
+stentor
+genus Vorticella
+vorticella
+alga
+seaweed
+arame
+wrack
+seagrass
+sea wrack
+chlorophyll
+chlorophyll a
+chlorophyll b
+chlorophyll c
+chlorophyll d
+bacteriochlorophyll
+phycobilin
+phycoerythrin
+phycocyanin
+Heterokontophyta
+Chrysophyta
+golden algae
+yellow-green algae
+Chrysophyceae
+Xanthophyceae
+Bacillariophyceae
+diatom
+Heterotrichales
+Tribonemaceae
+Tribonema
+conferva
+confervoid algae
+Phaeophyceae
+Phaeophyta
+brown algae
+Laminariales
+Laminariaceae
+Laminaria
+kelp
+sea tangle
+tang
+Fucales
+Cyclosporeae
+Fucaceae
+fucoid
+fucoid
+rockweed
+genus Fucus
+fucus
+serrated wrack
+bladderwrack
+Ascophyllum
+bladderwrack
+genus Sargassum
+gulfweed
+Euglenophyta
+Euglenophyceae
+Euglenaceae
+genus Euglena
+euglena
+euglenoid
+Chlorophyta
+Chlorophyceae
+green algae
+Ulvophyceae
+Ulvales
+Ulvaceae
+Ulva
+sea lettuce
+Volvocales
+Volvocaceae
+Volvox
+Chlamydomonadaceae
+Chlamydomonas
+Zygnematales
+Zygnemataceae
+Zygnema
+pond scum
+genus Spirogyra
+spirogyra
+Chlorococcales
+Chlorococcum
+genus Chlorella
+chlorella
+Oedogoniales
+Oedogoniaceae
+Oedogonium
+Charophyceae
+Charales
+Characeae
+stonewort
+Chara
+Nitella
+Desmidiaceae
+Desmidium
+desmid
+Rhodophyta
+Rhodophyceae
+red algae
+sea moss
+Gigartinaceae
+Chondrus
+Irish moss
+Rhodymeniaceae
+Rhodymenia
+dulse
+Bangiaceae
+Porphyra
+red laver
+eukaryote
+prokaryote
+zooid
+Mastigophora
+flagellate
+Dinoflagellata
+dinoflagellate
+genus Noctiluca
+noctiluca
+Peridiniidae
+Peridinium
+peridinian
+Zoomastigina
+Leishmania
+zoomastigote
+Hypermastigina
+hypermastigote
+Polymastigina
+polymastigote
+genus Costia
+costia
+genus Giardia
+giardia
+Chilomastix
+Hexamita
+genus Trichomonas
+trichomonad
+Phytomastigina
+plantlike flagellate
+Cryptophyta
+Cryptophyceae
+cryptomonad
+Sporozoa
+sporozoan
+sporozoite
+trophozoite
+merozoite
+Telosporidia
+Coccidia
+Eimeriidae
+genus Eimeria
+coccidium
+Gregarinida
+gregarine
+Haemosporidia
+haemosporidian
+Plasmodiidae
+genus Plasmodium
+plasmodium
+Haemoproteidae
+haemoproteid
+Haemoproteus
+genus Leucocytozoon
+leucocytozoan
+Babesiidae
+genus Babesia
+piroplasm
+Acnidosporidia
+Sarcosporidia
+Sarcocystis
+sarcosporidian
+Haplosporidia
+haplosporidian
+Cnidosporidia
+Actinomyxidia
+actinomyxidian
+Mycrosporidia
+microsporidian
+Myxosporidia
+myxosporidian
+pseudopod
+plasmodium
+Malacopterygii
+soft-finned fish
+Ostariophysi
+fish family
+fish genus
+Cypriniformes
+cypriniform fish
+Cobitidae
+loach
+Cyprinidae
+cyprinid
+carp
+Cyprinus
+domestic carp
+leather carp
+mirror carp
+Abramis
+European bream
+Tinca
+tench
+Leuciscus
+dace
+chub
+shiner
+Notropis
+emerald shiner
+common shiner
+Notemigonus
+golden shiner
+Rutilus
+roach
+Scardinius
+rudd
+Phoxinus
+minnow
+Gobio
+gudgeon
+Carassius
+goldfish
+silverfish
+crucian carp
+Electrophoridae
+Electrophorus
+electric eel
+Catostomidae
+catostomid
+sucker
+Catostomus
+Ictiobus
+buffalo fish
+black buffalo
+Hypentelium
+hog sucker
+Maxostoma
+redhorse
+Cyprinodontidae
+cyprinodont
+killifish
+Fundulus
+mummichog
+striped killifish
+genus Rivulus
+rivulus
+Jordanella
+flagfish
+Xyphophorus
+swordtail
+Lebistes
+guppy
+Poeciliidae
+topminnow
+Gambusia
+mosquitofish
+Platypoecilus
+platy
+Mollienesia
+mollie
+Berycomorphi
+Holocentridae
+Holocentrus
+squirrelfish
+reef squirrelfish
+deepwater squirrelfish
+Holocentrus ascensionis
+soldierfish
+Anomalopidae
+genus Anomalops
+anomalops
+Krypterophaneron
+Photoblepharon
+flashlight fish
+Zeomorphi
+Zeidae
+dory
+Zeus
+John Dory
+Caproidae
+Capros
+boarfish
+Antigonia
+boarfish
+Solenichthyes
+Fistulariidae
+Fistularia
+cornetfish
+Gasterosteidae
+stickleback
+Gasterosteus
+three-spined stickleback
+ten-spined stickleback
+Syngnathidae
+pipefish
+Syngnathus
+dwarf pipefish
+Cosmocampus
+deepwater pipefish
+Hippocampus
+seahorse
+Macrorhamphosidae
+snipefish
+Centriscidae
+shrimpfish
+Aulostomidae
+Aulostomus
+trumpetfish
+cytostome
+cilium
+flagellum
+flame cell
+investment
+pellicle
+embryo
+blastocoel
+blastoderm
+blastomere
+fetus
+monster
+abortus
+egg
+ovipositor
+chalaza
+nit
+spawn
+roe
+roe
+blastula
+blastocyst
+trophoblast
+gastrula
+morula
+archenteron
+blastopore
+layer
+embryonic tissue
+germ layer
+ectoderm
+neural tube
+mesoderm
+chordamesoderm
+mesenchyme
+endoderm
+silkworm seed
+yolk
+yolk sac
+yolk sac
+fang
+fang
+tusk
+Chordata
+chordate
+notochord
+urochord
+chordate family
+chordate genus
+Cephalochordata
+cephalochordate
+Amphioxidae
+genus Amphioxus
+lancelet
+Urochordata
+tunicate
+Ascidiaceae
+ascidian
+siphon
+sea squirt
+Thaliacea
+Salpidae
+genus Salpa
+salp
+Doliolidae
+genus Doliolum
+doliolum
+Larvacea
+larvacean
+genus Appendicularia
+appendicularia
+ascidian tadpole
+Vertebrata
+vertebrate
+Amniota
+amniote
+amnion
+chorion
+chorionic villus
+allantois
+chorioallantois
+aquatic vertebrate
+Agnatha
+jawless vertebrate
+Ostracodermi
+ostracoderm
+Heterostraci
+heterostracan
+Osteostraci
+osteostracan
+Anaspida
+anaspid
+Conodonta
+conodont
+conodont
+Cyclostomata
+cyclostome
+Petromyzoniformes
+Petromyzontidae
+lamprey
+Petromyzon
+sea lamprey
+Myxiniformes
+Myxinidae
+hagfish
+Myxine
+Myxine glutinosa
+genus Eptatretus
+eptatretus
+Myxinikela
+Myxinikela siroka
+Gnathostomata
+gnathostome
+Placodermi
+placoderm
+Chondrichthyes
+cartilaginous fish
+Holocephali
+holocephalan
+Chimaeridae
+genus Chimaera
+chimaera
+rabbitfish
+Elasmobranchii
+elasmobranch
+shark
+Hexanchidae
+Hexanchus
+cow shark
+Lamnidae
+Isuridae
+mackerel shark
+Lamna
+porbeagle
+Isurus
+mako
+shortfin mako
+longfin mako
+bonito shark
+Carcharodon
+great white shark
+Cetorhinus
+Cetorhinidae
+basking shark
+Alopiidae
+Alopius
+thresher
+Orectolobidae
+Orectolobus
+carpet shark
+Ginglymostoma
+nurse shark
+Carchariidae
+Carcharias
+sand tiger
+Rhincodontidae
+Rhincodon
+whale shark
+Scyliorhinidae
+cat shark
+Carcharhinidae
+requiem shark
+Carcharhinus
+bull shark
+sandbar shark
+blacktip shark
+whitetip shark
+dusky shark
+Negaprion
+lemon shark
+Prionace
+blue shark
+Galeocerdo
+tiger shark
+Galeorhinus
+soupfin shark
+dogfish
+Triakidae
+Mustelus
+smooth dogfish
+smoothhound
+American smooth dogfish
+Florida smoothhound
+Triaenodon
+whitetip shark
+Squalidae
+spiny dogfish
+Squalus
+Atlantic spiny dogfish
+Pacific spiny dogfish
+Sphyrnidae
+Sphyrna
+hammerhead
+smooth hammerhead
+smalleye hammerhead
+shovelhead
+Squatinidae
+Squatina
+angel shark
+ray
+Torpediniformes
+Torpedinidae
+electric ray
+Rajiformes
+Pristidae
+sawfish
+Pristis
+smalltooth sawfish
+Rhinobatidae
+guitarfish
+Dasyatidae
+stingray
+Dasyatis
+roughtail stingray
+Gymnura
+butterfly ray
+Myliobatidae
+eagle ray
+Aetobatus
+spotted eagle ray
+Rhinoptera
+cownose ray
+Mobulidae
+manta
+genus Manta
+Atlantic manta
+Mobula
+devil ray
+Rajidae
+skate
+Raja
+grey skate
+little skate
+thorny skate
+barndoor skate
+Aves
+bird
+dickeybird
+fledgling
+nestling
+bird family
+bird genus
+breast
+throat
+cock
+gamecock
+hen
+nester
+night bird
+night raven
+bird of passage
+genus Protoavis
+protoavis
+Archaeornithes
+genus Archaeopteryx
+archaeopteryx
+genus Sinornis
+Sinornis
+genus Ibero-mesornis
+Ibero-mesornis
+genus Archaeornis
+archaeornis
+ratite
+carinate
+Ratitae
+Struthioniformes
+Struthionidae
+Struthio
+ostrich
+Casuariiformes
+Casuaridae
+Casuarius
+cassowary
+Dromaius
+emu
+Apterygiformes
+Apterygidae
+genus Apteryx
+kiwi
+Rheiformes
+Rheidae
+genus Rhea
+rhea
+Pterocnemia
+rhea
+Aepyorniformes
+Aepyornidae
+genus Aepyornis
+elephant bird
+Dinornithiformes
+Dinornithidae
+Dinornis
+moa
+giant moa
+genus Anomalopteryx
+anomalopteryx
+Insessores
+Passeriformes
+passerine
+nonpasserine bird
+Oscines
+oscine
+songbird
+Meliphagidae
+honey eater
+Prunellidae
+Prunella
+accentor
+hedge sparrow
+Alaudidae
+lark
+Alauda
+skylark
+Motacillidae
+Motacilla
+wagtail
+Anthus
+pipit
+meadow pipit
+Fringillidae
+finch
+Fringilla
+chaffinch
+brambling
+Carduelinae
+Carduelis
+goldfinch
+linnet
+siskin
+red siskin
+redpoll
+redpoll
+Spinus
+New World goldfinch
+pine siskin
+Carpodacus
+house finch
+purple finch
+Serinus
+canary
+common canary
+serin
+Loxia
+crossbill
+Pyrrhula
+bullfinch
+genus Junco
+junco
+dark-eyed junco
+New World sparrow
+Pooecetes
+vesper sparrow
+Zonotrichia
+white-throated sparrow
+white-crowned sparrow
+Spizella
+chipping sparrow
+field sparrow
+tree sparrow
+Melospiza
+song sparrow
+swamp sparrow
+Emberizidae
+bunting
+Passerina
+indigo bunting
+Emberiza
+ortolan
+reed bunting
+yellowhammer
+yellow-breasted bunting
+Plectrophenax
+snow bunting
+Coerebidae
+honeycreeper
+Coereba
+banana quit
+Passeridae
+sparrow
+Passer
+English sparrow
+tree sparrow
+grosbeak
+Hesperiphona
+evening grosbeak
+Coccothraustes
+hawfinch
+Pinicola
+pine grosbeak
+Richmondena
+cardinal
+genus Pyrrhuloxia
+pyrrhuloxia
+towhee
+Pipilo
+chewink
+Chlorura
+green-tailed towhee
+Ploceidae
+weaver
+Ploceus
+baya
+Vidua
+whydah
+Padda
+Java sparrow
+Estrilda
+avadavat
+Poephila
+grassfinch
+zebra finch
+Drepanididae
+honeycreeper
+Drepanis
+mamo
+Menurae
+Menuridae
+Menura
+lyrebird
+Atrichornithidae
+Atrichornis
+scrubbird
+Eurylaimi
+Eurylaimidae
+broadbill
+Tyranni
+tyrannid
+Clamatores
+Tyrannidae
+New World flycatcher
+Tyrannus
+kingbird
+Arkansas kingbird
+Cassin's kingbird
+eastern kingbird
+grey kingbird
+Contopus
+pewee
+western wood pewee
+Sayornis
+phoebe
+Pyrocephalus
+vermillion flycatcher
+Cotingidae
+genus Cotinga
+cotinga
+Rupicola
+cock of the rock
+cock of the rock
+Pipridae
+Pipra
+manakin
+Procnias
+bellbird
+Cephalopterus
+umbrella bird
+Furnariidae
+Furnarius
+ovenbird
+Formicariidae
+antbird
+Formicarius
+ant thrush
+Thamnophilus
+ant shrike
+Hylophylax
+spotted antbird
+Dendrocolaptidae
+Dendrocolaptes
+woodhewer
+Pittidae
+genus Pitta
+pitta
+Muscivora
+scissortail
+Muscicapidae
+Old World flycatcher
+Muscicapa
+spotted flycatcher
+Pachycephala
+thickhead
+Turdidae
+Turdinae
+thrush
+Turdus
+missel thrush
+song thrush
+fieldfare
+redwing
+blackbird
+ring ouzel
+robin
+clay-colored robin
+Hylocichla
+hermit thrush
+veery
+wood thrush
+Luscinia
+nightingale
+thrush nightingale
+bulbul
+Saxicola
+Old World chat
+stonechat
+whinchat
+Myadestes
+solitaire
+Phoenicurus
+redstart
+Oenanthe
+wheatear
+Sialia
+bluebird
+Erithacus
+robin
+bluethroat
+Sylviidae
+Sylviinae
+warbler
+Polioptila
+gnatcatcher
+Regulus
+kinglet
+goldcrest
+gold-crowned kinglet
+ruby-crowned kinglet
+Old World warbler
+Silvia
+blackcap
+greater whitethroat
+lesser whitethroat
+Phylloscopus
+wood warbler
+Acrocephalus
+sedge warbler
+Prinia
+wren warbler
+Orthotomus
+tailorbird
+Timaliidae
+Timalia
+babbler
+Parulidae
+New World warbler
+Parula
+parula warbler
+Wilson's warbler
+Setophaga
+flycatching warbler
+American redstart
+Dendroica
+Cape May warbler
+yellow warbler
+Blackburn
+Audubon's warbler
+myrtle warbler
+blackpoll
+Icteria
+New World chat
+yellow-breasted chat
+Seiurus
+ovenbird
+water thrush
+Geothlypis
+yellowthroat
+common yellowthroat
+Paradisaeidae
+bird of paradise
+Ptloris
+riflebird
+Icteridae
+New World oriole
+Icterus
+northern oriole
+Baltimore oriole
+Bullock's oriole
+orchard oriole
+Sturnella
+meadowlark
+eastern meadowlark
+western meadowlark
+Cacicus
+cacique
+Dolichonyx
+bobolink
+New World blackbird
+Quiscalus
+grackle
+purple grackle
+Euphagus
+rusty blackbird
+Molothrus
+cowbird
+Agelaius
+red-winged blackbird
+Oriolidae
+Old World oriole
+Oriolus
+golden oriole
+Sphecotheres
+fig-bird
+Sturnidae
+starling
+Sturnus
+common starling
+Pastor
+rose-colored starling
+myna
+Acridotheres
+crested myna
+Gracula
+hill myna
+Corvidae
+corvine bird
+Corvus
+crow
+American crow
+raven
+rook
+jackdaw
+chough
+Garrulinae
+jay
+Garrulus
+Old World jay
+common European jay
+Cyanocitta
+New World jay
+blue jay
+Perisoreus
+Canada jay
+Rocky Mountain jay
+Nucifraga
+nutcracker
+common nutcracker
+Clark's nutcracker
+Pica
+magpie
+European magpie
+American magpie
+Cracticidae
+Australian magpie
+Cracticus
+butcherbird
+Strepera
+currawong
+Gymnorhina
+piping crow
+Troglodytidae
+wren
+Troglodytes
+winter wren
+house wren
+Cistothorus
+marsh wren
+long-billed marsh wren
+sedge wren
+Salpinctes
+rock wren
+Thryothorus
+Carolina wren
+Campylorhynchus
+cactus wren
+Mimidae
+Mimus
+mockingbird
+Melanotis
+blue mockingbird
+Dumetella
+catbird
+Toxostoma
+thrasher
+brown thrasher
+Xenicidae
+New Zealand wren
+Xenicus
+rock wren
+Acanthisitta
+rifleman bird
+Certhiidae
+creeper
+Certhia
+brown creeper
+European creeper
+Tichodroma
+wall creeper
+Sittidae
+nuthatch
+Sitta
+European nuthatch
+red-breasted nuthatch
+white-breasted nuthatch
+Paridae
+titmouse
+Parus
+chickadee
+black-capped chickadee
+tufted titmouse
+Carolina chickadee
+blue tit
+Psaltriparus
+bushtit
+Chamaea
+wren-tit
+Auriparus
+verdin
+Irenidae
+Irena
+fairy bluebird
+Hirundinidae
+swallow
+Hirundo
+barn swallow
+cliff swallow
+tree swallow
+Iridoprocne
+white-bellied swallow
+martin
+Delichon
+house martin
+Riparia
+bank martin
+Progne
+purple martin
+Artamidae
+Artamus
+wood swallow
+Thraupidae
+tanager
+Piranga
+scarlet tanager
+western tanager
+summer tanager
+hepatic tanager
+Laniidae
+shrike
+Lanius
+butcherbird
+European shrike
+northern shrike
+white-rumped shrike
+loggerhead shrike
+migrant shrike
+Malaconotinae
+bush shrike
+Chlorophoneus
+black-fronted bush shrike
+Ptilonorhynchidae
+bowerbird
+Ptilonorhynchus
+satin bowerbird
+Chlamydera
+great bowerbird
+Cinclidae
+water ouzel
+Cinclus
+European water ouzel
+American water ouzel
+Vireonidae
+genus Vireo
+vireo
+red-eyed vireo
+solitary vireo
+blue-headed vireo
+Bombycillidae
+Bombycilla
+waxwing
+cedar waxwing
+Bohemian waxwing
+Raptores
+bird of prey
+Falconiformes
+Accipitriformes
+Accipitridae
+hawk
+eyas
+tiercel
+Accipiter
+goshawk
+sparrow hawk
+Cooper's hawk
+chicken hawk
+Buteo
+buteonine
+redtail
+rough-legged hawk
+red-shouldered hawk
+buzzard
+Pernis
+honey buzzard
+kite
+Milvus
+black kite
+Elanoides
+swallow-tailed kite
+Elanus
+white-tailed kite
+Circus
+harrier
+marsh harrier
+Montagu's harrier
+marsh hawk
+Circaetus
+harrier eagle
+Falconidae
+falcon
+Falco
+peregrine
+falcon-gentle
+gyrfalcon
+kestrel
+sparrow hawk
+pigeon hawk
+hobby
+caracara
+Polyborus
+Audubon's caracara
+carancha
+eagle
+young bird
+eaglet
+Harpia
+harpy
+Aquila
+golden eagle
+tawny eagle
+ringtail
+Haliaeetus
+bald eagle
+sea eagle
+Kamchatkan sea eagle
+ern
+fishing eagle
+Pandionidae
+Pandion
+osprey
+vulture
+Aegypiidae
+Old World vulture
+Gyps
+griffon vulture
+Gypaetus
+bearded vulture
+Neophron
+Egyptian vulture
+Aegypius
+black vulture
+Sagittariidae
+Sagittarius
+secretary bird
+Cathartidae
+New World vulture
+Cathartes
+buzzard
+condor
+Vultur
+Andean condor
+Gymnogyps
+California condor
+Coragyps
+black vulture
+Sarcorhamphus
+king vulture
+Strigiformes
+owl
+owlet
+Strigidae
+Athene
+little owl
+Bubo
+horned owl
+great horned owl
+Strix
+great grey owl
+tawny owl
+barred owl
+Otus
+screech owl
+screech owl
+scops owl
+spotted owl
+Old World scops owl
+Oriental scops owl
+hoot owl
+Surnia
+hawk owl
+Asio
+long-eared owl
+Sceloglaux
+laughing owl
+Tytonidae
+Tyto
+barn owl
+amphibia
+amphibian family
+amphibian genus
+amphibian
+Hynerpeton
+Hynerpeton bassetti
+genus Ichthyostega
+Ichyostega
+Urodella
+urodele
+Salamandridae
+Salamandra
+salamander
+European fire salamander
+spotted salamander
+alpine salamander
+newt
+Triturus
+common newt
+Notophthalmus
+red eft
+Taricha
+Pacific newt
+rough-skinned newt
+California newt
+eft
+Ambystomatidae
+Ambystoma
+ambystomid
+mole salamander
+spotted salamander
+tiger salamander
+axolotl
+waterdog
+Cryptobranchidae
+Cryptobranchus
+hellbender
+Megalobatrachus
+giant salamander
+Proteidae
+Proteus
+olm
+Necturus
+mud puppy
+Dicamptodontidae
+genus Dicamptodon
+dicamptodon
+Pacific giant salamander
+Rhyacotriton
+olympic salamander
+Plethodontidae
+Plethodon
+lungless salamander
+eastern red-backed salamander
+western red-backed salamander
+Desmograthus
+dusky salamander
+Aneides
+climbing salamander
+arboreal salamander
+Batrachoseps
+slender salamander
+Hydromantes
+web-toed salamander
+Shasta salamander
+limestone salamander
+Amphiumidae
+genus Amphiuma
+amphiuma
+Sirenidae
+genus Siren
+siren
+Salientia
+frog
+Ranidae
+Rana
+true frog
+wood-frog
+leopard frog
+bullfrog
+green frog
+cascades frog
+goliath frog
+pickerel frog
+tarahumara frog
+grass frog
+Leptodactylidae
+leptodactylid frog
+Eleutherodactylus
+robber frog
+Hylactophryne
+barking frog
+Leptodactylus
+crapaud
+Polypedatidae
+Polypedates
+tree frog
+Ascaphidae
+Ascaphus
+tailed frog
+Leiopelmatidae
+Leiopelma
+Liopelma hamiltoni
+Bufonidae
+true toad
+genus Bufo
+bufo
+agua
+European toad
+natterjack
+American toad
+Eurasian green toad
+American green toad
+Yosemite toad
+Texas toad
+southwestern toad
+western toad
+Discoglossidae
+Alytes
+obstetrical toad
+midwife toad
+Bombina
+fire-bellied toad
+Pelobatidae
+Scaphiopus
+spadefoot
+western spadefoot
+southern spadefoot
+plains spadefoot
+Hylidae
+tree toad
+Hyla
+spring peeper
+Pacific tree toad
+canyon treefrog
+chameleon tree frog
+Acris
+cricket frog
+northern cricket frog
+eastern cricket frog
+Pseudacris
+chorus frog
+Pternohyla
+lowland burrowing treefrog
+Microhylidae
+Gastrophryne
+western narrow-mouthed toad
+eastern narrow-mouthed toad
+Hypopachus
+sheep frog
+Pipidae
+tongueless frog
+Pipa
+Surinam toad
+Xenopodidae
+Xenopus
+African clawed frog
+South American poison toad
+Gymnophiona
+Caeciliidae
+caecilian
+Labyrinthodontia
+labyrinthodont
+Stereospondyli
+Stegocephalia
+Temnospondyli
+reptile family
+reptile genus
+Reptilia
+reptile
+Anapsida
+anapsid
+diapsid
+Diapsida
+Chelonia
+chelonian
+turtle
+Cheloniidae
+sea turtle
+Chelonia
+green turtle
+Caretta
+loggerhead
+Lepidochelys
+ridley
+Atlantic ridley
+Pacific ridley
+Eretmochelys
+hawksbill turtle
+Dermochelyidae
+Dermochelys
+leatherback turtle
+Chelydridae
+snapping turtle
+Chelydra
+common snapping turtle
+Macroclemys
+alligator snapping turtle
+Kinosternidae
+Kinosternon
+mud turtle
+Sternotherus
+musk turtle
+Emydidae
+terrapin
+Malaclemys
+diamondback terrapin
+Pseudemys
+red-bellied terrapin
+slider
+cooter
+Terrapene
+box turtle
+Western box turtle
+Chrysemys
+painted turtle
+Testudinidae
+tortoise
+Testudo
+European tortoise
+Geochelone
+giant tortoise
+Gopherus
+gopher tortoise
+Xerobates
+desert tortoise
+Texas tortoise
+Trionychidae
+soft-shelled turtle
+Trionyx
+spiny softshell
+smooth softshell
+Lepidosauria
+Rhynchocephalia
+Sphenodon
+tuatara
+Squamata
+Sauria
+saurian
+lizard
+Gekkonidae
+gecko
+Ptychozoon
+flying gecko
+Coleonyx
+banded gecko
+Pygopodidae
+Pygopus
+Iguanidae
+iguanid
+genus Iguana
+common iguana
+Amblyrhynchus
+marine iguana
+Dipsosaurus
+desert iguana
+Sauromalus
+chuckwalla
+Callisaurus
+zebra-tailed lizard
+Uma
+fringe-toed lizard
+Holbrookia
+earless lizard
+Crotaphytus
+collared lizard
+Gambelia
+leopard lizard
+Sceloporus
+spiny lizard
+fence lizard
+western fence lizard
+eastern fence lizard
+sagebrush lizard
+Uta
+side-blotched lizard
+Urosaurus
+tree lizard
+Phrynosoma
+horned lizard
+Texas horned lizard
+Basiliscus
+basilisk
+Anolis
+American chameleon
+Amphisbaenidae
+Amphisbaena
+worm lizard
+Xantusiidae
+night lizard
+Scincidae
+Scincus
+Scincella
+skink
+Eumeces
+western skink
+mountain skink
+Cordylidae
+Cordylus
+Teiidae
+teiid lizard
+Cnemidophorus
+whiptail
+racerunner
+plateau striped whiptail
+Chihuahuan spotted whiptail
+western whiptail
+checkered whiptail
+Tupinambis
+teju
+caiman lizard
+Agamidae
+agamid
+genus Agama
+agama
+Chlamydosaurus
+frilled lizard
+Draco
+dragon
+genus Moloch
+moloch
+mountain devil
+Anguidae
+anguid lizard
+Gerrhonotus
+alligator lizard
+Anguis
+blindworm
+Ophisaurus
+glass lizard
+Xenosauridae
+Xenosaurus
+Anniellidae
+legless lizard
+Lanthanotidae
+Lanthanotus
+Lanthanotus borneensis
+Helodermatidae
+venomous lizard
+Heloderma
+Gila monster
+beaded lizard
+Lacertidae
+lacertid lizard
+Lacerta
+sand lizard
+green lizard
+Chamaeleontidae
+chameleon
+Chamaeleo
+African chameleon
+horned chameleon
+Varanidae
+Varanus
+monitor
+African monitor
+Komodo dragon
+Archosauria
+archosaur
+Saurosuchus
+Proterochampsa
+Crocodylia
+Loricata
+crocodilian reptile
+Crocodylidae
+Crocodylus
+crocodile
+African crocodile
+Asian crocodile
+Morlett's crocodile
+Tomistoma
+false gavial
+Alligatoridae
+genus Alligator
+alligator
+American alligator
+Chinese alligator
+genus Caiman
+caiman
+spectacled caiman
+Gavialidae
+Gavialis
+gavial
+dinosaur
+Ornithischia
+ornithischian
+genus Pisanosaurus
+pisanosaur
+genus Staurikosaurus
+staurikosaur
+Thyreophora
+armored dinosaur
+genus Stegosaurus
+stegosaur
+genus Ankylosaurus
+ankylosaur
+Edmontonia
+Marginocephalia
+suborder Pachycephalosaurus
+bone-headed dinosaur
+pachycephalosaur
+Ceratopsia
+ceratopsian
+Ceratopsidae
+genus Protoceratops
+protoceratops
+genus Triceratops
+triceratops
+genus Styracosaurus
+styracosaur
+genus Psittacosaurus
+psittacosaur
+Euronithopoda
+ornithopod
+Hadrosauridae
+hadrosaur
+genus Anatotitan
+anatotitan
+genus Corythosaurus
+corythosaur
+genus Edmontosaurus
+edmontosaurus
+genus Trachodon
+trachodon
+Iguanodontidae
+genus Iguanodon
+iguanodon
+Saurischia
+saurischian
+Sauropodomorpha
+Prosauropoda
+Sauropoda
+sauropod
+genus Apatosaurus
+apatosaur
+genus Barosaurus
+barosaur
+genus Diplodocus
+diplodocus
+Titanosauridae
+Titanosaurus
+titanosaur
+genus Argentinosaurus
+argentinosaur
+Seismosaurus
+ground-shaker
+Theropoda
+theropod
+suborder Ceratosaura
+genus Ceratosaurus
+ceratosaur
+genus Coelophysis
+coelophysis
+Carnosaura
+carnosaur
+genus Tyrannosaurus
+tyrannosaur
+genus Allosaurus
+allosaur
+genus Compsognathus
+compsognathus
+genus Herrerasaurus
+herrerasaur
+genus Eoraptor
+eoraptor
+Megalosauridae
+genus Megalosaurus
+megalosaur
+Ornithomimida
+ornithomimid
+genus Struthiomimus
+struthiomimus
+genus Deinocheirus
+deinocheirus
+Maniraptora
+maniraptor
+oviraptorid
+genus Velociraptor
+velociraptor
+Dromaeosauridae
+dromaeosaur
+genus Deinonychus
+deinonychus
+genus Utahraptor
+utahraptor
+genus Mononychus
+Mononychus olecranus
+Synapsida
+synapsid
+Therapsida
+therapsid
+Chronoperates
+Chronoperates paradoxus
+Cynodontia
+cynodont
+Exaeretodon
+Dicynodontia
+dicynodont
+Ischigualastia
+Ictodosauria
+ictodosaur
+Pelycosauria
+pelycosaur
+Edaphosauridae
+genus Edaphosaurus
+edaphosaurus
+genus Dimetrodon
+dimetrodon
+Pterosauria
+pterosaur
+Pterodactylidae
+Pterodactylus
+pterodactyl
+Thecodontia
+thecodont
+Ichthyosauria
+ichthyosaur
+Ichthyosauridae
+genus Ichthyosaurus
+ichthyosaurus
+genus Stenopterygius
+stenopterygius
+Sauropterygia
+Plesiosauria
+genus Plesiosaurus
+plesiosaur
+Nothosauria
+genus Nothosaurus
+nothosaur
+Serpentes
+snake
+Colubridae
+colubrid snake
+hoop snake
+Carphophis
+thunder snake
+Diadophis
+ringneck snake
+Heterodon
+hognose snake
+Phyllorhynchus
+leaf-nosed snake
+Opheodrys
+green snake
+smooth green snake
+rough green snake
+Chlorophis
+green snake
+Coluber
+racer
+blacksnake
+blue racer
+horseshoe whipsnake
+Masticophis
+whip-snake
+coachwhip
+California whipsnake
+Sonoran whipsnake
+rat snake
+Elaphe
+corn snake
+black rat snake
+chicken snake
+Ptyas
+Indian rat snake
+Arizona
+glossy snake
+Pituophis
+bull snake
+gopher snake
+pine snake
+Lampropeltis
+king snake
+common kingsnake
+milk snake
+Thamnophis
+garter snake
+common garter snake
+ribbon snake
+Western ribbon snake
+Tropidoclonion
+lined snake
+Sonora
+ground snake
+Potamophis
+Haldea
+eastern ground snake
+water snake
+Natrix
+Nerodia
+common water snake
+water moccasin
+grass snake
+viperine grass snake
+Storeria
+red-bellied snake
+Chilomeniscus
+sand snake
+banded sand snake
+Tantilla
+black-headed snake
+Oxybelis
+vine snake
+Trimorphodon
+lyre snake
+Sonoran lyre snake
+Hypsiglena
+night snake
+Typhlopidae
+Leptotyphlopidae
+blind snake
+Leptotyphlops
+western blind snake
+Drymarchon
+indigo snake
+eastern indigo snake
+constrictor
+Boidae
+boa
+boa constrictor
+Charina
+rubber boa
+Lichanura
+rosy boa
+Eunectes
+anaconda
+Pythoninae
+Pythonidae
+python
+genus Python
+carpet snake
+reticulated python
+Indian python
+rock python
+amethystine python
+Elapidae
+elapid
+coral snake
+Micrurus
+eastern coral snake
+Micruroides
+western coral snake
+coral snake
+Calliophis
+Asian coral snake
+Aspidelaps
+African coral snake
+Rhynchoelaps
+Australian coral snake
+Denisonia
+copperhead
+Naja
+cobra
+hood
+Indian cobra
+asp
+Ophiophagus
+black-necked cobra
+hamadryad
+Hemachatus
+ringhals
+Dendroaspis
+mamba
+black mamba
+green mamba
+Acanthophis
+death adder
+Notechis
+tiger snake
+Pseudechis
+Australian blacksnake
+Bungarus
+krait
+banded krait
+Oxyuranus
+taipan
+Hydrophidae
+sea snake
+Viperidae
+viper
+Vipera
+adder
+asp
+Bitis
+puff adder
+gaboon viper
+genus Cerastes
+horned viper
+Crotalidae
+pit viper
+Agkistrodon
+copperhead
+water moccasin
+rattle
+rattlesnake
+Crotalus
+diamondback
+timber rattlesnake
+canebrake rattlesnake
+prairie rattlesnake
+sidewinder
+Western diamondback
+rock rattlesnake
+tiger rattlesnake
+Mojave rattlesnake
+speckled rattlesnake
+Sistrurus
+massasauga
+ground rattler
+Bothrops
+fer-de-lance
+beak
+beak
+cere
+carcase
+carrion
+roadkill
+arthropod family
+arthropod genus
+Arthropoda
+arthropod
+trilobite
+Chelicerata
+chelicera
+mouthpart
+Arachnida
+arachnid
+Phalangida
+Phalangiidae
+Phalangium
+harvestman
+Scorpionida
+scorpion
+Chelonethida
+false scorpion
+Chelifer
+book scorpion
+Pedipalpi
+whip-scorpion
+Mastigoproctus
+vinegarroon
+Araneae
+spider
+orb-weaving spider
+Argiopidae
+Argiope
+black and gold garden spider
+Aranea
+barn spider
+garden spider
+Theridiidae
+comb-footed spider
+Latrodectus
+black widow
+Theraphosidae
+tarantula
+Lycosidae
+wolf spider
+Lycosa
+European wolf spider
+Ctenizidae
+trap-door spider
+Acarina
+acarine
+tick
+Ixodidae
+hard tick
+Ixodes
+Ixodes dammini
+Ixodes neotomae
+Ixodes pacificus
+Ixodes scapularis
+sheep-tick
+Ixodes persulcatus
+Ixodes dentatus
+Ixodes spinipalpis
+Dermacentor
+wood tick
+Argasidae
+soft tick
+mite
+web-spinning mite
+Acaridae
+acarid
+Trombidiidae
+trombidiid
+Trombiculidae
+trombiculid
+Trombicula
+harvest mite
+Sarcoptidae
+Sarcoptes
+acarus
+itch mite
+rust mite
+Tetranychidae
+spider mite
+Panonychus
+red spider
+superclass Myriapoda
+myriapod
+Pauropoda
+Symphyla
+Scutigerella
+garden centipede
+Tardigrada
+tardigrade
+Chilopoda
+centipede
+prehensor
+toxicognath
+fang
+Scutigeridae
+Scutigera
+house centipede
+Geophilomorpha
+Geophilidae
+Geophilus
+Diplopoda
+millipede
+Pycnogonida
+sea spider
+Merostomata
+Xiphosura
+Limulidae
+Limulus
+horseshoe crab
+Tachypleus
+Asian horseshoe crab
+Eurypterida
+eurypterid
+Pentastomida
+tongue worm
+Galliformes
+gallinaceous bird
+domestic fowl
+Dorking
+Plymouth Rock
+Cornish
+Rock Cornish
+game fowl
+cochin
+Gallus
+jungle fowl
+jungle cock
+jungle hen
+red jungle fowl
+chicken
+bantam
+chick
+cock
+comb
+cockerel
+capon
+hen
+cackler
+brood hen
+mother hen
+layer
+pullet
+spring chicken
+Rhode Island red
+Dominique
+Orpington
+Meleagrididae
+Meleagris
+turkey
+turkey cock
+Agriocharis
+ocellated turkey
+Tetraonidae
+grouse
+Lyrurus
+black grouse
+European black grouse
+Asian black grouse
+blackcock
+greyhen
+Lagopus
+ptarmigan
+red grouse
+moorhen
+moorcock
+Tetrao
+capercaillie
+Canachites
+spruce grouse
+Centrocercus
+sage grouse
+Bonasa
+ruffed grouse
+Pedioecetes
+sharp-tailed grouse
+Tympanuchus
+prairie chicken
+greater prairie chicken
+lesser prairie chicken
+heath hen
+Cracidae
+guan
+Crax
+curassow
+Penelope
+Pipile
+piping guan
+Ortalis
+chachalaca
+Texas chachalaca
+Megapodiidae
+Megapodius
+megapode
+genus Leipoa
+mallee fowl
+mallee hen
+Alectura
+brush turkey
+Macrocephalon
+maleo
+Phasianidae
+phasianid
+Phasianus
+pheasant
+ring-necked pheasant
+genus Afropavo
+afropavo
+Argusianus
+argus
+Chrysolophus
+golden pheasant
+Colinus
+bobwhite
+northern bobwhite
+Coturnix
+Old World quail
+migratory quail
+Lophophorus
+monal
+Odontophorus
+Pavo
+peafowl
+peachick
+peacock
+peahen
+blue peafowl
+green peafowl
+quail
+Lofortyx
+California quail
+genus Tragopan
+tragopan
+Perdicidae
+partridge
+Perdix
+Hungarian partridge
+Alectoris
+red-legged partridge
+Greek partridge
+Oreortyx
+mountain quail
+Numididae
+Numida
+guinea fowl
+guinea hen
+Opisthocomidae
+Opisthocomus
+hoatzin
+Tinamiformes
+Tinamidae
+tinamou
+Columbiformes
+columbiform bird
+Raphidae
+Raphus
+dodo
+Pezophaps
+solitaire
+Columbidae
+pigeon
+pouter pigeon
+dove
+Columba
+rock dove
+band-tailed pigeon
+wood pigeon
+Streptopelia
+turtledove
+Streptopelia turtur
+ringdove
+Stictopelia
+Australian turtledove
+Zenaidura
+mourning dove
+domestic pigeon
+squab
+fairy swallow
+roller
+homing pigeon
+carrier pigeon
+Ectopistes
+passenger pigeon
+Pteroclididae
+sandgrouse
+Pterocles
+painted sandgrouse
+pin-tailed sandgrouse
+Syrrhaptes
+pallas's sandgrouse
+Psittaciformes
+parrot
+popinjay
+poll
+Psittacidae
+Psittacus
+African grey
+Amazona
+amazon
+Ara
+macaw
+Nestor
+kea
+Kakatoe
+cockatoo
+sulphur-crested cockatoo
+pink cockatoo
+Nymphicus
+cockateel
+Agapornis
+lovebird
+Loriinae
+lory
+lorikeet
+Glossopsitta
+varied Lorikeet
+Trichoglossus
+rainbow lorikeet
+parakeet
+Conuropsis
+Carolina parakeet
+Melopsittacus
+budgerigar
+Psittacula
+ring-necked parakeet
+Cuculiformes
+cuculiform bird
+Cuculidae
+cuckoo
+Cuculus
+European cuckoo
+Coccyzus
+black-billed cuckoo
+Geococcyx
+roadrunner
+Crotophaga
+ani
+Centropus
+coucal
+crow pheasant
+pheasant coucal
+Musophagidae
+Musophaga
+touraco
+Coraciiformes
+Picariae
+coraciiform bird
+Coraciidae
+roller
+Coracias
+European roller
+ground roller
+Alcedinidae
+halcyon
+kingfisher
+Alcedo
+Eurasian kingfisher
+Ceryle
+belted kingfisher
+Dacelo
+Halcyon
+kookaburra
+Meropidae
+Merops
+bee eater
+Bucerotidae
+Buceros
+hornbill
+Upupidae
+Upupa
+hoopoe
+Euopean hoopoe
+Phoeniculidae
+Phoeniculus
+wood hoopoe
+Momotidae
+Momotus
+motmot
+Todidae
+Todus
+tody
+Apodiformes
+apodiform bird
+Apodidae
+swift
+Apus
+European swift
+Chateura
+chimney swift
+Collocalia
+swiftlet
+Hemiprocnidae
+tree swift
+Trochilidae
+hummingbird
+Archilochus
+Archilochus colubris
+Chalcostigma
+Ramphomicron
+thornbill
+Caprimulgiformes
+caprimulgiform bird
+Caprimulgidae
+goatsucker
+Caprimulgus
+European goatsucker
+chuck-will's-widow
+whippoorwill
+Chordeiles
+nighthawk
+Phalaenoptilus
+poorwill
+Podargidae
+Podargus
+frogmouth
+Steatornithidae
+Steatornis
+oilbird
+Piciformes
+piciform bird
+Picidae
+woodpecker
+Picus
+green woodpecker
+Picoides
+downy woodpecker
+Colaptes
+flicker
+yellow-shafted flicker
+gilded flicker
+red-shafted flicker
+Campephilus
+ivorybill
+Melanerpes
+redheaded woodpecker
+Sphyrapicus
+sapsucker
+yellow-bellied sapsucker
+red-breasted sapsucker
+Jynx
+wryneck
+Picumnus
+piculet
+Capitonidae
+barbet
+Bucconidae
+puffbird
+Indicatoridae
+honey guide
+Galbulidae
+jacamar
+Ramphastidae
+toucan
+Aulacorhyncus
+toucanet
+Trogoniformes
+Trogonidae
+genus Trogon
+trogon
+Pharomacrus
+quetzal
+resplendent quetzel
+aquatic bird
+waterfowl
+Anseriformes
+anseriform bird
+Anatidae
+Anseres
+duck
+drake
+quack-quack
+duckling
+diving duck
+dabbling duck
+Anas
+mallard
+black duck
+teal
+greenwing
+bluewing
+garganey
+widgeon
+American widgeon
+shoveler
+pintail
+Tadorna
+sheldrake
+shelduck
+Oxyura
+ruddy duck
+Bucephala
+bufflehead
+goldeneye
+Barrow's goldeneye
+Aythya
+canvasback
+pochard
+redhead
+scaup
+greater scaup
+lesser scaup
+wild duck
+Aix
+wood duck
+wood drake
+mandarin duck
+Cairina
+muscovy duck
+sea duck
+Somateria
+eider
+Melanitta
+scoter
+common scoter
+Clangula
+old squaw
+Merginae
+Mergus
+merganser
+goosander
+American merganser
+red-breasted merganser
+smew
+Lophodytes
+hooded merganser
+goose
+gosling
+gander
+Anser
+Chinese goose
+greylag
+Chen
+blue goose
+snow goose
+Branta
+brant
+common brant goose
+honker
+barnacle goose
+Anserinae
+genus Coscoroba
+coscoroba
+swan
+cob
+pen
+cygnet
+Cygnus
+mute swan
+whooper
+tundra swan
+whistling swan
+Bewick's swan
+trumpeter
+black swan
+Anhimidae
+screamer
+Anhima
+horned screamer
+Chauna
+crested screamer
+chaja
+Mammalia
+mammal
+female mammal
+mammal family
+mammal genus
+tusker
+Prototheria
+prototherian
+Monotremata
+monotreme
+Tachyglossidae
+Tachyglossus
+echidna
+Zaglossus
+echidna
+Ornithorhynchidae
+Ornithorhynchus
+platypus
+Pantotheria
+Metatheria
+metatherian
+Marsupialia
+marsupial
+Didelphidae
+opossum
+Didelphis
+common opossum
+crab-eating opossum
+Caenolestidae
+Caenolestes
+opossum rat
+Peramelidae
+bandicoot
+Macrotis
+rabbit-eared bandicoot
+Macropodidae
+kangaroo
+Macropus
+giant kangaroo
+wallaby
+common wallaby
+Lagorchestes
+hare wallaby
+Onychogalea
+nail-tailed wallaby
+Petrogale
+rock wallaby
+Thylogale
+pademelon
+Dendrolagus
+tree wallaby
+Hypsiprymnodon
+musk kangaroo
+Potoroinae
+rat kangaroo
+Potorous
+potoroo
+Bettongia
+bettong
+jerboa kangaroo
+Phalangeridae
+phalanger
+genus Phalanger
+cuscus
+Trichosurus
+brush-tailed phalanger
+Petaurus
+flying phalanger
+Acrobates
+flying mouse
+Phascolarctos
+koala
+Vombatidae
+wombat
+Dasyuridae
+dasyurid marsupial
+Dasyurus
+dasyure
+eastern dasyure
+native cat
+Thylacinus
+thylacine
+Sarcophilus
+Tasmanian devil
+Phascogale
+pouched mouse
+Myrmecobius
+numbat
+Notoryctidae
+Notoryctus
+pouched mole
+Eutheria
+placental
+livestock
+bull
+cow
+calf
+calf
+yearling
+buck
+doe
+Insectivora
+Lipotyphla
+Menotyphla
+insectivore
+Talpidae
+mole
+Condylura
+starnose mole
+Parascalops
+brewer's mole
+Chrysochloridae
+Chrysochloris
+golden mole
+Uropsilus
+shrew mole
+Asiatic shrew mole
+Neurotrichus
+American shrew mole
+Soricidae
+shrew
+Sorex
+common shrew
+masked shrew
+Blarina
+short-tailed shrew
+water shrew
+American water shrew
+Neomys
+European water shrew
+Mediterranean water shrew
+Cryptotis
+least shrew
+Erinaceidae
+Erinaceus
+hedgehog
+Tenrecidae
+tenrec
+genus Tenrec
+tailless tenrec
+Potamogalidae
+genus Potamogale
+otter shrew
+chine
+saddle
+furcula
+wishbone
+cuticula
+hide
+hypodermis
+feather
+down
+duck down
+eiderdown
+goose down
+swan's down
+plumule
+aftershaft
+sickle feather
+contour feather
+bastard wing
+marabou
+vane
+barb
+web
+hackle
+saddle hackle
+coat
+guard hair
+fur
+undercoat
+underpart
+wool
+mane
+encolure
+forelock
+hair
+cirrus
+spine
+ray
+quill
+aculea
+aculeus
+style
+stylet
+villus
+bristle
+chaeta
+whisker
+seta
+pilus
+horseback
+operculum
+protective covering
+armor
+scale
+fish scale
+squama
+scute
+sclerite
+clypeus
+carapace
+plastron
+shell
+valve
+valve
+test
+scallop shell
+oyster shell
+phragmocone
+apodeme
+theca
+lorica
+coelenteron
+invertebrate
+zoophyte
+Parazoa
+Porifera
+sponge
+sponge genus
+flagellated cell
+choanocyte
+Hyalospongiae
+glass sponge
+Euplectella
+Venus's flower basket
+coelenterate family
+coelenterate genus
+Metazoa
+metazoan
+Cnidaria
+coelenterate
+planula
+polyp
+medusa
+Scyphozoa
+jellyfish
+Aegina
+scyphozoan
+Chrysaora
+Chrysaora quinquecirrha
+Hydrozoa
+hydrozoan
+genus Hydra
+hydra
+Siphonophora
+siphonophore
+genus Nanomia
+nanomia
+Physalia
+Portuguese man-of-war
+praya
+apolemia
+Sertularia
+sertularian
+Anthozoa
+anthozoan
+Actiniaria
+sea anemone
+actinia
+Actinia
+Alcyonaria
+Alcyonacea
+Pennatulidae
+Pennatula
+sea pen
+coral
+Gorgonacea
+gorgonian
+sea feather
+sea fan
+red coral
+Madreporaria
+stony coral
+Maeandra
+brain coral
+Acropora
+staghorn coral
+Fungia
+mushroom coral
+ctenophore family
+ctenophore genus
+Ctenophora
+ctene
+ctenophore
+Nuda
+genus Beroe
+beroe
+Tentaculata
+Cydippida
+Platyctenea
+platyctenean
+Pleurobrachiidae
+Pleurobrachia
+sea gooseberry
+Cestida
+Cestidae
+Cestum
+Venus's girdle
+Lobata
+comb
+worm family
+worm genus
+worm
+helminth
+woodworm
+woodborer
+Acanthocephala
+acanthocephalan
+Chaetognatha
+arrowworm
+genus Sagitta
+sagitta
+genus Spadella
+Platyhelminthes
+bladder worm
+flatworm
+Turbellaria
+planarian
+Trematoda
+fluke
+cercaria
+Fasciolidae
+Fasciola
+liver fluke
+Fasciolopsis
+Fasciolopsis buski
+Schistosomatidae
+Schistosoma
+schistosome
+Cestoda
+tapeworm
+Taeniidae
+genus Echinococcus
+echinococcus
+genus Taenia
+taenia
+Nemertea
+ribbon worm
+Pogonophora
+beard worm
+Rotifera
+rotifer
+Nematoda
+Aphasmidia
+Phasmidia
+nematode
+Ascaridae
+Ascaris
+common roundworm
+Ascaridia
+chicken roundworm
+Oxyuridae
+Enterobius
+pinworm
+eelworm
+Cephalobidae
+Anguillula
+vinegar eel
+Tylenchidae
+Tylenchus
+wheatworm
+Ancylostomatidae
+trichina
+hookworm
+Filariidae
+filaria
+Dracunculidae
+Dracunculus
+Guinea worm
+Annelida
+annelid
+Archiannelida
+archiannelid
+Oligochaeta
+oligochaete
+earthworm
+Branchiobdellidae
+Branchiobdella
+Polychaeta
+polychaete
+lugworm
+sea mouse
+Terebellidae
+Terebella
+Polycirrus
+bloodworm
+Hirudinea
+leech
+Hirudinidae
+Hirudo
+medicinal leech
+Haemopis
+horseleech
+mollusk family
+mollusk genus
+Mollusca
+mollusk
+Scaphopoda
+scaphopod
+tooth shell
+lip
+Gastropoda
+gastropod
+Haliotidae
+Haliotis
+abalone
+ormer
+Strombidae
+Lambis
+scorpion shell
+Strombus
+conch
+giant conch
+Helicidae
+snail
+Helix
+edible snail
+garden snail
+brown snail
+Helix hortensis
+Limacidae
+Limax
+slug
+seasnail
+Neritidae
+neritid
+genus Nerita
+nerita
+bleeding tooth
+genus Neritina
+neritina
+Buccinidae
+whelk
+Cymatiidae
+triton
+Naticidae
+moon shell
+Littorinidae
+Littorina
+periwinkle
+limpet
+Patellidae
+Patella
+common limpet
+Fissurellidae
+Fissurella
+keyhole limpet
+Ancylidae
+Ancylus
+river limpet
+Opisthobranchia
+Nudibranchia
+sea slug
+Aplysiidae
+Aplysia
+sea hare
+Hermissenda
+Hermissenda crassicornis
+Akeridae
+Haminoea
+bubble shell
+Pulmonata
+Physidae
+genus Physa
+physa
+Pectinibranchia
+Cypraeidae
+Cypraea
+cowrie
+money cowrie
+tiger cowrie
+ctenidium
+ceras
+Amphineura
+Solenogastres
+solenogaster
+Polyplacophora
+genus Chiton
+chiton
+byssus
+Bivalvia
+bivalve
+spat
+clam
+seashell
+clamshell
+Myaceae
+Myacidae
+Mya
+soft-shell clam
+Veneridae
+Venus
+Mercenaria
+quahog
+littleneck
+cherrystone
+geoduck
+Solenidae
+Ensis
+razor clam
+Tridacnidae
+Tridacna
+giant clam
+Cardiidae
+Cardium
+cockle
+edible cockle
+Ostreidae
+oyster
+seed oyster
+Ostrea
+bluepoint
+Japanese oyster
+Crassostrea
+Virginia oyster
+Pteriidae
+Pinctada
+pearl oyster
+Anomiidae
+Anomia
+saddle oyster
+Placuna
+window oyster
+Arcidae
+Arca
+ark shell
+blood clam
+mussel
+Mytilidae
+Mytilus
+marine mussel
+edible mussel
+freshwater mussel
+Unionidae
+Unio
+pearly-shelled mussel
+Anodonta
+thin-shelled mussel
+Dreissena
+zebra mussel
+Pectinidae
+scallop
+genus Pecten
+bay scallop
+sea scallop
+Teredinidae
+genus Teredo
+shipworm
+teredo
+Bankia
+giant northwest shipworm
+Pholadidae
+Pholas
+piddock
+Cephalopoda
+cephalopod
+Nautilidae
+genus Nautilus
+chambered nautilus
+Dibranchiata
+dibranchiate
+Octopoda
+octopod
+Octopodidae
+genus Octopus
+octopus
+Argonautidae
+Argonauta
+paper nautilus
+Decapoda
+decapod
+squid
+genus Loligo
+loligo
+genus Ommastrephes
+ommastrephes
+genus Architeuthis
+architeuthis
+Sepiidae
+Sepia
+cuttlefish
+Spirulidae
+genus Spirula
+spirula
+Belemnoidea
+Belemnitidae
+belemnite
+craw
+gizzard
+Crustacea
+crustacean
+green gland
+Malacostraca
+malacostracan crustacean
+Decapoda
+decapod crustacean
+Brachyura
+brachyuran
+crab
+Menippe
+stone crab
+Cancridae
+Cancer
+hard-shell crab
+soft-shell crab
+Dungeness crab
+rock crab
+Jonah crab
+Portunidae
+swimming crab
+Portunus
+English lady crab
+Ovalipes
+American lady crab
+Callinectes
+blue crab
+Uca
+fiddler crab
+Pinnotheridae
+Pinnotheres
+pea crab
+oyster crab
+Lithodidae
+Paralithodes
+king crab
+Majidae
+spider crab
+Maja
+European spider crab
+Macrocheira
+giant crab
+Reptantia
+lobster
+Homaridae
+true lobster
+Homarus
+American lobster
+European lobster
+Cape lobster
+Nephropsidae
+Nephrops
+Norway lobster
+Palinuridae
+Palinurus
+spiny lobster
+Astacidae
+crayfish
+Astacus
+Old World crayfish
+Cambarus
+American crayfish
+Paguridae
+Pagurus
+hermit crab
+Natantia
+Crangonidae
+Crangon
+shrimp
+snapping shrimp
+Palaemonidae
+Palaemon
+prawn
+long-clawed prawn
+Peneidae
+Peneus
+tropical prawn
+Schizopoda
+Euphausiacea
+krill
+Euphausia pacifica
+Mysidacea
+Mysidae
+Mysis
+Praunus
+opossum shrimp
+Stomatopoda
+stomatopod
+mantis shrimp
+Squillidae
+genus Squilla
+squilla
+Isopoda
+isopod
+woodlouse
+Armadillidiidae
+Armadillidium
+pill bug
+Oniscidae
+Oniscus
+Porcellionidae
+Porcellio
+sow bug
+sea louse
+Amphipoda
+amphipod
+Orchestiidae
+Orchestia
+beach flea
+Caprella
+skeleton shrimp
+Cyamus
+whale louse
+Entomostraca
+Branchiopoda
+branchiopod crustacean
+genus Daphnia
+daphnia
+Anostraca
+Artemia
+fairy shrimp
+brine shrimp
+Notostraca
+Triopidae
+Triops
+tadpole shrimp
+Copepoda
+copepod
+brit
+genus Cyclops
+cyclops
+Branchiura
+fish louse
+Ostracoda
+seed shrimp
+Cirripedia
+barnacle
+Balanidae
+Balanus
+acorn barnacle
+Lepadidae
+Lepas
+goose barnacle
+Onychophora
+onychophoran
+Peripatidae
+genus Peripatus
+Plicatoperipatus
+Plicatoperipatus jamaicensis
+Peripatopsidae
+Peripatopsis
+wading bird
+Ciconiiformes
+Ciconiidae
+stork
+Ciconia
+white stork
+black stork
+Leptoptilus
+adjutant bird
+marabou
+Anastomus
+openbill
+genus Jabiru
+jabiru
+Ephippiorhynchus
+saddlebill
+Xenorhyncus
+policeman bird
+Mycteria
+wood ibis
+Balaenicipitidae
+Balaeniceps
+shoebill
+Threskiornithidae
+ibis
+genus Ibis
+wood ibis
+Threskiornis
+sacred ibis
+Plataleidae
+spoonbill
+Platalea
+common spoonbill
+Ajaia
+roseate spoonbill
+Phoenicopteridae
+flamingo
+Ardeidae
+heron
+Ardea
+great blue heron
+great white heron
+egret
+Egretta
+little blue heron
+snowy egret
+little egret
+Casmerodius
+great white heron
+American egret
+Bubulcus
+cattle egret
+night heron
+Nycticorax
+black-crowned night heron
+Nyctanassa
+yellow-crowned night heron
+Cochlearius
+boatbill
+bittern
+Botaurus
+American bittern
+European bittern
+Ixobrychus
+least bittern
+Gruiformes
+Gruidae
+crane
+Grus
+whooping crane
+Aramus
+courlan
+limpkin
+Cariamidae
+Cariama
+crested cariama
+genus Chunga
+chunga
+Rallidae
+rail
+Gallirallus
+weka
+crake
+Crex
+corncrake
+Porzana
+spotted crake
+Gallinula
+gallinule
+Florida gallinule
+moorhen
+purple gallinule
+Porphyrio
+European gallinule
+Porphyrula
+American gallinule
+genus Notornis
+notornis
+Fulica
+coot
+American coot
+Old World coot
+Otides
+Otididae
+bustard
+Otis
+great bustard
+Choriotis
+plain turkey
+Turnicidae
+Turnix
+button quail
+striped button quail
+ortygan
+Pedionomus
+plain wanderer
+Psophiidae
+Psophia
+trumpeter
+Brazilian trumpeter
+Charadriiformes
+seabird
+Charadrii
+Limicolae
+shorebird
+Charadriidae
+plover
+Charadrius
+piping plover
+killdeer
+dotterel
+Pluvialis
+golden plover
+Vanellus
+lapwing
+Arenaria
+turnstone
+ruddy turnstone
+black turnstone
+Scolopacidae
+sandpiper
+Aphriza
+surfbird
+Actitis
+European sandpiper
+spotted sandpiper
+Erolia
+least sandpiper
+red-backed sandpiper
+Tringa
+greenshank
+redshank
+yellowlegs
+greater yellowlegs
+lesser yellowlegs
+Calidris
+pectoral sandpiper
+knot
+curlew sandpiper
+Crocethia
+sanderling
+Bartramia
+upland sandpiper
+Philomachus
+ruff
+reeve
+tattler
+Heteroscelus
+Polynesian tattler
+Catoptrophorus
+willet
+woodcock
+Scolopax
+Eurasian woodcock
+Philohela
+American woodcock
+Gallinago
+snipe
+whole snipe
+Wilson's snipe
+great snipe
+Limnocryptes
+jacksnipe
+Limnodromus
+dowitcher
+greyback
+red-breasted snipe
+Numenius
+curlew
+European curlew
+Eskimo curlew
+Limosa
+godwit
+Hudsonian godwit
+Himantopus
+stilt
+black-necked stilt
+black-winged stilt
+white-headed stilt
+kaki
+Cladorhyncus
+stilt
+banded stilt
+Recurvirostridae
+Recurvirostra
+avocet
+Haematopodidae
+Haematopus
+oystercatcher
+Phalaropidae
+phalarope
+Phalaropus
+red phalarope
+Lobipes
+northern phalarope
+Steganopus
+Wilson's phalarope
+Glareolidae
+Glareola
+pratincole
+courser
+Cursorius
+cream-colored courser
+Pluvianus
+crocodile bird
+Burhinidae
+Burhinus
+stone curlew
+coastal diving bird
+Lari
+Laridae
+larid
+gull
+Larus
+mew
+black-backed gull
+herring gull
+laughing gull
+Pagophila
+ivory gull
+Rissa
+kittiwake
+Sterninae
+tern
+Sterna
+sea swallow
+Rynchopidae
+Rynchops
+skimmer
+Stercorariidae
+jaeger
+Stercorarius
+parasitic jaeger
+Catharacta
+skua
+great skua
+Alcidae
+auk
+auklet
+Alca
+razorbill
+Plautus
+little auk
+Pinguinus
+great auk
+Cepphus
+guillemot
+black guillemot
+pigeon guillemot
+Uria
+murre
+common murre
+thick-billed murre
+puffin
+Fratercula
+Atlantic puffin
+horned puffin
+Lunda
+tufted puffin
+Gaviiformes
+gaviiform seabird
+Gavidae
+Gavia
+loon
+Podicipitiformes
+podicipitiform seabird
+Podicipedidae
+Podiceps
+grebe
+great crested grebe
+red-necked grebe
+black-necked grebe
+dabchick
+Podilymbus
+pied-billed grebe
+Pelecaniformes
+pelecaniform seabird
+Pelecanidae
+pelican
+Pelecanus
+white pelican
+Old world white pelican
+Fregatidae
+Fregata
+frigate bird
+Sulidae
+gannet
+Sula
+solan
+booby
+Phalacrocoracidae
+Phalacrocorax
+cormorant
+Anhingidae
+genus Anhinga
+snakebird
+water turkey
+Phaethontidae
+Phaethon
+tropic bird
+Sphenisciformes
+Spheniscidae
+sphenisciform seabird
+penguin
+Pygoscelis
+Adelie
+Aptenodytes
+king penguin
+emperor penguin
+Spheniscus
+jackass penguin
+Eudyptes
+rock hopper
+Procellariiformes
+pelagic bird
+procellariiform seabird
+Diomedeidae
+albatross
+genus Diomedea
+wandering albatross
+black-footed albatross
+Procellariidae
+petrel
+Procellaria
+white-chinned petrel
+Macronectes
+giant petrel
+Fulmarus
+fulmar
+Puffinus
+shearwater
+Manx shearwater
+Hydrobatidae
+storm petrel
+Hydrobates
+stormy petrel
+Oceanites
+Mother Carey's chicken
+Pelecanoididae
+diving petrel
+aquatic mammal
+Cetacea
+cetacean
+whale
+Mysticeti
+baleen whale
+Balaenidae
+right whale
+Balaena
+bowhead
+Balaenopteridae
+rorqual
+Balaenoptera
+blue whale
+finback
+sei whale
+lesser rorqual
+Megaptera
+humpback
+Eschrichtiidae
+Eschrichtius
+grey whale
+Odontoceti
+toothed whale
+Physeteridae
+Physeter
+sperm whale
+Kogia
+pygmy sperm whale
+dwarf sperm whale
+Ziphiidae
+beaked whale
+Hyperoodon
+bottle-nosed whale
+Delphinidae
+dolphin
+Delphinus
+common dolphin
+Tursiops
+bottlenose dolphin
+Atlantic bottlenose dolphin
+Pacific bottlenose dolphin
+Phocoena
+porpoise
+harbor porpoise
+vaquita
+genus Grampus
+grampus
+Orcinus
+killer whale
+Globicephala
+pilot whale
+Platanistidae
+river dolphin
+Monodontidae
+Monodon
+narwhal
+Delphinapterus
+white whale
+spouter
+Sirenia
+sea cow
+Trichechidae
+Trichechus
+manatee
+Dugongidae
+genus Dugong
+dugong
+Hydrodamalis
+Steller's sea cow
+Carnivora
+carnivore
+omnivore
+Pinnipedia
+pinniped mammal
+seal
+crabeater seal
+Otariidae
+eared seal
+Arctocephalus
+fur seal
+guadalupe fur seal
+Callorhinus
+fur seal
+Alaska fur seal
+sea lion
+Otaria
+South American sea lion
+Zalophus
+California sea lion
+Australian sea lion
+Eumetopias
+Steller sea lion
+Phocidae
+earless seal
+Phoca
+harbor seal
+Pagophilus
+harp seal
+Mirounga
+elephant seal
+Erignathus
+bearded seal
+Cystophora
+hooded seal
+Odobenidae
+Odobenus
+walrus
+Atlantic walrus
+Pacific walrus
+Fissipedia
+fissiped mammal
+Tubulidentata
+Orycteropodidae
+Orycteropus
+aardvark
+Canidae
+canine
+bitch
+brood bitch
+Canis
+dog
+pooch
+cur
+feist
+pariah dog
+lapdog
+toy dog
+Chihuahua
+Japanese spaniel
+Maltese dog
+Pekinese
+Shih-Tzu
+toy spaniel
+English toy spaniel
+Blenheim spaniel
+King Charles spaniel
+papillon
+toy terrier
+hunting dog
+courser
+Rhodesian ridgeback
+hound
+Afghan hound
+basset
+beagle
+bloodhound
+bluetick
+boarhound
+coonhound
+coondog
+black-and-tan coonhound
+dachshund
+sausage dog
+foxhound
+American foxhound
+Walker hound
+English foxhound
+harrier
+Plott hound
+redbone
+wolfhound
+borzoi
+Irish wolfhound
+greyhound
+Italian greyhound
+whippet
+Ibizan hound
+Norwegian elkhound
+otterhound
+Saluki
+Scottish deerhound
+staghound
+Weimaraner
+terrier
+bullterrier
+Staffordshire bullterrier
+American Staffordshire terrier
+Bedlington terrier
+Border terrier
+Kerry blue terrier
+Irish terrier
+Norfolk terrier
+Norwich terrier
+Yorkshire terrier
+rat terrier
+Manchester terrier
+toy Manchester
+fox terrier
+smooth-haired fox terrier
+wire-haired fox terrier
+wirehair
+Lakeland terrier
+Welsh terrier
+Sealyham terrier
+Airedale
+cairn
+Australian terrier
+Dandie Dinmont
+Boston bull
+schnauzer
+miniature schnauzer
+giant schnauzer
+standard schnauzer
+Scotch terrier
+Tibetan terrier
+silky terrier
+Skye terrier
+Clydesdale terrier
+soft-coated wheaten terrier
+West Highland white terrier
+Lhasa
+sporting dog
+bird dog
+water dog
+retriever
+flat-coated retriever
+curly-coated retriever
+golden retriever
+Labrador retriever
+Chesapeake Bay retriever
+pointer
+German short-haired pointer
+setter
+vizsla
+English setter
+Irish setter
+Gordon setter
+spaniel
+Brittany spaniel
+clumber
+field spaniel
+springer spaniel
+English springer
+Welsh springer spaniel
+cocker spaniel
+Sussex spaniel
+water spaniel
+American water spaniel
+Irish water spaniel
+griffon
+working dog
+watchdog
+kuvasz
+attack dog
+housedog
+schipperke
+shepherd dog
+Belgian sheepdog
+groenendael
+malinois
+briard
+kelpie
+komondor
+Old English sheepdog
+Shetland sheepdog
+collie
+Border collie
+Bouvier des Flandres
+Rottweiler
+German shepherd
+police dog
+pinscher
+Doberman
+miniature pinscher
+Sennenhunde
+Greater Swiss Mountain dog
+Bernese mountain dog
+Appenzeller
+EntleBucher
+boxer
+mastiff
+bull mastiff
+Tibetan mastiff
+bulldog
+French bulldog
+Great Dane
+guide dog
+Seeing Eye dog
+hearing dog
+Saint Bernard
+seizure-alert dog
+sled dog
+Eskimo dog
+malamute
+Siberian husky
+dalmatian
+liver-spotted dalmatian
+affenpinscher
+basenji
+pug
+Leonberg
+Newfoundland
+Great Pyrenees
+spitz
+Samoyed
+Pomeranian
+chow
+keeshond
+griffon
+Brabancon griffon
+corgi
+Pembroke
+Cardigan
+poodle
+toy poodle
+miniature poodle
+standard poodle
+large poodle
+Mexican hairless
+wolf
+timber wolf
+white wolf
+red wolf
+coyote
+coydog
+jackal
+wild dog
+dingo
+Cuon
+dhole
+Dusicyon
+crab-eating dog
+Nyctereutes
+raccoon dog
+Lycaeon
+African hunting dog
+Hyaenidae
+hyena
+genus Hyaena
+striped hyena
+brown hyena
+Crocuta
+spotted hyena
+Proteles
+aardwolf
+fox
+vixen
+Reynard
+Vulpes
+red fox
+black fox
+silver fox
+red fox
+kit fox
+kit fox
+Alopex
+Arctic fox
+blue fox
+Urocyon
+grey fox
+Felidae
+feline
+Felis
+cat
+domestic cat
+kitty
+mouser
+alley cat
+stray
+tom
+gib
+tabby
+kitten
+tabby
+tiger cat
+tortoiseshell
+Persian cat
+Angora
+Siamese cat
+blue point Siamese
+Burmese cat
+Egyptian cat
+Maltese
+Abyssinian
+Manx
+wildcat
+sand cat
+European wildcat
+cougar
+ocelot
+jaguarundi
+kaffir cat
+jungle cat
+serval
+leopard cat
+tiger cat
+margay
+manul
+genus Lynx
+lynx
+common lynx
+Canada lynx
+bobcat
+spotted lynx
+caracal
+big cat
+Panthera
+leopard
+leopardess
+panther
+snow leopard
+jaguar
+lion
+lioness
+lionet
+tiger
+Bengal tiger
+tigress
+liger
+tiglon
+Acinonyx
+cheetah
+saber-toothed tiger
+Smiledon
+Smiledon californicus
+Nimravus
+false saber-toothed tiger
+Ursidae
+bear
+Ursus
+brown bear
+bruin
+Syrian bear
+grizzly
+Alaskan brown bear
+Euarctos
+American black bear
+cinnamon bear
+Selenarctos
+Asiatic black bear
+Thalarctos
+ice bear
+Melursus
+sloth bear
+Viverridae
+viverrine
+civet
+Viverra
+large civet
+Viverricula
+small civet
+Arctictis
+binturong
+Cryptoprocta
+fossa
+Fossa
+fanaloka
+Genetta
+genet
+Hemigalus
+banded palm civet
+Herpestes
+mongoose
+Indian mongoose
+ichneumon
+Paradoxurus
+palm cat
+Suricata
+meerkat
+slender-tailed meerkat
+suricate
+Chiroptera
+bat
+Megachiroptera
+fruit bat
+Pteropus
+flying fox
+Pteropus capestratus
+Pteropus hypomelanus
+Nyctimene
+harpy
+Cynopterus
+Cynopterus sphinx
+Microchiroptera
+carnivorous bat
+mouse-eared bat
+leafnose bat
+Phyllostomidae
+genus Macrotus
+macrotus
+Phyllostomus
+spearnose bat
+Phyllostomus hastatus
+Choeronycteris
+hognose bat
+Rhinolophidae
+horseshoe bat
+Hipposideridae
+Hipposideros
+horseshoe bat
+Rhinonicteris
+orange bat
+Megadermatidae
+false vampire
+Megaderma
+big-eared bat
+Vespertilionidae
+vespertilian bat
+Vespertilio
+frosted bat
+Lasiurus
+red bat
+brown bat
+Myotis
+little brown bat
+cave myotis
+Eptesicus
+big brown bat
+serotine
+Antrozous
+pallid bat
+Pipistrellus
+pipistrelle
+eastern pipistrel
+western pipistrel
+Euderma
+jackass bat
+Plecotus
+long-eared bat
+western big-eared bat
+Molossidae
+Tadarida
+freetail
+guano bat
+pocketed bat
+Eumops
+mastiff bat
+Desmodontidae
+vampire bat
+Desmodus
+Desmodus rotundus
+Diphylla
+hairy-legged vampire bat
+water vascular system
+wing
+ala
+forewing
+halter
+pennon
+wing case
+predator
+prey
+game
+big game
+game bird
+animal foot
+fossorial foot
+fossorial mammal
+hoof
+hoof
+cloven foot
+bird's foot
+webfoot
+claw
+zygodactyl foot
+heterodactyl foot
+webbed foot
+lobate foot
+calyculus
+optic cup
+tooth
+denticle
+claw
+bear claw
+talon
+claw
+tetrapod
+quadruped
+hexapod
+biped
+belly
+tail
+brush
+bobtail
+caudal appendage
+uropygium
+oxtail
+fluke
+scut
+flag
+dock
+horse's foot
+Insecta
+insect
+social insect
+ephemeron
+holometabola
+defoliator
+pollinator
+gallfly
+Mantophasmatodea
+Mecoptera
+mecopteran
+Panorpidae
+scorpion fly
+Bittacidae
+hanging fly
+Collembola
+collembolan
+Protura
+proturan
+Coleoptera
+beetle
+Cicindelidae
+tiger beetle
+Coccinellidae
+ladybug
+Adalia
+two-spotted ladybug
+Epilachna
+Mexican bean beetle
+Hippodamia
+Hippodamia convergens
+Rodolia
+vedalia
+Carabidae
+ground beetle
+Brachinus
+bombardier beetle
+genus Calosoma
+calosoma
+searcher
+Lampyridae
+firefly
+glowworm
+Cerambycidae
+long-horned beetle
+Monochamus
+sawyer
+pine sawyer
+Chrysomelidae
+leaf beetle
+flea beetle
+Leptinotarsa
+Colorado potato beetle
+Dermestidae
+carpet beetle
+buffalo carpet beetle
+black carpet beetle
+Cleridae
+clerid beetle
+bee beetle
+Lamellicornia
+lamellicorn beetle
+Scarabaeidae
+scarabaeid beetle
+dung beetle
+genus Scarabaeus
+scarab
+tumblebug
+dorbeetle
+June beetle
+green June beetle
+Popillia
+Japanese beetle
+Anomala
+Oriental beetle
+rhinoceros beetle
+Melolonthidae
+melolonthid beetle
+Melolontha
+cockchafer
+Macrodactylus
+rose chafer
+Cetoniidae
+Cetonia
+rose chafer
+Lucanidae
+stag beetle
+Elateridae
+elaterid beetle
+click beetle
+Pyrophorus
+firefly
+wireworm
+Dytiscidae
+water beetle
+Gyrinidae
+whirligig beetle
+Anobiidae
+deathwatch beetle
+weevil
+Curculionidae
+snout beetle
+Anthonomus
+boll weevil
+Meloidae
+blister beetle
+oil beetle
+Spanish fly
+Scolytidae
+Scolytus
+Dutch-elm beetle
+Dendroctonus
+bark beetle
+spruce bark beetle
+Staphylinidae
+rove beetle
+Tenebrionidae
+darkling beetle
+mealworm
+Tribolium
+flour beetle
+Bruchidae
+seed beetle
+Bruchus
+pea weevil
+Acanthoscelides
+bean weevil
+Sitophylus
+rice weevil
+Asian longhorned beetle
+Embioptera
+web spinner
+Anoplura
+louse
+Pediculidae
+Pediculus
+common louse
+head louse
+body louse
+Phthiriidae
+Phthirius
+crab louse
+Mallophaga
+bird louse
+Menopon
+chicken louse
+Siphonaptera
+flea
+Pulicidae
+Pulex
+Pulex irritans
+Ctenocephalides
+Ctenocephalus
+dog flea
+cat flea
+Tunga
+chigoe
+Echidnophaga
+sticktight
+Diptera
+dipterous insect
+Cecidomyidae
+gall midge
+Mayetiola
+Hessian fly
+Muscoidea
+Muscidae
+fly
+alula
+Musca
+housefly
+Glossinidae
+genus Glossina
+tsetse fly
+Calliphoridae
+Calliphora
+blowfly
+bluebottle
+Lucilia
+greenbottle
+Sarcophaga
+flesh fly
+Tachinidae
+tachina fly
+gadfly
+botfly
+Gasterophilidae
+Gasterophilus
+horse botfly
+Cuterebridae
+Cuterebra
+Dermatobia
+human botfly
+Oestridae
+Oestrus
+sheep botfly
+Hypoderma
+warble fly
+warble
+Tabanidae
+horsefly
+Bombyliidae
+bee fly
+Asilidae
+robber fly
+fruit fly
+Trypetidae
+Rhagoletis
+apple maggot
+Ceratitis
+Mediterranean fruit fly
+Drosophilidae
+genus Drosophila
+drosophila
+vinegar fly
+Philophylla
+leaf miner
+Hippoboscidae
+louse fly
+Hippobosca
+horse tick
+Melophagus
+sheep ked
+Haematobia
+horn fly
+Nematocera
+Culicidae
+mosquito
+wiggler
+gnat
+Aedes
+yellow-fever mosquito
+Asian tiger mosquito
+Anopheles
+anopheline
+malarial mosquito
+Culex
+common mosquito
+Culex quinquefasciatus
+gnat
+Ceratopogonidae
+punkie
+Ceratopogon
+Chironomidae
+midge
+Chironomus
+Mycetophilidae
+fungus gnat
+Psychodidae
+psychodid
+Phlebotomus
+sand fly
+Sciaridae
+genus Sciara
+fungus gnat
+armyworm
+Tipulidae
+crane fly
+Simuliidae
+Simulium
+blackfly
+Hymenoptera
+hymenopterous insect
+Apoidea
+bee
+drone
+queen bee
+worker
+soldier
+worker bee
+Apidae
+Apis
+honeybee
+Africanized bee
+black bee
+Carniolan bee
+Italian bee
+Xylocopa
+carpenter bee
+Bombus
+bumblebee
+Psithyrus
+cuckoo-bumblebee
+Andrenidae
+genus Andrena
+andrena
+nomia
+Halictidae
+Nomia melanderi
+Megachilidae
+Megachile
+leaf-cutting bee
+mason bee
+Anthidium
+potter bee
+wasp
+Vespidae
+vespid
+Vespa
+paper wasp
+hornet
+giant hornet
+Vespula
+common wasp
+bald-faced hornet
+yellow jacket
+Polistes
+Polistes annularis
+Eumenes
+mason wasp
+potter wasp
+Mutillidae
+velvet ant
+Sphecoidea
+sphecoid wasp
+Sphecidae
+Sceliphron
+mason wasp
+digger wasp
+Stizidae
+Sphecius
+cicada killer
+mud dauber
+Cynipidae
+gall wasp
+Cynips
+Amphibolips
+Andricus
+Chalcididae
+chalcid fly
+strawworm
+Chalcis
+chalcis fly
+Ichneumonidae
+ichneumon fly
+Tenthredinidae
+sawfly
+Fenusa
+birch leaf miner
+Formicidae
+ant
+Monomorium
+pharaoh ant
+little black ant
+Dorylinae
+army ant
+Camponotus
+carpenter ant
+Solenopsis
+fire ant
+Formica
+wood ant
+slave ant
+Formica fusca
+slave-making ant
+sanguinary ant
+Myrmecia
+bulldog ant
+Polyergus
+Amazon ant
+Isoptera
+Termitidae
+Termes
+termite
+dry-wood termite
+Reticulitermes
+Reticulitermes flanipes
+Reticulitermes lucifugus
+Rhinotermitidae
+Mastotermitidae
+Mastotermes
+Mastotermes darwiniensis
+Mastotermes electromexicus
+Mastotermes electrodominicus
+Kalotermitidae
+Kalotermes
+Cryptotermes
+powder-post termite
+Orthoptera
+orthopterous insect
+grasshopper
+Acrididae
+short-horned grasshopper
+locust
+Locusta
+migratory locust
+Melanoplus
+migratory grasshopper
+Tettigoniidae
+long-horned grasshopper
+Microcentrum
+katydid
+Anabrus
+mormon cricket
+Stenopelmatidae
+Stenopelmatus
+sand cricket
+Gryllidae
+cricket
+mole cricket
+Acheta
+European house cricket
+field cricket
+Oecanthus
+tree cricket
+snowy tree cricket
+Phasmida
+phasmid
+Phasmidae
+walking stick
+genus Diapheromera
+diapheromera
+Phyllidae
+Phyllium
+walking leaf
+Exopterygota
+Dictyoptera
+dictyopterous insect
+Blattodea
+cockroach
+Blattidae
+Blatta
+oriental cockroach
+Periplaneta
+American cockroach
+Australian cockroach
+Blattella
+German cockroach
+Blaberus
+giant cockroach
+Cryptocercidae
+Cryptocercus
+Manteodea
+Mantidae
+genus Mantis
+mantis
+praying mantis
+bug
+Hemiptera
+hemipterous insect
+Miridae
+leaf bug
+mirid bug
+Poecilocapsus
+four-lined plant bug
+Lygus
+lygus bug
+tarnished plant bug
+Tingidae
+lace bug
+Lygaeidae
+lygaeid
+Blissus
+chinch bug
+Coreidae
+coreid bug
+Anasa
+squash bug
+Leptoglossus
+leaf-footed bug
+Cimicidae
+Cimex
+bedbug
+Notonectidae
+Notonecta
+backswimmer
+Heteroptera
+true bug
+heteropterous insect
+water bug
+Belostomatidae
+giant water bug
+Nepidae
+water scorpion
+Nepa
+Ranatra
+Corixidae
+Corixa
+water boatman
+Gerrididae
+water strider
+Gerris
+common pond-skater
+Reduviidae
+assassin bug
+Triatoma
+conenose
+Arilus
+wheel bug
+Pyrrhocoridae
+firebug
+Dysdercus
+cotton stainer
+Homoptera
+homopterous insect
+Aleyrodidae
+Aleyrodes
+whitefly
+Dialeurodes
+citrus whitefly
+Trialeurodes
+greenhouse whitefly
+Bemisia
+sweet-potato whitefly
+superbug
+superbug
+cotton strain
+Coccoidea
+coccid insect
+scale insect
+Coccidae
+soft scale
+genus Coccus
+brown soft scale
+wax insect
+Diaspididae
+armored scale
+Aspidiotus
+San Jose scale
+Dactylopiidae
+Dactylopius
+cochineal insect
+Pseudococcidae
+Pseudococcus
+mealybug
+citrophilous mealybug
+Comstock mealybug
+Planococcus
+citrus mealybug
+plant louse
+Aphidoidea
+aphid
+Aphididae
+Aphis
+apple aphid
+blackfly
+greenfly
+green peach aphid
+pale chrysanthemum aphid
+ant cow
+Eriosoma
+woolly aphid
+woolly apple aphid
+Prociphilus
+woolly alder aphid
+Adelgidae
+Adelges
+adelgid
+balsam woolly aphid
+spruce gall aphid
+Pineus
+pine leaf aphid
+woolly adelgid
+Phylloxeridae
+Phylloxera
+grape louse
+Psyllidae
+jumping plant louse
+Cicadidae
+genus Cicada
+cicada
+Tibicen
+dog-day cicada
+Magicicada
+seventeen-year locust
+Cercopidae
+spittle insect
+froghopper
+Philaenus
+meadow spittlebug
+Aphrophora
+pine spittlebug
+Saratoga spittlebug
+Cicadellidae
+Jassidae
+jassid
+leafhopper
+plant hopper
+Membracidae
+treehopper
+Fulgoridae
+lantern fly
+Psocoptera
+psocopterous insect
+Psocidae
+psocid
+bark-louse
+Atropidae
+Liposcelis
+booklouse
+Trogium
+common booklouse
+Ephemeroptera
+Plectophera
+ephemerid
+Ephemeridae
+mayfly
+Plecoptera
+stonefly
+Neuroptera
+neuropteron
+Myrmeleontidae
+Myrmeleon
+ant lion
+doodlebug
+lacewing
+aphid lion
+Chrysopidae
+green lacewing
+goldeneye
+Hemerobiidae
+brown lacewing
+Megaloptera
+Corydalidae
+Corydalus
+dobson
+hellgrammiate
+fish fly
+Sialidae
+Sialis
+alderfly
+Raphidiidae
+snakefly
+Mantispidae
+mantispid
+Sisyridae
+spongefly
+Odonata
+odonate
+Anisoptera
+dragonfly
+Zygoptera
+damselfly
+Trichoptera
+trichopterous insect
+caddis fly
+caseworm
+caddisworm
+Thysanura
+thysanuran insect
+bristletail
+Lepismatidae
+Lepisma
+silverfish
+Thermobia
+firebrat
+Machilidae
+jumping bristletail
+Thysanoptera
+thysanopter
+Thripidae
+thrips
+Frankliniella
+tobacco thrips
+genus Thrips
+onion thrips
+Dermaptera
+earwig
+Forficulidae
+Forficula
+common European earwig
+Lepidoptera
+lepidopterous insect
+butterfly
+Nymphalidae
+nymphalid
+Nymphalis
+mourning cloak
+tortoiseshell
+Vanessa
+painted beauty
+admiral
+red admiral
+Limenitis
+white admiral
+banded purple
+red-spotted purple
+viceroy
+anglewing
+Satyridae
+ringlet
+Polygonia
+comma
+fritillary
+Spyeria
+silverspot
+Argynnis
+Apatura
+emperor butterfly
+purple emperor
+Inachis
+peacock
+Danaidae
+danaid
+Danaus
+monarch
+Pieridae
+pierid
+cabbage butterfly
+Pieris
+small white
+large white
+southern cabbage butterfly
+sulphur butterfly
+Lycaenidae
+lycaenid
+Lycaena
+blue
+copper
+American copper
+Strymon
+hairstreak
+Strymon melinus
+moth
+moth miller
+Tortricidae
+tortricid
+leaf roller
+genus Tortrix
+Homona
+tea tortrix
+Argyrotaenia
+orange tortrix
+Carpocapsa
+codling moth
+Lymantriidae
+lymantriid
+tussock caterpillar
+Lymantria
+gypsy moth
+Euproctis
+browntail
+gold-tail moth
+Geometridae
+geometrid
+Paleacrita
+Paleacrita vernata
+Alsophila
+Alsophila pometaria
+cankerworm
+spring cankerworm
+fall cankerworm
+measuring worm
+Pyralidae
+pyralid
+Pyralis
+Galleria
+bee moth
+Pyrausta
+corn borer
+Anagasta
+Mediterranean flour moth
+Ephestia
+tobacco moth
+Cadra
+almond moth
+raisin moth
+Tineoidea
+tineoid
+Tineidae
+tineid
+clothes moth
+Tinea
+casemaking clothes moth
+Tineola
+webbing clothes moth
+Trichophaga
+carpet moth
+Gracilariidae
+gracilariid
+Gelechiidae
+gelechiid
+Gelechia
+Gelechia gossypiella
+grain moth
+Sitotroga
+angoumois moth
+Phthorimaea
+potato moth
+potato tuberworm
+Noctuidae
+noctuid moth
+cutworm
+Noctua
+Catacala
+underwing
+red underwing
+Cerapteryx
+antler moth
+Heliothis
+heliothis moth
+Chorizagrotis
+army cutworm
+Pseudaletia
+armyworm
+armyworm
+Spodoptera
+Spodoptera exigua
+beet armyworm
+Spodoptera frugiperda
+fall armyworm
+Sphingidae
+hawkmoth
+Manduca
+Manduca sexta
+tobacco hornworm
+Manduca quinquemaculata
+tomato hornworm
+Acherontia
+death's-head moth
+Bombycidae
+bombycid
+Bombyx
+domestic silkworm moth
+silkworm
+Saturniidae
+saturniid
+Saturnia
+emperor
+Eacles
+imperial moth
+giant silkworm moth
+silkworm
+Actias
+luna moth
+Hyalophora
+cecropia
+Samia
+cynthia moth
+ailanthus silkworm
+Automeris
+io moth
+Antheraea
+polyphemus moth
+pernyi moth
+tussah
+Atticus
+atlas moth
+Arctiidae
+arctiid
+tiger moth
+Callimorpha
+cinnabar
+Lasiocampidae
+lasiocampid
+Lasiocampa
+eggar
+Malacosoma
+tent-caterpillar moth
+tent caterpillar
+tent-caterpillar moth
+forest tent caterpillar
+lappet
+lappet caterpillar
+webworm
+Hyphantria
+webworm moth
+Hyphantria cunea
+fall webworm
+Loxostege
+Loxostege similalis
+garden webworm
+instar
+caterpillar
+corn borer
+bollworm
+pink bollworm
+corn earworm
+cabbageworm
+woolly bear
+woolly bear moth
+larva
+nymph
+leptocephalus
+bot
+grub
+maggot
+leatherjacket
+pupa
+chrysalis
+cocoon
+imago
+queen
+Phoronida
+phoronid
+Bryozoa
+bryozoan
+Ectoprocta
+ectoproct
+Entoprocta
+entoproct
+Cycliophora
+Symbion pandora
+Brachiopoda
+brachiopod
+Sipuncula
+peanut worm
+echinoderm family
+echinoderm genus
+Echinodermata
+echinoderm
+ambulacrum
+Asteroidea
+starfish
+Ophiuroidea
+Ophiurida
+brittle star
+Euryalida
+basket star
+Euryale
+Astrophyton
+Astrophyton muricatum
+Gorgonocephalus
+Echinoidea
+sea urchin
+edible sea urchin
+Exocycloida
+sand dollar
+Spatangoida
+heart urchin
+Crinoidea
+crinoid
+Ptilocrinus
+sea lily
+Antedonidae
+Comatulidae
+Antedon
+Comatula
+feather star
+Holothuroidea
+sea cucumber
+Holothuridae
+Holothuria
+trepang
+foot
+tube foot
+roe
+milt
+splint bone
+Duplicidentata
+Lagomorpha
+lagomorph
+Leporidae
+leporid
+rabbit
+rabbit ears
+lapin
+bunny
+Oryctolagus
+European rabbit
+Sylvilagus
+wood rabbit
+eastern cottontail
+swamp rabbit
+marsh hare
+Lepus
+hare
+leveret
+European hare
+jackrabbit
+white-tailed jackrabbit
+blacktail jackrabbit
+polar hare
+snowshoe hare
+Belgian hare
+Angora
+Ochotonidae
+pika
+Ochotona
+little chief hare
+collared pika
+Rodentia
+rodent
+mouse
+Myomorpha
+Muroidea
+rat
+pocket rat
+Muridae
+murine
+Mus
+house mouse
+Micromyx
+harvest mouse
+Apodemus
+field mouse
+nude mouse
+European wood mouse
+Rattus
+brown rat
+wharf rat
+sewer rat
+black rat
+Nesokia
+bandicoot rat
+Conilurus
+jerboa rat
+Notomys
+kangaroo mouse
+Hydromyinae
+Hydromys
+water rat
+beaver rat
+Cricetidae
+New World mouse
+Reithrodontomys
+American harvest mouse
+Peromyscus
+wood mouse
+white-footed mouse
+deer mouse
+cactus mouse
+cotton mouse
+Baiomys
+pygmy mouse
+Onychomys
+grasshopper mouse
+Ondatra
+muskrat
+Neofiber
+round-tailed muskrat
+Sigmodon
+cotton rat
+wood rat
+dusky-footed wood rat
+vole
+Neotoma
+packrat
+dusky-footed woodrat
+eastern woodrat
+Oryzomys
+rice rat
+Pitymys
+pine vole
+Microtus
+meadow vole
+water vole
+prairie vole
+Arvicola
+water vole
+Clethrionomys
+red-backed mouse
+genus Phenacomys
+phenacomys
+Cricetus
+hamster
+Eurasian hamster
+Mesocricetus
+golden hamster
+Gerbillinae
+Gerbillus
+gerbil
+Meriones
+jird
+tamarisk gerbil
+sand rat
+lemming
+Lemmus
+European lemming
+brown lemming
+Myopus
+grey lemming
+Dicrostonyx
+pied lemming
+Hudson bay collared lemming
+Synaptomys
+southern bog lemming
+northern bog lemming
+Hystricomorpha
+porcupine
+Hystricidae
+Old World porcupine
+Atherurus
+brush-tailed porcupine
+Trichys
+long-tailed porcupine
+New World porcupine
+Erethizontidae
+Erethizon
+Canada porcupine
+Heteromyidae
+pocket mouse
+Perognathus
+silky pocket mouse
+plains pocket mouse
+hispid pocket mouse
+Liomys
+Mexican pocket mouse
+Dipodomys
+kangaroo rat
+Ord kangaroo rat
+Microdipodops
+kangaroo mouse
+Zapodidae
+jumping mouse
+Zapus
+meadow jumping mouse
+Dipodidae
+Dipus
+jerboa
+typical jerboa
+Jaculus
+Jaculus jaculus
+Gliridae
+dormouse
+Glis
+loir
+Muscardinus
+hazel mouse
+Eliomys
+lerot
+Geomyidae
+Geomys
+gopher
+plains pocket gopher
+southeastern pocket gopher
+Thomomys
+valley pocket gopher
+northern pocket gopher
+Sciuromorpha
+squirrel
+tree squirrel
+Sciuridae
+Sciurus
+eastern grey squirrel
+western grey squirrel
+fox squirrel
+black squirrel
+red squirrel
+Tamiasciurus
+American red squirrel
+chickeree
+Citellus
+antelope squirrel
+ground squirrel
+mantled ground squirrel
+suslik
+flickertail
+rock squirrel
+Arctic ground squirrel
+Cynomys
+prairie dog
+blacktail prairie dog
+whitetail prairie dog
+Tamias
+eastern chipmunk
+Eutamias
+chipmunk
+baronduki
+Glaucomys
+American flying squirrel
+southern flying squirrel
+northern flying squirrel
+Marmota
+marmot
+groundhog
+hoary marmot
+yellowbelly marmot
+Petauristidae
+Asiatic flying squirrel
+Petaurista
+taguan
+Castoridae
+Castor
+beaver
+Old World beaver
+New World beaver
+Castoroides
+Aplodontiidae
+Aplodontia
+mountain beaver
+Caviidae
+Cavia
+cavy
+guinea pig
+aperea
+Dolichotis
+mara
+Hydrochoeridae
+Hydrochoerus
+capybara
+Dasyproctidae
+Dasyprocta
+agouti
+Cuniculus
+paca
+Stictomys
+mountain paca
+Capromyidae
+Myocastor
+coypu
+Chinchillidae
+genus Chinchilla
+chinchilla
+Lagidium
+mountain chinchilla
+Lagostomus
+viscacha
+Abrocoma
+abrocome
+Spalacidae
+Spalax
+mole rat
+Bathyergidae
+Bathyergus
+mole rat
+Heterocephalus
+sand rat
+naked mole rat
+queen
+Damaraland mole rat
+dug
+udder
+Ungulata
+ungulate
+Unguiculata
+unguiculate
+Dinocerata
+Uintatheriidae
+Uintatherium
+dinocerate
+dinoceras
+Hyracoidea
+Procaviidae
+hyrax
+Procavia
+rock hyrax
+Perissodactyla
+odd-toed ungulate
+Equidae
+Equus
+equine
+horse
+roan
+stablemate
+Hyracotherium
+gee-gee
+eohippus
+genus Mesohippus
+mesohippus
+genus Protohippus
+protohippus
+foal
+filly
+colt
+male horse
+ridgeling
+stallion
+stud
+gelding
+mare
+broodmare
+saddle horse
+remount
+palfrey
+warhorse
+cavalry horse
+charger
+steed
+prancer
+hack
+cow pony
+quarter horse
+Morgan
+Tennessee walker
+American saddle horse
+Appaloosa
+Arabian
+Lippizan
+pony
+polo pony
+mustang
+bronco
+bucking bronco
+buckskin
+crowbait
+dun
+grey
+wild horse
+tarpan
+warrigal
+Przewalski's horse
+cayuse
+hack
+hack
+plow horse
+pony
+Shetland pony
+Welsh pony
+Exmoor
+racehorse
+thoroughbred
+Sir Barton
+Gallant Fox
+Omaha
+War Admiral
+Whirlaway
+Count Fleet
+Assault
+Citation
+Secretariat
+Seattle Slew
+Affirmed
+steeplechaser
+racer
+finisher
+pony
+yearling
+two-year-old horse
+three-year-old horse
+dark horse
+mudder
+nonstarter
+stalking-horse
+harness horse
+cob
+hackney
+workhorse
+draft horse
+packhorse
+carthorse
+Clydesdale
+Percheron
+farm horse
+shire
+pole horse
+wheel horse
+post horse
+coach horse
+pacer
+pacer
+trotting horse
+pole horse
+stepper
+chestnut
+liver chestnut
+bay
+sorrel
+palomino
+pinto
+ass
+domestic ass
+burro
+moke
+jack
+jennet
+mule
+hinny
+wild ass
+African wild ass
+kiang
+onager
+chigetai
+zebra
+common zebra
+mountain zebra
+grevy's zebra
+quagga
+Rhinocerotidae
+rhinoceros
+genus Rhinoceros
+Indian rhinoceros
+woolly rhinoceros
+Ceratotherium
+white rhinoceros
+Diceros
+black rhinoceros
+Tapiridae
+Tapirus
+tapir
+New World tapir
+Malayan tapir
+Artiodactyla
+even-toed ungulate
+Suidae
+swine
+Sus
+hog
+piglet
+sucking pig
+porker
+boar
+sow
+razorback
+wild boar
+Babyrousa
+babirusa
+Phacochoerus
+warthog
+Tayassuidae
+Tayassu
+peccary
+collared peccary
+white-lipped peccary
+Chiacoan peccary
+Hippopotamidae
+genus Hippopotamus
+hippopotamus
+Ruminantia
+ruminant
+rumen
+reticulum
+psalterium
+abomasum
+Bovidae
+bovid
+Bovinae
+Bovini
+Bos
+bovine
+ox
+cattle
+ox
+stirk
+bullock
+bull
+cow
+springer
+heifer
+bullock
+dogie
+maverick
+beef
+longhorn
+Brahman
+zebu
+aurochs
+yak
+banteng
+Welsh
+red poll
+Santa Gertrudis
+Aberdeen Angus
+Africander
+dairy cattle
+Ayrshire
+Brown Swiss
+Charolais
+Jersey
+Devon
+grade
+Durham
+milking shorthorn
+Galloway
+Friesian
+Guernsey
+Hereford
+cattalo
+Old World buffalo
+Bubalus
+water buffalo
+Indian buffalo
+carabao
+genus Anoa
+anoa
+tamarau
+Synercus
+Cape buffalo
+Bibos
+Asian wild ox
+gaur
+gayal
+genus Bison
+bison
+American bison
+wisent
+Ovibos
+musk ox
+Ovis
+sheep
+ewe
+ram
+wether
+bellwether
+lamb
+lambkin
+baa-lamb
+hog
+teg
+Persian lamb
+black sheep
+domestic sheep
+Cotswold
+Hampshire
+Lincoln
+Exmoor
+Cheviot
+broadtail
+longwool
+merino
+Rambouillet
+wild sheep
+argali
+Marco Polo sheep
+urial
+Dall sheep
+mountain sheep
+bighorn
+mouflon
+Ammotragus
+aoudad
+beard
+Capra
+goat
+kid
+billy
+nanny
+domestic goat
+Cashmere goat
+Angora
+wild goat
+bezoar goat
+markhor
+ibex
+goat antelope
+Oreamnos
+mountain goat
+Naemorhedus
+goral
+Capricornis
+serow
+Rupicapra
+chamois
+Budorcas
+takin
+antelope
+Antilope
+blackbuck
+Litocranius
+gerenuk
+genus Addax
+addax
+Connochaetes
+gnu
+Madoqua
+dik-dik
+Alcelaphus
+hartebeest
+Damaliscus
+sassaby
+Aepyceros
+impala
+Gazella
+gazelle
+Thomson's gazelle
+Gazella subgutturosa
+Antidorcas
+springbok
+Tragelaphus
+bongo
+kudu
+greater kudu
+lesser kudu
+harnessed antelope
+nyala
+mountain nyala
+bushbuck
+Boselaphus
+nilgai
+Hippotragus
+sable antelope
+genus Saiga
+saiga
+Raphicerus
+steenbok
+Taurotragus
+eland
+common eland
+giant eland
+Kobus
+kob
+lechwe
+waterbuck
+Adenota
+puku
+genus Oryx
+oryx
+gemsbok
+Pseudoryx
+forest goat
+Antilocapridae
+Antilocapra
+pronghorn
+Cervidae
+deer
+stag
+royal
+pricket
+fawn
+Cervus
+red deer
+hart
+hind
+brocket
+sambar
+wapiti
+Japanese deer
+Odocoileus
+Virginia deer
+mule deer
+black-tailed deer
+Alces
+elk
+Dama
+fallow deer
+Capreolus
+roe deer
+roebuck
+Rangifer
+caribou
+woodland caribou
+barren ground caribou
+Mazama
+brocket
+Muntiacus
+muntjac
+Moschus
+musk deer
+Elaphurus
+pere david's deer
+Tragulidae
+chevrotain
+Tragulus
+kanchil
+napu
+Hyemoschus
+water chevrotain
+Camelidae
+Camelus
+camel
+Arabian camel
+Bactrian camel
+llama
+Lama
+domestic llama
+guanaco
+alpaca
+Vicugna
+vicuna
+Giraffidae
+Giraffa
+giraffe
+Okapia
+okapi
+trotter
+forefoot
+hindfoot
+paw
+forepaw
+hand
+pad
+Mustelidae
+musteline mammal
+Mustela
+weasel
+ermine
+stoat
+New World least weasel
+Old World least weasel
+longtail weasel
+mink
+American mink
+polecat
+ferret
+black-footed ferret
+Poecilogale
+muishond
+snake muishond
+Ictonyx
+striped muishond
+zoril
+Lutrinae
+Lutra
+otter
+river otter
+Eurasian otter
+Enhydra
+sea otter
+Mephitinae
+skunk
+Mephitis
+striped skunk
+hooded skunk
+Conepatus
+hog-nosed skunk
+Spilogale
+spotted skunk
+Melinae
+badger
+Taxidea
+American badger
+Meles
+Eurasian badger
+Mellivora
+ratel
+Melogale
+ferret badger
+Arctonyx
+hog badger
+Gulo
+wolverine
+glutton
+genus Grison
+genus Galictis
+grison
+Martes
+marten
+pine marten
+sable
+American marten
+stone marten
+fisher
+Charronia
+yellow-throated marten
+Eira
+tayra
+fictional animal
+Easter bunny
+church mouse
+Mickey Mouse
+Minnie Mouse
+Donald Duck
+Mighty Mouse
+muzzle
+snout
+snout
+proboscis
+pachyderm
+Edentata
+edentate
+Xenarthra
+Dasypodidae
+armadillo
+Dasypus
+peba
+Tolypeutes
+apar
+genus Cabassous
+tatouay
+Euphractus
+peludo
+Priodontes
+giant armadillo
+Chlamyphorus
+pichiciago
+Burmeisteria
+greater pichiciego
+Bradypodidae
+sloth
+Bradypus
+three-toed sloth
+Megalonychidae
+Choloepus
+two-toed sloth
+two-toed sloth
+Megatheriidae
+megatherian
+Megatherium
+ground sloth
+Mylodontidae
+mylodontid
+genus Mylodon
+mylodon
+mapinguari
+Myrmecophagidae
+anteater
+Myrmecophaga
+ant bear
+Cyclopes
+silky anteater
+genus Tamandua
+tamandua
+Pholidota
+Manidae
+Manis
+pangolin
+pastern
+coronet
+fetlock
+fetlock
+withers
+cannon
+cannon bone
+hock
+loin
+hindquarters
+haunch
+gaskin
+stifle
+flank
+animal leg
+hind limb
+hind leg
+forelimb
+foreleg
+flipper
+parapodium
+sucker
+cupule
+stinger
+lateral line
+fin
+dorsal fin
+pectoral fin
+pelvic fin
+tail fin
+heterocercal fin
+homocercal fin
+fishbone
+air bladder
+air sac
+air sac
+uropygial gland
+silk gland
+elbow
+chestnut
+quill
+vein
+flight feather
+primary
+scapular
+tail feather
+tadpole
+Primates
+primate
+simian
+ape
+Anthropoidea
+anthropoid
+anthropoid ape
+Hominoidea
+hominoid
+Hominidae
+hominid
+genus Homo
+homo
+world
+Homo erectus
+Pithecanthropus
+Java man
+Peking man
+Sinanthropus
+Homo soloensis
+Javanthropus
+Solo man
+Homo habilis
+Homo sapiens
+Neandertal man
+Cro-magnon
+Boskop man
+Homo sapiens sapiens
+genus Australopithecus
+Plesianthropus
+australopithecine
+Australopithecus afarensis
+Lucy
+Australopithecus africanus
+Australopithecus boisei
+Zinjanthropus
+Australopithecus robustus
+Paranthropus
+genus Sivapithecus
+Sivapithecus
+Dryopithecus
+dryopithecine
+rudapithecus
+Ouranopithecus
+Lufengpithecus
+genus Proconsul
+proconsul
+Kenyapithecus
+genus Aegyptopithecus
+Aegyptopithecus
+Algeripithecus
+Algeripithecus minutus
+Pongidae
+great ape
+Pongo
+orangutan
+genus Gorilla
+gorilla
+western lowland gorilla
+eastern lowland gorilla
+mountain gorilla
+silverback
+Pan
+chimpanzee
+western chimpanzee
+eastern chimpanzee
+central chimpanzee
+pygmy chimpanzee
+Hylobatidae
+lesser ape
+Hylobates
+gibbon
+Symphalangus
+siamang
+Cercopithecidae
+monkey
+Old World monkey
+Cercopithecus
+guenon
+talapoin
+grivet
+vervet
+green monkey
+Cercocebus
+mangabey
+Erythrocebus
+patas
+baboon
+Papio
+chacma
+Mandrillus
+mandrill
+drill
+Macaca
+macaque
+rhesus
+bonnet macaque
+Barbary ape
+crab-eating macaque
+Presbytes
+langur
+entellus
+genus Colobus
+colobus
+guereza
+Nasalis
+proboscis monkey
+Platyrrhini
+New World monkey
+Callithricidae
+marmoset
+Callithrix
+true marmoset
+Cebuella
+pygmy marmoset
+Leontocebus
+tamarin
+silky tamarin
+pinche
+Cebidae
+Cebus
+capuchin
+Aotus
+douroucouli
+Alouatta
+howler monkey
+Pithecia
+saki
+Cacajao
+uakari
+Callicebus
+titi
+Ateles
+spider monkey
+Saimiri
+squirrel monkey
+Lagothrix
+woolly monkey
+Scandentia
+Tupaiidae
+Tupaia
+tree shrew
+Ptilocercus
+pentail
+Prosimii
+prosimian
+Adapid
+Lemuroidea
+lemur
+Strepsirhini
+Lemuridae
+genus Lemur
+Madagascar cat
+Daubentoniidae
+Daubentonia
+aye-aye
+Lorisidae
+genus Loris
+slender loris
+Nycticebus
+slow loris
+Perodicticus
+potto
+Arctocebus
+angwantibo
+genus Galago
+galago
+Indriidae
+genus Indri
+indri
+Avahi
+woolly indris
+Omomyid
+Tarsioidea
+Tarsiidae
+Tarsius
+tarsier
+Tarsius syrichta
+Tarsius glis
+Dermoptera
+Cynocephalidae
+Cynocephalus
+flying lemur
+Cynocephalus variegatus
+Proboscidea
+proboscidean
+Elephantidae
+elephant
+rogue elephant
+Elephas
+Indian elephant
+white elephant
+Loxodonta
+African elephant
+Mammuthus
+mammoth
+woolly mammoth
+columbian mammoth
+Archidiskidon
+imperial mammoth
+Mammutidae
+Mammut
+mastodon
+American mastodon
+Gomphotheriidae
+Gomphotherium
+gomphothere
+plantigrade mammal
+digitigrade mammal
+Procyonidae
+procyonid
+Procyon
+raccoon
+common raccoon
+crab-eating raccoon
+Bassariscidae
+Bassariscus
+bassarisk
+Potos
+kinkajou
+Nasua
+coati
+Ailurus
+lesser panda
+Ailuropodidae
+Ailuropoda
+giant panda
+gill
+external gill
+gill slit
+gill arch
+peristome
+syrinx
+twitterer
+Pisces
+fish
+fingerling
+game fish
+food fish
+rough fish
+groundfish
+young fish
+parr
+mouthbreeder
+spawner
+barracouta
+Channidae
+northern snakehead
+Osteichthyes
+bony fish
+Crossopterygii
+crossopterygian
+Latimeridae
+Latimeria
+coelacanth
+Dipnoi
+lungfish
+Ceratodontidae
+genus Ceratodus
+ceratodus
+Neoceratodus
+Australian lungfish
+Siluriformes
+catfish
+Siluridae
+silurid
+Silurus
+European catfish
+Malopterurus
+electric catfish
+Ameiuridae
+Ameiurus
+bullhead
+horned pout
+brown bullhead
+Ictalurus
+channel catfish
+blue catfish
+Pylodictus
+flathead catfish
+Laricariidae
+armored catfish
+Ariidae
+sea catfish
+Arius
+crucifix fish
+Gadiformes
+Anacanthini
+gadoid
+Gadidae
+Gadus
+cod
+codling
+Atlantic cod
+Pacific cod
+Merlangus
+whiting
+Lota
+burbot
+scrod
+Melanogrammus
+haddock
+Pollachius
+pollack
+Merluccius
+hake
+silver hake
+Urophycis
+ling
+Molva
+ling
+Brosmius
+cusk
+Macrouridae
+grenadier
+Anguilliformes
+eel
+elver
+Anguillidae
+Anguilla
+common eel
+tuna
+Muraenidae
+moray
+Congridae
+conger
+Teleostei
+teleost fish
+Isospondyli
+Gonorhynchidae
+Gonorhynchus
+beaked salmon
+Clupeidae
+clupeid fish
+whitebait
+brit
+Alosa
+shad
+common American shad
+river shad
+allice shad
+alewife
+Pomolobus
+Brevoortia
+menhaden
+Clupea
+herring
+Atlantic herring
+Pacific herring
+sardine
+sild
+brisling
+Sardina
+pilchard
+Sardinops
+Pacific sardine
+Engraulidae
+anchovy
+Engraulis
+mediterranean anchovy
+Salmonidae
+salmonid
+salmon
+parr
+blackfish
+redfish
+Salmo
+Atlantic salmon
+landlocked salmon
+Oncorhynchus
+sockeye
+chinook
+chum salmon
+coho
+trout
+brown trout
+rainbow trout
+sea trout
+Salvelinus
+lake trout
+brook trout
+char
+Arctic char
+Coregonidae
+whitefish
+Coregonus
+lake whitefish
+cisco
+Prosopium
+round whitefish
+Rocky Mountain whitefish
+Osmeridae
+smelt
+Osmerus
+rainbow smelt
+sparling
+Mallotus
+capelin
+Elopidae
+genus Tarpon
+tarpon
+Elops
+ladyfish
+Albulidae
+Albula
+bonefish
+Argentinidae
+Argentina
+argentine
+Myctophidae
+lanternfish
+Synodontidae
+lizardfish
+Chlorophthalmidae
+greeneye
+Alepisaurus
+lancetfish
+handsaw fish
+Osteoglossiformes
+Osteoglossidae
+Scleropages
+Australian arowana
+Australian bonytongue
+Lampridae
+Lampris
+opah
+New World opah
+Trachipteridae
+ribbonfish
+Trachipterus
+dealfish
+Regalecidae
+Reglaecus
+oarfish
+Pediculati
+Ogcocephalidae
+batfish
+Lophiidae
+Lophius
+goosefish
+Batrachoididae
+toadfish
+oyster fish
+Antennariidae
+frogfish
+sargassum fish
+Synentognathi
+Belonidae
+needlefish
+timucu
+Exocoetidae
+flying fish
+monoplane flying fish
+biplane flying fish
+Hemiramphidae
+halfbeak
+Scomberesocidae
+Scomberesox
+saury
+Acanthopterygii
+spiny-finned fish
+Ophiodontidae
+Ophiodon
+lingcod
+Perciformes
+Percoidea
+percoid fish
+perch
+Anabantidae
+Anabas
+climbing perch
+Percidae
+perch
+Perca
+yellow perch
+European perch
+Stizostedion
+pike-perch
+walleye
+blue pike
+Percina
+snail darter
+Trichodontidae
+sandfish
+Ophidiidae
+cusk-eel
+Brotulidae
+brotula
+Carapidae
+pearlfish
+Centropomidae
+robalo
+Centropomus
+snook
+Latinae
+Lates
+barramundi
+Esocidae
+Esox
+pike
+northern pike
+muskellunge
+pickerel
+chain pickerel
+redfin pickerel
+Centrarchidae
+sunfish
+Pomoxis
+crappie
+black crappie
+white crappie
+freshwater bream
+Lepomis
+pumpkinseed
+bluegill
+spotted sunfish
+Ambloplites
+freshwater bass
+rock bass
+Micropterus
+black bass
+Kentucky black bass
+smallmouth
+largemouth
+bass
+Serranidae
+serranid fish
+Morone
+white perch
+yellow bass
+sea bass
+Synagrops
+blackmouth bass
+Centropristis
+rock sea bass
+black sea bass
+Roccus
+striped bass
+Polyprion
+stone bass
+Serranus
+belted sandfish
+grouper
+Epinephelus
+coney
+hind
+rock hind
+Paranthias
+creole-fish
+Mycteroperca
+jewfish
+Rypticus
+soapfish
+Embiotocidae
+surfperch
+Hipsurus
+rainbow seaperch
+Priacanthidae
+Priacanthus
+bigeye
+catalufa
+Apogonidae
+cardinalfish
+Apogon
+flame fish
+Astropogon
+conchfish
+Malacanthidae
+Lopholatilus
+tilefish
+Pomatomidae
+Pomatomus
+bluefish
+Rachycentridae
+Rachycentron
+cobia
+Discocephali
+Echeneididae
+remora
+Echeneis
+sharksucker
+Remilegia
+whale sucker
+Carangidae
+carangid fish
+Caranx
+jack
+crevalle jack
+yellow jack
+runner
+Elagatis
+rainbow runner
+Oligoplites
+leatherjacket
+Alectis
+threadfish
+Selene
+moonfish
+lookdown
+Seriola
+amberjack
+yellowtail
+rudderfish
+kingfish
+Trachinotus
+pompano
+Florida pompano
+permit
+Naucrates
+pilotfish
+scad
+Trachurus
+horse mackerel
+horse mackerel
+Selar
+bigeye scad
+Decapterus
+mackerel scad
+round scad
+Coryphaenidae
+dolphinfish
+Coryphaena hippurus
+Coryphaena equisetis
+Bramidae
+Brama
+pomfret
+Branchiostegidae
+blanquillo
+Characidae
+Characinidae
+characin
+Hemigrammus
+tetra
+Paracheirodon
+cardinal tetra
+Serrasalmus
+piranha
+tentacle
+antenna
+arista
+barbel
+swimmeret
+Cichlidae
+cichlid
+Tilapia
+bolti
+Lutjanidae
+snapper
+Lutjanus
+red snapper
+grey snapper
+mutton snapper
+schoolmaster
+Ocyurus
+yellowtail
+Haemulidae
+grunt
+Haemulon
+margate
+Spanish grunt
+tomtate
+cottonwick
+sailor's-choice
+Anisotremus
+porkfish
+pompon
+Orthopristis
+pigfish
+Sparidae
+sparid
+sea bream
+porgy
+Pagrus
+red porgy
+Pagellus
+European sea bream
+Archosargus
+Atlantic sea bream
+sheepshead
+Lagodon
+pinfish
+Calamus
+sheepshead porgy
+Chrysophrys
+snapper
+black bream
+Stenotomus
+scup
+scup
+Sciaenidae
+sciaenid fish
+drum
+Equetus
+striped drum
+jackknife-fish
+Bairdiella
+silver perch
+Sciaenops
+red drum
+Sciaena
+mulloway
+maigre
+croaker
+Micropogonias
+Atlantic croaker
+Umbrina
+yellowfin croaker
+Menticirrhus
+whiting
+kingfish
+king whiting
+northern whiting
+corbina
+silver whiting
+Genyonemus
+white croaker
+Seriphus
+white croaker
+sea trout
+Cynoscion
+weakfish
+spotted weakfish
+Mullidae
+mullet
+Mullus
+goatfish
+red goatfish
+Mulloidichthys
+yellow goatfish
+Mugiloidea
+Mugilidae
+mullet
+Mugil
+striped mullet
+white mullet
+liza
+Atherinidae
+silversides
+Atherinopsis
+jacksmelt
+Sphyraenidae
+Sphyraena
+barracuda
+great barracuda
+Pempheridae
+sweeper
+Kyphosidae
+sea chub
+Kyphosus
+Bermuda chub
+Ephippidae
+Chaetodipterus
+spadefish
+Chaetodontidae
+butterfly fish
+genus Chaetodon
+chaetodon
+Pomacanthus
+angelfish
+rock beauty
+Pomacentridae
+damselfish
+Pomacentrus
+beaugregory
+Amphiprion
+anemone fish
+clown anemone fish
+Abudefduf
+sergeant major
+Labridae
+wrasse
+Achoerodus
+pigfish
+Lachnolaimus
+hogfish
+Halicoeres
+slippery dick
+puddingwife
+Thalassoma
+bluehead
+Hemipteronatus
+razor fish
+pearly razorfish
+Tautoga
+tautog
+Tautogolabrus
+cunner
+Scaridae
+parrotfish
+Polynemidae
+threadfin
+Polydactylus
+barbu
+Opisthognathidae
+jawfish
+Uranoscopidae
+stargazer
+Dactyloscopidae
+sand stargazer
+Blennioidea
+blennioid fish
+Blenniidae
+blenny
+Blennius
+shanny
+Scartella
+Molly Miller
+Clinidae
+clinid
+Chaenopsis
+pikeblenny
+bluethroat pikeblenny
+Pholidae
+gunnel
+Pholis
+rock gunnel
+Stichaeidae
+prickleback
+Lumpenus
+snakeblenny
+eelblenny
+Cryptacanthodes
+wrymouth
+Anarhichadidae
+Anarhichas
+wolffish
+Zoarcidae
+eelpout
+Zoarces
+viviparous eelpout
+Gymnelis
+fish doctor
+Macrozoarces
+ocean pout
+Ammodytidae
+Ammodytes
+sand lance
+Callionymidae
+dragonet
+Gobiidae
+goby
+Periophthalmus
+mudskipper
+Eleotridae
+sleeper
+Percophidae
+flathead
+Toxotidae
+Toxotes
+archerfish
+Microdesmidae
+worm fish
+Acanthuridae
+surgeonfish
+Acanthurus
+doctorfish
+Gempylidae
+gempylid
+Gempylus
+snake mackerel
+Lepidocybium
+escolar
+oilfish
+Trichiuridae
+cutlassfish
+Scombroidea
+scombroid
+Scombridae
+mackerel
+Scomber
+common mackerel
+Spanish mackerel
+chub mackerel
+Acanthocybium
+wahoo
+Scomberomorus
+Spanish mackerel
+king mackerel
+Scomberomorus maculatus
+cero
+sierra
+Thunnus
+tuna
+albacore
+bluefin
+yellowfin
+Sarda
+bonito
+skipjack
+Chile bonito
+Euthynnus
+skipjack
+Katsuwonus
+Katsuwonidae
+bonito
+Xiphiidae
+Xiphias
+swordfish
+Istiophoridae
+sailfish
+Istiophorus
+Atlantic sailfish
+billfish
+Makaira
+marlin
+blue marlin
+black marlin
+striped marlin
+white marlin
+Tetrapturus
+spearfish
+Luvaridae
+Luvarus
+louvar
+Stromateidae
+butterfish
+Poronotus
+dollarfish
+genus Palometa
+palometa
+Paprilus
+harvestfish
+Psenes
+driftfish
+Ariomma
+driftfish
+Tetragonurus
+squaretail
+Hyperoglyphe
+barrelfish
+Gobiesocidae
+Gobiesox
+clingfish
+skillet fish
+Lobotidae
+Lobotes
+tripletail
+Atlantic tripletail
+Pacific tripletail
+Gerreidae
+mojarra
+Gerres
+yellowfin mojarra
+Eucinostomus
+silver jenny
+Sillaginidae
+Sillago
+whiting
+ganoin
+Ganoidei
+ganoid
+Amiidae
+Amia
+bowfin
+Polyodontidae
+Polyodon
+paddlefish
+Psephurus
+Chinese paddlefish
+Acipenseridae
+sturgeon
+Acipenser
+Pacific sturgeon
+beluga
+Lepisosteidae
+Lepisosteus
+gar
+Scleroparei
+Scorpaenoidea
+scorpaenoid
+Scorpaenidae
+scorpaenid
+Scorpaena
+scorpionfish
+plumed scorpionfish
+Pterois
+lionfish
+Synanceja
+stonefish
+Sebastodes
+rockfish
+copper rockfish
+vermillion rockfish
+red rockfish
+rosefish
+Cottidae
+Cottus
+sculpin
+bullhead
+miller's-thumb
+Hemitripterus
+sea raven
+Myxocephalus
+grubby
+Cyclopteridae
+Cyclopterus
+lumpfish
+lumpsucker
+Liparididae
+Liparis
+snailfish
+Agonidae
+poacher
+Agonus
+pogge
+Aspidophoroides
+alligatorfish
+Hexagrammidae
+greenling
+Hexagrammos
+kelp greenling
+Oxylebius
+painted greenling
+Platycephalidae
+flathead
+Triglidae
+gurnard
+Triga
+tub gurnard
+sea robin
+Triglinae
+Prionotus
+northern sea robin
+Peristediinae
+Peristedion
+armored searobin
+Dactylopteridae
+Dactylopterus
+flying gurnard
+Plectognathi
+plectognath
+Balistidae
+triggerfish
+Balistes
+queen triggerfish
+Monocanthidae
+filefish
+Monocanthus
+leatherjacket
+Ostraciidae
+boxfish
+Lactophrys
+cowfish
+Tetraodontidae
+puffer
+Diodontidae
+spiny puffer
+Diodon
+porcupinefish
+balloonfish
+Chilomycterus
+burrfish
+Molidae
+genus Mola
+ocean sunfish
+sharptail mola
+Heterosomata
+flatfish
+flounder
+Pleuronectidae
+righteye flounder
+Pleuronectes
+plaice
+Platichthys
+European flatfish
+Limanda
+yellowtail flounder
+Pseudopleuronectes
+winter flounder
+Microstomus
+lemon sole
+Hippoglossoides
+American plaice
+halibut
+Hippoglossus
+Atlantic halibut
+Pacific halibut
+Bothidae
+lefteye flounder
+Paralichthys
+southern flounder
+summer flounder
+Etropus
+grey flounder
+Citharichthys
+whiff
+horned whiff
+sand dab
+Scophthalmus
+windowpane
+brill
+Psetta
+turbot
+Cynoglossidae
+tonguefish
+Soleidae
+sole
+Solea
+European sole
+lemon sole
+Parophrys
+English sole
+Psettichthys
+sand sole
+Trinectes
+hogchoker
+thick skin
+thorax
+prothorax
+metamere
+aba
+aba
+abacus
+abacus
+abandoned ship
+A battery
+abattis
+abattoir
+abaya
+Abbe condenser
+abbey
+abbey
+abbey
+Abney level
+abortifacient
+abortion pill
+abrader
+abrading stone
+Abstract Expressionism
+abstraction
+abstractionism
+abutment
+abutment arch
+academic costume
+academic gown
+academy
+Acapulco gold
+accelerator
+accelerator
+accelerator
+accelerometer
+access
+access
+accessory
+accessory
+access road
+accommodating lens implant
+accommodation
+accommodation ladder
+accordion
+accumulator
+ace
+acebutolol
+ACE inhibitor
+ace of clubs
+ace of diamonds
+ace of hearts
+ace of spades
+acetaminophen
+acetanilide
+acetate disk
+acetate rayon
+acetophenetidin
+achromatic lens
+acid
+acorn tube
+acoustic
+acoustic delay line
+acoustic device
+acoustic guitar
+acoustic modem
+acoustic storage
+acropolis
+acrylic
+acrylic
+Actifed
+actinometer
+actinomycin
+action
+active matrix screen
+active placebo
+actuator
+acyclovir
+Adam
+adapter
+adder
+adding machine
+addition
+additive
+addressing machine
+adhesive bandage
+adhesive tape
+adit
+adjoining room
+adjustable wrench
+adjuvant
+admixture
+adobe
+adornment
+adrenergic
+adumbration
+adz
+aeolian harp
+aerator
+aerial ladder
+aerial torpedo
+aerosol
+Aertex
+afghan
+Afro-wig
+afterburner
+afterdeck
+after-shave
+afterthought
+agal
+agateware
+agglomerator
+aglet
+aglet
+agonist
+agora
+aigrette
+aileron
+air bag
+air base
+airbrake
+airbrake
+airbrush
+airbus
+air compressor
+air conditioner
+aircraft
+aircraft carrier
+aircraft engine
+air cushion
+air cushion
+airdock
+airfield
+air filter
+airfoil
+Air Force Research Laboratory
+airframe
+air gun
+air hammer
+air hole
+air horn
+air horn
+airing cupboard
+air-intake
+airline
+airline
+airliner
+airlock
+airmailer
+air mattress
+air passage
+airplane
+airplane propeller
+airport
+air pump
+air search radar
+air shaft
+airship
+airstrip
+air terminal
+air-to-air missile
+air-to-ground missile
+air transportation system
+aisle
+aisle
+aisle
+Aladdin's lamp
+alarm
+alarm clock
+Alaskan pipeline
+alb
+album
+albuterol
+alcazar
+alcohol thermometer
+alcove
+alehouse
+alembic
+alendronate
+algometer
+Alhambra
+alidade
+alidade
+A-line
+alkylating agent
+Allen screw
+Allen wrench
+alley
+alligator wrench
+allopurinol
+alms dish
+aloes
+alpaca
+alpenstock
+alpha blocker
+alpha-interferon
+alprazolam
+altar
+altar
+altarpiece
+altazimuth
+alternator
+altimeter
+alto relievo
+alum
+aluminum foil
+Amati
+ambulance
+ambulatory
+amen corner
+Americana
+American flag
+American organ
+American Stock Exchange
+aminophylline
+aminopyrine
+amiodarone
+amitriptyline
+amlodipine besylate
+ammeter
+ammonia clock
+ammunition
+amobarbital
+amobarbital sodium
+amoxicillin
+amphetamine
+amphetamine sulfate
+amphibian
+amphibian
+amphitheater
+amphitheater
+amphora
+amphotericin
+ampicillin
+amplifier
+ampulla
+amrinone
+amulet
+amusement arcade
+amyl nitrate
+anachronism
+anaglyph
+anaglyph
+analeptic
+analgesic
+analog clock
+analog computer
+analog watch
+analytical balance
+analyzer
+anamorphosis
+anastigmat
+anastigmatic lens
+anchor
+anchor chain
+anchor light
+AND circuit
+andiron
+android
+anechoic chamber
+anemometer
+aneroid barometer
+anesthetic
+anesthyl
+angiocardiogram
+angiogenesis inhibitor
+angiogram
+angioscope
+angiotensin
+angiotensin I
+angiotensin II
+angiotensin II inhibitor
+angle bracket
+angledozer
+Angostura Bridge
+animalization
+ankle brace
+anklet
+anklet
+anklet
+ankus
+annex
+annulet
+annulet
+annulet
+annunciator
+anode
+anode
+answering machine
+antagonist
+antefix
+antenna
+anteroom
+antiaircraft
+antiarrhythmic
+antibacterial
+antiballistic missile
+antibiotic
+anticholinergic
+anticholinesterase
+anticoagulant
+anticonvulsant
+antidepressant
+antidiabetic
+antidiarrheal
+antidiuretic
+antidote
+antiemetic
+antiflatulent
+antifouling paint
+antifungal
+anti-G suit
+antihistamine
+antihypertensive
+anti-inflammatory
+antimacassar
+antimalarial
+antimetabolite
+antimycin
+antineoplastic
+antineoplastic antibiotic
+antiperspirant
+antiprotozoal
+antipruritic
+antipyretic
+antique
+antiquity
+antiseptic
+antispasmodic
+anti-submarine rocket
+antisyphilitic
+anti-TNF compound
+antitussive
+antiviral
+Antonine Wall
+anvil
+ao dai
+apadana
+apartment
+apartment building
+APC
+aperture
+aperture
+aphrodisiac
+apiary
+apishamore
+apomorphine
+apparatus
+apparel
+appendage
+appendicle
+Appian Way
+applecart
+apple of discord
+apple orchard
+appliance
+appliance
+applicator
+applique
+appointment
+approach trench
+apron
+apron
+apron string
+apse
+aqualung
+aquaplane
+aquarium
+aquatint
+aqueduct
+arabesque
+araroba
+arbor
+arboretum
+arcade
+arcade
+arch
+arch
+architectural ornament
+architecture
+architrave
+architrave
+archive
+arch support
+arc lamp
+arctic
+area
+areaway
+arena
+arena theater
+argyle
+argyle
+argyll
+ark
+Ark
+arm
+arm
+armament
+armature
+armband
+armchair
+armet
+arm guard
+armhole
+armilla
+armillary sphere
+armlet
+armoire
+armor
+armored car
+armored car
+armored personnel carrier
+armored vehicle
+armor plate
+armory
+armrest
+army base
+Army High Performance Computing Research Center
+arnica
+arquebus
+array
+array
+arrester
+arrival gate
+arrow
+arrowhead
+arsenal
+arsenal
+art
+Artemision at Ephesus
+arterial road
+arteriogram
+artery
+artesian well
+arthrogram
+arthroscope
+article of commerce
+articulated ladder
+artificial flower
+artificial heart
+artificial horizon
+artificial joint
+artificial kidney
+artificial skin
+artillery
+artillery shell
+artist's loft
+artist's workroom
+art school
+ascot
+ashcan
+Ash Can
+ashlar
+ash-pan
+ashtray
+asparaginase
+asparagus bed
+aspergill
+aspersorium
+aspirator
+aspirin
+aspirin powder
+assault gun
+assault rifle
+assegai
+assembly
+assembly
+assembly hall
+assembly plant
+astatic coils
+astatic galvanometer
+astringent
+astrodome
+astrolabe
+astronomical telescope
+astronomy satellite
+Aswan High Dam
+atenolol
+athanor
+athenaeum
+athletic facility
+athletic sock
+athletic supporter
+atlas
+atmometer
+atom bomb
+atomic clock
+atomic cocktail
+atomic pile
+atomic warhead
+atomizer
+atorvastatin
+atrium
+atropine
+attache case
+attachment
+attachment
+attack submarine
+attenuator
+attic
+attic fan
+attire
+auction block
+audio
+audio amplifier
+audiocassette
+audio CD
+audiogram
+audiometer
+audio system
+audiotape
+audiotape
+audiovisual
+auditorium
+Augean stables
+auger
+Auschwitz
+auto accessory
+autobahn
+autoclave
+autofocus
+autogiro
+autograph album
+autoinjector
+autoloader
+automat
+automat
+automatic choke
+automatic firearm
+automatic pistol
+automatic rifle
+automatic transmission
+automation
+automaton
+automobile engine
+automobile factory
+automobile horn
+auto part
+autopilot
+autoradiograph
+autostrada
+auxiliary airfield
+auxiliary boiler
+auxiliary engine
+auxiliary pump
+auxiliary research submarine
+auxiliary storage
+avenue
+aviary
+awl
+awning
+ax
+ax handle
+ax head
+axis
+axle
+axle bar
+axletree
+azathioprine
+zidovudine
+azithromycin
+aztreonam
+B-52
+babushka
+baby bed
+baby buggy
+baby grand
+baby oil
+baby powder
+baby shoe
+bacitracin
+back
+back
+backband
+backbench
+backboard
+backboard
+backbone
+back brace
+back door
+backdrop
+backgammon board
+background
+backhoe
+backing
+backlighting
+backpack
+backpacking tent
+backplate
+back porch
+back room
+backroom
+backsaw
+backscratcher
+backseat
+backspace key
+backstairs
+backstay
+backstitch
+backstop
+backsword
+backup
+backup system
+backyard
+bacteria bed
+badminton court
+badminton equipment
+badminton racket
+baffle
+bag
+bag
+bag
+bagatelle
+baggage
+baggage
+baggage car
+baggage claim
+bagger
+bagpipe
+bailey
+bailey
+Bailey bridge
+bain-marie
+bait
+baize
+bakery
+balaclava
+balalaika
+balance
+balance beam
+balance wheel
+balbriggan
+balcony
+balcony
+baldachin
+baldric
+bale
+baling wire
+ball
+ball
+ball and chain
+ball-and-socket joint
+ballast
+ballast
+ballast resistor
+ball bearing
+ball cartridge
+ballcock
+balldress
+ballet skirt
+ball field
+ball gown
+ballistic galvanometer
+ballistic missile
+ballistic pendulum
+ballistocardiograph
+balloon
+balloon
+balloon bomb
+balloon sail
+ballot box
+ballpark
+ball-peen hammer
+ballpoint
+ballroom
+ball valve
+Balmoral
+balmoral
+balsam
+balsa raft
+baluster
+banana boat
+band
+band
+band
+band
+band
+band
+bandage
+Band Aid
+bandanna
+bandbox
+banderilla
+bandoleer
+bandoneon
+bandsaw
+bandstand
+bandwagon
+bangalore torpedo
+bangle
+banjo
+bank
+banner
+bannister
+banquette
+banyan
+baptismal font
+bar
+bar
+bar
+bar
+bar
+bar
+barb
+barb
+barbecue
+barbed wire
+barbell
+barber chair
+barbershop
+barbette
+barbette carriage
+barbican
+bar bit
+barbital
+barbiturate
+bard
+bareboat
+barge
+bargello
+barge pole
+baritone
+bark
+bar magnet
+bar mask
+barn
+barndoor
+barn door
+barnyard
+barograph
+barometer
+barong
+barouche
+bar printer
+barrack
+barrage balloon
+barrel
+barrel
+barrelhouse
+barrel knot
+barrel organ
+barrel vault
+barrette
+barricade
+barrier
+barroom
+barrow
+bar soap
+bascule
+base
+base
+base
+base
+base
+base
+baseball
+baseball bat
+baseball cap
+baseball card
+baseball diamond
+baseball equipment
+baseball glove
+baseboard
+basement
+basement
+basic
+basic point defense missile system
+basilica
+basilica
+basilisk
+basin
+basinet
+basket
+basket
+basketball
+basketball court
+basketball equipment
+basket hilt
+basket weave
+bas relief
+bass
+bass clarinet
+bass drum
+basset horn
+bass fiddle
+bass guitar
+bass horn
+bassinet
+bassinet
+bassoon
+bastard
+baste
+baster
+bastille
+Bastille
+bastinado
+bastion
+bastion
+basuco
+bat
+bath
+bath chair
+bathhouse
+bathhouse
+bathing cap
+bath linen
+bath mat
+bath oil
+bathrobe
+bathroom
+bathroom cleaner
+bathroom fixture
+bath salts
+bath towel
+bathtub
+bathymeter
+bathyscaphe
+bathysphere
+batik
+batiste
+baton
+baton
+baton
+baton
+Baton Rouge Bridge
+batten
+battering ram
+batter's box
+battery
+battery
+batting
+batting cage
+batting glove
+batting helmet
+battle-ax
+battle cruiser
+battle dress
+battle flag
+battlement
+battleship
+battle sight
+batwing
+bay
+bay
+bayonet
+Bayonne Bridge
+bay rum
+bay window
+bazaar
+bazaar
+bazooka
+BB
+B battery
+BB gun
+beach ball
+beach house
+beach towel
+beach wagon
+beachwear
+beacon
+bead
+beading
+beading
+beading plane
+beads
+beaker
+beaker
+beam
+beam
+beam balance
+beanbag
+beanie
+bear claw
+bearing
+bearing rein
+bearing wall
+bearskin
+beater
+beating-reed instrument
+beauty spot
+beaver
+beaver
+beaver board
+becket
+Beckman thermometer
+bed
+bed
+bed
+bed
+bed and breakfast
+bedclothes
+bedding material
+Bedford cord
+bed jacket
+Bedlam
+bed linen
+bedpan
+bed pillow
+bedpost
+bedroll
+bedroom
+bedroom furniture
+bedsitting room
+bedspread
+bedspring
+bedstead
+beefcake
+beehive
+beehive
+beeper
+beer barrel
+beer bottle
+beer can
+beer garden
+beer glass
+beer hall
+beer mat
+beer mug
+belaying pin
+belfry
+bell
+bell
+belladonna
+bell arch
+bellarmine
+bellbottom trousers
+bell cote
+bell deck
+bell foundry
+bell gable
+bell jar
+bellows
+bellpull
+bell push
+bell seat
+bell tent
+bell tower
+bellyband
+bellyband
+Belmont Park
+Belsen
+belt
+belt
+belt
+belt buckle
+belting
+belvedere
+beltway
+bench
+bench
+bench clamp
+bench hook
+bench lathe
+bench press
+bend
+bend
+bender
+Benjamin Franklin Bridge
+bentwood
+Benzedrine
+benzocaine
+benzodiazepine
+beret
+berlin
+Bermuda rig
+Bermuda shorts
+berth
+besom
+Bessemer converter
+beta blocker
+beta-interferon
+betatron
+bethel
+betting shop
+bevatron
+bevel
+bevel
+bevel gear
+bezel
+B-flat clarinet
+bhang
+bib
+bib
+bib-and-tucker
+bicorn
+bicycle
+bicycle-built-for-two
+bicycle chain
+bicycle clip
+bicycle pump
+bicycle rack
+bicycle seat
+bicycle wheel
+bidet
+bier
+bier
+bi-fold door
+bifocals
+Big Ben
+Big Blue
+big board
+biggin
+big H
+bight
+bijou
+bikini
+bikini pants
+bilge
+bilge keel
+bilge pump
+bilges
+bilge well
+bill
+bill
+billboard
+billet
+billiard ball
+billiard marker
+billiard room
+bimetallic strip
+bin
+binder
+binder
+binder
+bindery
+binding
+binding
+bin liner
+binnacle
+binoculars
+binocular microscope
+biochip
+biohazard suit
+biology lab
+bioscope
+bioscope
+bioweapon
+biplane
+biprism
+birch
+birchbark canoe
+birdbath
+birdcage
+birdcage mask
+birdcall
+bird feeder
+birdhouse
+bird shot
+biretta
+bishop
+bistro
+bit
+bit
+bit
+bite plate
+bitewing
+bitmap
+bitter end
+bitthead
+bitt pin
+bitumastic
+black
+black
+black and white
+blackboard
+blackboard eraser
+black box
+blackface
+black flag
+Black Hole of Calcutta
+blackjack
+black tie
+Blackwall hitch
+blackwash
+blackwash
+bladder
+blade
+blade
+blade
+blank
+blank
+blanket
+blanket
+blanket stitch
+Blarney Stone
+blast furnace
+blasting cap
+blasting gelatin
+blazer
+bleachers
+blender
+blimp
+blind
+blind
+blind alley
+blind corner
+blind curve
+blindfold
+bling
+blinker
+blister pack
+block
+block
+blockade
+blockade-runner
+blockage
+block and tackle
+blockbuster
+block diagram
+blocker
+blockhouse
+block plane
+bloodmobile
+bloomers
+blouse
+blower
+blowgun
+blowtorch
+blowtube
+blucher
+bludgeon
+blue
+blue chip
+blueprint
+blunderbuss
+blunt file
+board
+board
+boarding
+boarding house
+boardroom
+board rule
+boards
+boards
+boardwalk
+boat
+boat deck
+boater
+boat hook
+boathouse
+boatswain's chair
+boat train
+boat whistle
+boatyard
+bob
+bob
+bobbin
+bobby pin
+bobsled
+bobsled
+bocce ball
+bodega
+bodice
+bodkin
+bodkin
+bodkin
+body
+body armor
+body bag
+body lotion
+body stocking
+body plethysmograph
+body pad
+bodywork
+Bofors gun
+bogy
+boiler
+boilerplate
+boiling water reactor
+bola
+bolero
+bollard
+bollock
+bolo
+bologram
+bolometer
+bolo tie
+bolster
+bolt
+bolt
+bolt
+bolt
+bolt cutter
+bolus
+bomb
+bombardon
+bombazine
+bomb calorimeter
+bomber
+bomber jacket
+bombie
+bomblet
+bomb rack
+bombshell
+bomb shelter
+bombsight
+bone-ash cup
+bone china
+bones
+boneshaker
+bongo
+bonnet
+booby prize
+book
+book
+book bag
+bookbindery
+bookcase
+bookend
+bookmark
+bookmobile
+bookshelf
+bookshop
+boom
+boom
+boomerang
+booster
+booster
+booster
+boot
+boot
+boot
+boot
+boot camp
+bootee
+booth
+booth
+booth
+boothose
+bootjack
+bootlace
+bootleg
+bootstrap
+Bordeaux mixture
+border
+bore
+bore bit
+boron chamber
+boron counter tube
+borstal
+bosom
+Bosporus Bridge
+Boston rocker
+bota
+botanical
+bottle
+bottle
+bottle bank
+bottlebrush
+bottlecap
+bottleneck
+bottle opener
+bottling plant
+bottom
+boucle
+boudoir
+boulle
+bouncing betty
+Bounty
+bouquet
+Bourse
+boutique
+boutonniere
+bow
+bow
+bow
+bow
+bow
+bow and arrow
+bowed stringed instrument
+Bowie knife
+bowl
+bowl
+bowl
+bowl
+bowler hat
+bowline
+bowling alley
+bowling alley
+bowling ball
+bowling equipment
+bowling pin
+bowling shoe
+bowsprit
+bowstring
+bow tie
+box
+box
+box
+box
+box
+box beam
+box camera
+boxcar
+box coat
+boxing equipment
+boxing glove
+boxing ring
+box kite
+box office
+box pleat
+box seat
+box spring
+box wrench
+brace
+brace
+brace
+brace
+brace
+brace
+brace and bit
+bracelet
+bracer
+bracer
+brace wrench
+bracket
+brad
+bradawl
+braid
+brail
+brail
+brake
+brake
+brake band
+brake cylinder
+brake disk
+brake drum
+brake lining
+brake pad
+brake pedal
+brake shoe
+brake system
+branch line
+brand-name drug
+brass
+brass
+brass
+brassard
+brasserie
+brassie
+brassiere
+brass knucks
+brass monkey
+brattice
+brazier
+breadbasket
+bread-bin
+breadboard
+bread knife
+breakable
+breakfast area
+breakfast table
+break seal
+breakwater
+breast drill
+breast implant
+breastplate
+breast pocket
+breathalyzer
+breathing device
+breech
+breechblock
+breechcloth
+breeches
+breeches buoy
+breechloader
+breeder reactor
+Bren
+brewery
+brewpub
+briar
+bric-a-brac
+brick
+brickkiln
+bricklayer's hammer
+brick trowel
+brickwork
+brickyard
+bridal gown
+bridge
+bridge
+bridge
+bridge
+bridge
+bridge
+bridged-T
+bridle
+bridle path
+bridoon
+briefcase
+briefcase bomb
+briefcase computer
+briefs
+brig
+brig
+brigandine
+brigantine
+brilliantine
+brilliant pebble
+brim
+brim
+briquette
+bristle
+bristle brush
+britches
+broad arrow
+broadax
+brochette
+broadcaster
+broadcasting station
+broadcasting studio
+broadcloth
+broadcloth
+broad gauge
+broad hatchet
+broadloom
+broadside
+broadside
+broadsword
+brocade
+brogan
+broiler
+broken arch
+brokerage house
+brompheniramine maleate
+bronchodilator
+bronchoscope
+Bronx-Whitestone Bridge
+bronze
+bronze medal
+brooch
+Brooklyn Bridge
+broom
+broom closet
+broomstick
+brougham
+brougham
+Browning automatic rifle
+Browning machine gun
+brownstone
+Brown University
+brunch coat
+brush
+brush
+Brussels carpet
+Brussels lace
+bubble
+bubble chamber
+bubble jet printer
+bubbler
+Buchenwald
+buckboard
+bucket
+bucket seat
+bucket shop
+buckle
+buckram
+bucksaw
+buckskins
+buff
+buffer
+buffer
+buffer
+buffered aspirin
+buffet
+buffing wheel
+bug
+buggy
+buggy whip
+bugle
+bugle
+building
+building block
+building complex
+building supply store
+built-in bed
+bulb
+bulkhead
+bulla
+bulldog clip
+bulldog wrench
+bulldozer
+bullet
+bulletin board
+bulletin board system
+bulletproof vest
+bullet train
+bullfight
+bullhorn
+bullion
+bullnose
+bullpen
+bullpen
+bullring
+bull tongue
+bulwark
+bumboat
+bumper
+bumper
+bumper car
+bumper guard
+bumper jack
+bundle
+bung
+bungalow
+bungee
+bunghole
+bunk
+bunk
+bunk bed
+bunker
+bunker
+bunker
+Bunker Buster
+bunsen burner
+bunting
+bur
+Burberry
+burette
+burglar alarm
+burial chamber
+burial garment
+burial mound
+burin
+burqa
+burlap
+burn bag
+burn center
+burner
+burner
+burnous
+burp gun
+burr
+burr
+burthen
+bus
+bus
+busbar
+bushel basket
+bushing
+bushing
+bush jacket
+business suit
+buskin
+bus lane
+bus line
+buspirone
+bust
+bus terminal
+bustier
+bustle
+butacaine
+butcher board
+butcher knife
+butcher shop
+butt
+butt
+butt
+butter dish
+butterfly valve
+butter knife
+buttery
+butt hinge
+butt joint
+button
+button
+buttonhole
+buttonhole stitch
+buttonhook
+buttress
+butt shaft
+butt weld
+butyl nitrite
+buzz bomb
+buzzer
+BVD
+bypass condenser
+by-product
+byway
+cab
+cab
+cab
+cabana
+cabaret
+caber
+cabin
+cabin
+cabin
+cabin car
+cabin class
+cabin cruiser
+cabinet
+cabinet
+cabinet
+cabinetwork
+cabin liner
+cable
+cable
+cable
+cable car
+cable railway
+cache
+cache
+cachet
+caddy
+caesium clock
+cafe
+cafeteria
+cafeteria facility
+cafeteria tray
+caff
+caftan
+caftan
+cage
+cage
+cagoule
+caisson
+caisson
+caisson
+cake
+calabash
+calamine lotion
+calash
+calash
+calceus
+calcimine
+calcium blocker
+calculator
+caldron
+Caledonian Canal
+calender
+calico
+caliper
+calk
+call-board
+call center
+caller ID
+calliope
+Caloosahatchee Canal
+calorimeter
+calpac
+calumet
+Calvary cross
+cam
+camail
+camber arch
+cambric
+Cambridge University
+camcorder
+camel's hair
+cameo
+camera
+camera lens
+camera lucida
+camera obscura
+camera tripod
+camise
+camisole
+camisole
+camlet
+camlet
+camouflage
+camouflage
+camp
+camp
+camp
+camp
+camp
+campaign hat
+campanile
+camp chair
+camper
+camper trailer
+camphor ice
+campstool
+camshaft
+can
+canal
+canal boat
+candelabrum
+candid camera
+candle
+candlepin
+candlesnuffer
+candlestick
+candlewick
+candlewick
+candy thermometer
+cane
+cane
+cangue
+canister
+cannabis
+cannery
+cannikin
+cannikin
+cannon
+cannon
+cannon
+cannon
+cannonball
+cannon cracker
+cannula
+canoe
+can opener
+canopic jar
+canopy
+canopy
+canopy
+canteen
+canteen
+canteen
+canteen
+canteen
+cant hook
+cantilever
+cantilever bridge
+cantle
+Canton crepe
+canvas
+canvas
+canvas
+canvas tent
+cap
+cap
+cap
+capacitor
+caparison
+cape
+capeline bandage
+capillary
+capital
+capital ship
+Capitol
+capitol
+cap opener
+capote
+capote
+cap screw
+capstan
+capstone
+capsule
+capsule
+captain's chair
+captopril
+capuchin
+car
+car
+car
+car
+carabiner
+carafe
+caravansary
+car battery
+carbine
+car bomb
+carbomycin
+carbon
+carbon arc lamp
+carboy
+carburetor
+car carrier
+card
+cardcase
+cardiac monitor
+cardigan
+card index
+cardiograph
+cardioid microphone
+car door
+cardroom
+card table
+card table
+car-ferry
+cargo
+cargo area
+cargo container
+cargo door
+cargo hatch
+cargo helicopter
+cargo liner
+cargo ship
+carillon
+carminative
+car mirror
+Carnegie Mellon University
+caroche
+carousel
+carousel
+carpenter's hammer
+carpenter's kit
+carpenter's level
+carpenter's mallet
+carpenter's rule
+carpenter's square
+carpetbag
+carpet beater
+carpet loom
+carpet pad
+carpet sweeper
+carpet tack
+carport
+carrack
+carrel
+carriage
+carriage
+carriage bolt
+carriageway
+carriage wrench
+carrick bend
+carrick bitt
+carrier
+carrier
+carron oil
+carryall
+carrycot
+car seat
+cart
+car tire
+carton
+cartouche
+car train
+cartridge
+cartridge
+cartridge
+cartridge belt
+cartridge ejector
+cartridge extractor
+cartridge fuse
+cartridge holder
+cartwheel
+carvedilol
+carving
+carving fork
+carving knife
+car wheel
+car window
+caryatid
+cascade liquefier
+cascade transformer
+case
+case
+case
+case
+casein paint
+case knife
+case knife
+casement
+casement window
+casern
+case shot
+cash bar
+cashbox
+cash machine
+cashmere
+cash register
+casing
+casing
+casino
+casket
+casque
+casquet
+Cassegrainian telescope
+casserole
+cassette
+cassette deck
+cassette player
+cassette recorder
+cassette tape
+cassock
+cast
+cast
+caster
+caster
+castile soap
+castle
+castle
+castor oil
+catacomb
+catafalque
+catalytic converter
+catalytic cracker
+catamaran
+catapult
+catapult
+catboat
+cat box
+catch
+catch
+catchall
+catcher's mask
+catchment
+Caterpillar
+catgut
+cathedra
+cathedral
+cathedral
+catherine wheel
+catheter
+cathode
+cathode
+cathode-ray tube
+catling
+cat-o'-nine-tails
+cat rig
+cat's-paw
+catsup bottle
+cattle car
+cattle guard
+cattleship
+cattle trail
+catwalk
+catwalk
+causeway
+cautery
+cavalier hat
+cavalry sword
+cavetto
+cavity wall
+C battery
+C-clamp
+CD drive
+CD player
+CD-R
+CD-ROM
+CD-ROM drive
+cedar chest
+cefadroxil
+cefoperazone
+cefotaxime
+ceftazidime
+ceftriaxone
+cefuroxime
+ceiling
+celecoxib
+celesta
+celestial globe
+cell
+cell
+cell
+cell
+cellar
+cellarage
+cellblock
+cello
+cellophane
+cellular telephone
+cellulose tape
+Celtic cross
+cenotaph
+censer
+center
+center bit
+centerboard
+center field
+centerpiece
+center punch
+Centigrade thermometer
+central
+central heating
+central processing unit
+centrex
+centrifugal pump
+centrifuge
+cephalexin
+cephaloglycin
+cephaloridine
+cephalosporin
+cephalothin
+ceramic
+ceramic ware
+cerate
+cereal bowl
+cereal box
+cerecloth
+cerivastatin
+cervical cap
+cesspool
+chachka
+chador
+chaff
+chafing dish
+chafing gear
+chain
+chain
+chain
+chain
+chainlink fence
+chain mail
+chain printer
+chain saw
+chain stitch
+chain stitch
+chain store
+chain tongs
+chain wrench
+chair
+chair
+chair of state
+chairlift
+chaise
+chaise longue
+chalet
+chalice
+chalk
+chalk line
+chalkpit
+challis
+chamber
+chamber
+chamberpot
+chambray
+chamfer bit
+chamfer plane
+chamois cloth
+chancel
+chancellery
+chancery
+chandelier
+chandlery
+chandlery
+chanfron
+change
+change
+channel
+channel
+chanter
+chantry
+chap
+chapel
+chapterhouse
+chapterhouse
+character printer
+charcoal
+charcoal
+charcoal burner
+charcuterie
+charge
+charge
+charge-exchange accelerator
+charger
+chariot
+chariot
+Charlestown Navy Yard
+charm
+charnel house
+chart
+charterhouse
+Chartres Cathedral
+chase
+chassis
+chassis
+chasuble
+chateau
+chatelaine
+check
+checker
+checkerboard
+checkout
+checkroom
+cheekpiece
+cheeseboard
+cheesecake
+cheesecloth
+cheese cutter
+cheese press
+chemical bomb
+chemical plant
+chemical reactor
+chemical weapon
+chemise
+chemise
+chemistry lab
+chenille
+chenille
+cheroot
+cherry bomb
+chessboard
+chessman
+chest
+chesterfield
+chesterfield
+chest of drawers
+chest protector
+cheval-de-frise
+cheval glass
+chevron
+chiaroscuro
+chicane
+chicken coop
+chicken farm
+chicken wire
+chicken yard
+chiffon
+chiffonier
+child's room
+chime
+chimney
+chimney breast
+chimney corner
+chimneypot
+chimneystack
+china
+china cabinet
+chinaware
+chinchilla
+Chinese lantern
+Chinese puzzle
+Chinese Wall
+chinning bar
+chino
+chino
+chinoiserie
+chin rest
+chin strap
+chintz
+chip
+chip
+chip
+chisel
+Chisholm Trail
+chiton
+chlamys
+chloral hydrate
+chlorambucil
+chloramine
+chloramphenicol
+chlordiazepoxide
+chlorhexidine
+chloroform
+chloroquine
+chlorothiazide
+chlorpheniramine maleate
+chlorpromazine
+chlortetracycline
+chlorthalidone
+chock
+choir
+choir loft
+choke
+choke
+choker
+choker
+chokey
+choo-choo
+chopine
+chopping block
+chopping board
+chop shop
+chopstick
+chordophone
+choropleth map
+chrism
+Christmas stocking
+Christmas tree
+chromatogram
+chronograph
+chronometer
+chronoscope
+chuck
+chuck wagon
+chukka
+chum
+chunnel
+church
+church bell
+church hat
+Churchill Downs
+church key
+church tower
+churidars
+churn
+chute
+cider mill
+ciderpress
+cigar
+cigar band
+cigar box
+cigar butt
+cigar cutter
+cigarette
+cigarette butt
+cigarette case
+cigarette holder
+cigarillo
+cigar lighter
+cimetidine
+cinch
+cinder block
+cinder track
+cinema
+cinquefoil
+ciprofloxacin
+circle
+circle
+circlet
+circuit
+circuit board
+circuit breaker
+circuitry
+circular plane
+circular saw
+circus
+circus
+circus tent
+cistern
+cistern
+cittern
+city hall
+cityscape
+city university
+civies
+civilian clothing
+clack valve
+clamp
+clamshell
+clapper
+clapperboard
+clarence
+clarinet
+clarion
+Clark cell
+claro
+clasp
+clasp knife
+classic
+classroom
+clavichord
+clavier
+claw hatchet
+clay pigeon
+claymore mine
+claymore
+clay pipe
+clean bomb
+cleaners
+cleaning implement
+cleaning pad
+clean room
+cleansing agent
+clearway
+cleat
+cleat
+cleat
+cleats
+cleaver
+clerestory
+clerical collar
+clevis
+clews
+cliff dwelling
+climbing frame
+clinch
+clinch
+clincher
+clinic
+clinical thermometer
+clinker
+clinometer
+clip
+clip
+clip art
+clipboard
+clip joint
+clip lead
+clip-on
+clipper
+clipper
+clipper
+cloak
+cloak
+cloakroom
+cloakroom
+cloche
+cloche
+clock
+clock face
+clock pendulum
+clock radio
+clock tower
+clockwork
+clofibrate
+clog
+clog
+cloisonne
+cloister
+clomiphene
+clomipramine
+clonidine
+clopidogrel bisulfate
+closed circuit
+closed-circuit television
+closed loop
+closet
+closet auger
+closeup
+closeup lens
+cloth cap
+cloth covering
+clothesbrush
+clothes closet
+clothes dryer
+clothes hamper
+clotheshorse
+clothesline
+clothespin
+clothes tree
+clothing
+clothing store
+cloud chamber
+clout nail
+clove hitch
+cloverleaf
+clozapine
+club
+club
+club car
+club drug
+clubhouse
+clubroom
+cluster bomb
+clutch
+clutch
+clutch bag
+CN Tower
+coach
+coach house
+coalbin
+coal car
+coal chute
+coal house
+coal mine
+coal shovel
+coaming
+coaster
+coaster brake
+coat
+coat button
+coat closet
+coatdress
+coatee
+coat hanger
+coating
+coating
+coat of arms
+coat of paint
+coatrack
+coattail
+coaxial cable
+cobble
+cobweb
+cobweb
+cobweb
+coca
+cocaine
+cockade
+Cockcroft and Walton accelerator
+cocked hat
+cockhorse
+cockleshell
+cockloft
+cockpit
+cockpit
+cockpit
+cockscomb
+cocktail dress
+cocktail lounge
+cocktail shaker
+cocotte
+codeine
+codpiece
+coelostat
+coffee can
+coffee cup
+coffee filter
+coffee maker
+coffee mill
+coffee mug
+coffeepot
+coffee stall
+coffee table
+coffee-table book
+coffee urn
+coffer
+coffer
+Coffey still
+coffin
+cog
+cog railway
+coif
+coil
+coil
+coil
+coil
+coil
+coil spring
+coin box
+coin slot
+coke
+colander
+colchicine
+cold cathode
+cold chisel
+cold cream
+cold frame
+cold medicine
+cold-water flat
+collage
+collar
+collar
+collar
+collar
+collar
+collectible
+collector
+collector's item
+college
+collet
+collet
+collider
+colliery
+collimator
+collimator
+cologne
+colonnade
+colonoscope
+colophon
+colorimeter
+coloring book
+colors
+colors
+color television
+color tube
+color wash
+Colosseum
+Colossus of Rhodes
+Colt
+colter
+columbarium
+columbarium
+Columbia University
+column
+column
+column
+comb
+comb
+comber
+combination lock
+combination plane
+combine
+comforter
+command module
+command post
+commercial art
+commissary
+commissary
+commodity
+commodity exchange
+Commodore John Barry Bridge
+common ax
+common room
+communications satellite
+communication system
+communication system
+community center
+commutator
+commuter
+compact
+compact
+compact disk
+compact-disk burner
+companionway
+compartment
+compartment
+compass
+compass
+compass card
+compass saw
+component
+composition
+compound
+compound lens
+compound lever
+compound microscope
+compress
+compression bandage
+compressor
+computer
+computer accessory
+computer circuit
+computer graphics
+computerized axial tomography scanner
+computer keyboard
+computer monitor
+computer network
+computer screen
+computer store
+computer system
+concentration camp
+concert grand
+concert hall
+concertina
+concertina
+concourse
+concrete mixer
+condensation pump
+condenser
+condenser
+condenser
+condenser microphone
+conditioner
+condom
+condominium
+condominium
+conductor
+conduit
+cone
+cone clutch
+confectionery
+conference center
+conference room
+conference table
+confessional
+confetti
+conformal projection
+conge
+congress boot
+conic projection
+connecting rod
+connecting room
+connection
+conning tower
+conning tower
+conservatory
+conservatory
+console
+console
+console table
+Constitution
+consulate
+consumer goods
+contact
+contact
+contact print
+container
+container ship
+containment
+contour map
+contraband
+contrabassoon
+contraceptive
+control
+control center
+control circuit
+control key
+controlled substance
+control panel
+control rod
+control room
+control system
+control tower
+convector
+convenience store
+convent
+conventicle
+converging lens
+converter
+convertible
+convertible
+conveyance
+conveyer belt
+cooker
+cookfire
+cookhouse
+cookie cutter
+cookie jar
+cookie sheet
+cooking utensil
+cookstove
+coolant system
+cooler
+cooler
+cooling system
+cooling system
+cooling tower
+coonskin cap
+Cooper Union
+cope
+coping saw
+copper mine
+copperplate
+copperplate
+copperware
+copy
+copyholder
+coquille
+coracle
+corbel
+corbel arch
+corbel step
+corbie gable
+cord
+cord
+cord
+cordage
+cordite
+cordon
+cords
+corduroy
+core
+core
+core
+core bit
+core drill
+corer
+cork
+corker
+corkscrew
+corncrib
+Cornell University
+corner
+corner
+corner
+corner pocket
+corner post
+cornerstone
+cornerstone
+cornet
+corn exchange
+cornice
+cornice
+cornice
+corona
+coronet
+correctional institution
+corrective
+corridor
+corrugated fastener
+corrugated iron
+corsair
+corselet
+corset
+corvette
+cosmetic
+cosmography
+cosmotron
+costume
+costume
+costume
+costume
+cosy
+cot
+cote
+cottage tent
+cotter
+cotter pin
+cotton
+cotton
+cotton flannel
+cotton gin
+cotton mill
+couch
+couch
+couchette
+coude telescope
+coulisse
+coulisse
+counter
+counter
+counter
+counter
+counter
+counterbore
+counterirritant
+counterpart
+countersink
+countertop
+counter tube
+counterweight
+countinghouse
+country house
+country store
+coupe
+coupling
+course
+course
+court
+court
+court
+court
+Courtelle
+courthouse
+courthouse
+court plaster
+cover
+coverall
+covered bridge
+covered couch
+covered wagon
+cover glass
+covering
+coverlet
+cover plate
+cowbarn
+cowbell
+cowboy boot
+cowboy hat
+cowhide
+cowl
+cow pen
+Cox-2 inhibitor
+CPU board
+crack
+cracker
+crackle
+cradle
+craft
+cramp
+cramp
+crampon
+crampon
+crane
+craniometer
+crank
+crankcase
+crank handle
+crankshaft
+crash barrier
+crash helmet
+crate
+cravat
+crayon
+crazy quilt
+cream
+creamery
+cream pitcher
+creation
+creche
+creche
+credenza
+creel
+creep
+crematory
+crematory
+crenel
+crepe
+crepe de Chine
+crescent wrench
+crest
+cretonne
+crewelwork
+crew neck
+crib
+crib
+cribbage board
+cricket ball
+cricket bat
+cricket equipment
+cringle
+crinoline
+crinoline
+crochet
+crochet needle
+crochet stitch
+crock
+crockery
+crocket
+Crock Pot
+croft
+crook
+Crookes radiometer
+Crookes tube
+crop
+crop
+croquet ball
+croquet equipment
+croquet mallet
+Cross
+cross
+crossbar
+crossbar
+crossbar
+crossbench
+cross bit
+crossbow
+crosscut saw
+crosse
+cross hair
+crosshead
+crossing
+crossjack
+crosspiece
+cross-stitch
+cross-stitch
+cross street
+crotchet
+croupier's rake
+crowbar
+crown
+crown
+crown
+crown
+crown
+crown jewel
+crown jewels
+crown lens
+crown of thorns
+crown saw
+crow's nest
+crucible
+crucifix
+cruet
+cruet-stand
+cruise control
+cruise missile
+cruiser
+cruiser
+cruise ship
+crupper
+cruse
+crusher
+crutch
+cryocautery
+cryometer
+cryoscope
+cryostat
+crypt
+cryptograph
+crystal
+crystal
+crystal
+crystal ball
+crystal counter
+crystal detector
+crystal microphone
+crystal oscillator
+crystal pickup
+crystal set
+Cuban heel
+cubby
+cubbyhole
+cube
+cubeb
+cubitiere
+cucking stool
+cuckoo clock
+cuddy
+cudgel
+cue
+cue ball
+cuff
+cufflink
+cuirass
+cuisse
+cul
+culdoscope
+cullis
+culotte
+cultivator
+culverin
+culverin
+culvert
+cummerbund
+cup
+cup
+cup
+cupboard
+cup hook
+Cupid's bow
+cupola
+cupola
+curb
+curb
+curb market
+curb roof
+curbside
+curbstone
+curette
+curio
+curler
+curling iron
+currycomb
+cursor
+curtain
+curtain ring
+cushion
+cushion
+cusp
+cuspidation
+custard pie
+customhouse
+custom-made
+cut
+cut
+cutaway
+cutaway
+cut glass
+cutlas
+cutlery
+cutoff
+cutout
+cutout
+cutout
+cutter
+cutter
+cutting implement
+cutting room
+cutty stool
+cutwork
+cyberart
+cybercafe
+cyclobenzaprine
+cyclopean masonry
+cyclopropane
+cycloserine
+cyclostyle
+cyclotron
+cylinder
+cylinder
+cylinder head
+cylinder lock
+cyma
+cyma recta
+cymbal
+cyproheptadine
+cytophotometer
+cytotoxic drug
+dacha
+Dachau
+Dacron
+dado
+dado
+dado plane
+dagger
+daggerboard
+daguerreotype
+dairy
+dais
+daisy chain
+daisy print wheel
+daisywheel printer
+dam
+damascene
+damask
+damask
+dampener
+damp-proof course
+damper
+damper
+damper block
+dance floor
+dapsone
+dark lantern
+darkroom
+darning needle
+dart
+dart
+dartboard
+Dartmouth College
+dashboard
+dashiki
+dash-pot
+dasymeter
+data converter
+data input device
+data multiplexer
+data system
+daub
+davenport
+davenport
+Davis Cup
+davit
+daybed
+daybook
+day camp
+day nursery
+day school
+dead-air space
+dead axle
+deadeye
+deadhead
+deadlight
+dead load
+deanery
+deathbed
+death camp
+death house
+death knell
+death mask
+death seat
+deathtrap
+decal
+deck
+deck
+deck
+deck chair
+decker
+deck-house
+deckle
+deckle edge
+declinometer
+decoder
+decolletage
+decongestant
+decoration
+decoupage
+dedicated file server
+deep-freeze
+deerstalker
+deer trail
+defense laboratory
+defense system
+defensive structure
+defibrillator
+defilade
+deflector
+defroster
+delavirdine
+Delaware Memorial Bridge
+delayed action
+delay line
+delf
+delft
+delicatessen
+delineation
+deliverable
+delivery truck
+delta wing
+demeclocycline hydrochloride
+demijohn
+demister
+demitasse
+demulcent
+Demulen
+den
+denim
+densimeter
+densitometer
+dental appliance
+dental floss
+dental implant
+dentifrice
+dentist's drill
+denture
+deodorant
+department store
+departure gate
+departure lounge
+depilatory
+depository
+depressor
+depth charge
+depth finder
+depth gauge
+dermatome
+derrick
+derrick
+derringer
+design
+design
+designer drug
+desk
+desk phone
+desktop computer
+desipramine
+dessert plate
+dessert spoon
+destroyer
+destroyer escort
+detached house
+detector
+detector
+detector
+detention home
+detergent
+detonating fuse
+detonator
+detour
+detox
+deuce
+developer
+device
+device
+device
+Dewar flask
+dextroamphetamine sulphate
+dhoti
+dhow
+diagram
+dial
+dial
+dial
+dial
+dialog box
+dial telephone
+dialyzer
+diamond
+diamond point
+diamante
+diapason
+diaper
+diaper
+diaphone
+diaphoretic
+diaphragm
+diaphragm
+diaphragm
+diary
+diathermy machine
+diazepam
+diazoxide
+dibble
+dibucaine
+dideoxycytosine
+dideoxyinosine
+die
+dice cup
+dicer
+dickey
+dickey
+diclofenac potassium
+diclofenac sodium
+dicloxacillin
+Dictaphone
+dicumarol
+die
+die
+diesel
+diesel-electric locomotive
+diesel-hydraulic locomotive
+diesel locomotive
+diestock
+diethylstilbesterol
+differential analyzer
+differential gear
+diffraction grating
+diffuser
+diffuser
+diflunisal
+digester
+diggings
+diggings
+digital-analog converter
+digital audiotape
+digital camera
+digital clock
+digital computer
+digital display
+digital plethysmograph
+digital subscriber line
+digital voltmeter
+digital watch
+digitizer
+digitoxin
+digoxin
+dihydrostreptomycin
+dilator
+dilator
+dildo
+diltiazem
+dime bag
+dimenhydrinate
+Dimetapp
+dimity
+dimmer
+diner
+dinette
+dinghy
+dinky
+dining area
+dining car
+dining-hall
+dining room
+dining-room furniture
+dining-room table
+dining table
+dinner bell
+dinner dress
+dinner jacket
+dinner napkin
+dinner pail
+dinner plate
+dinner service
+dinner table
+dinner theater
+dinnerware
+diode
+diode
+dip
+diphenhydramine
+diphenylhydantoin
+diphenylbutyl piperidine
+diplomatic building
+diplomatic pouch
+dipole
+dipper
+dipstick
+DIP switch
+diptych
+directional antenna
+directional microphone
+direction finder
+dirk
+dirndl
+dirndl
+dirt track
+dirty bomb
+discharge lamp
+discharge pipe
+disco
+discount house
+discus
+disguise
+dish
+dish
+dishpan
+dish rack
+dishrag
+dishtowel
+dishwasher
+dishwasher detergent
+disinfectant
+disk
+disk access
+disk brake
+disk cache
+disk clutch
+disk controller
+disk drive
+diskette
+disk harrow
+dispatch case
+dispensary
+dispenser
+display
+display
+display adapter
+display panel
+display window
+disposable
+disposal
+disrupting explosive
+distaff
+distemper
+distemper
+distillery
+distributor
+distributor cam
+distributor cap
+distributor housing
+distributor point
+disulfiram
+ditch
+ditch spade
+ditty bag
+diuretic drug
+divan
+divan
+dive bomber
+diverging lens
+divided highway
+divider
+diving bell
+diving board
+divining rod
+diving suit
+dixie
+Dixie cup
+dock
+dock
+dock
+document
+doeskin
+dogcart
+dog collar
+doggie bag
+dogleg
+dogsled
+dogtooth
+dog wrench
+doodad
+doily
+doll
+dollhouse
+dollhouse
+dolly
+dolly
+dolman
+dolman
+dolman sleeve
+dolmen
+dolphin striker
+dome
+dome
+domino
+domino
+domino
+dongle
+donkey jacket
+doodlebug
+door
+door
+door
+doorbell
+doorframe
+doorjamb
+doorknob
+doorlock
+doormat
+doornail
+doorplate
+doorsill
+doorstop
+doorway
+dooryard
+Doppler radar
+dormer
+dormer window
+dormitory
+dormitory
+dose
+dosemeter
+dossal
+dot matrix printer
+double bed
+double-bitted ax
+double boiler
+double-breasted jacket
+double-breasted suit
+double clinch
+double crochet
+double door
+double glazing
+double-hung window
+double knit
+double-prop
+doubler
+double reed
+double-reed instrument
+doublet
+doubletree
+douche
+dovecote
+Dover's powder
+dovetail
+dovetail plane
+dowel
+downcast
+downstage
+doxazosin
+doxepin
+doxorubicin
+doxycycline
+DPT vaccine
+draft
+draft
+draft
+drafting board
+drafting instrument
+drafting table
+drag
+dragee
+Dragunov
+drain
+drain
+drainage ditch
+drainage system
+drain basket
+drainboard
+drainplug
+drape
+drapery
+draw
+draw
+drawbar
+drawbridge
+drawer
+drawers
+drawing
+drawing card
+drawing chalk
+drawing room
+drawing room
+drawknife
+drawnwork
+drawstring
+drawstring bag
+dray
+dreadnought
+dredge
+dredger
+dredging bucket
+dress
+dress blues
+dresser
+dress hat
+dressing
+dressing case
+dressing gown
+dressing room
+dressing sack
+dressing station
+dressing table
+dress rack
+dress shirt
+dress suit
+dress uniform
+drift
+drift net
+drill
+electric drill
+drilling bit
+drilling pipe
+drilling platform
+drill press
+drill rig
+drill site
+drinking fountain
+drinking vessel
+drip
+drip loop
+drip mat
+drip pan
+dripping pan
+drip pot
+dripstone
+drive
+drive
+drive
+drive-in
+drive line
+driven well
+driver
+driveshaft
+driveway
+driving belt
+driving iron
+driving wheel
+Drixoral
+drogue
+drogue parachute
+dronabinol
+drone
+drone
+drop
+drop arch
+drop cloth
+drop curtain
+drop forge
+drop-leaf
+drop-leaf table
+dropper
+droshky
+drove
+drug
+drug cocktail
+drugget
+drug of abuse
+drugstore
+drum
+drum
+drum brake
+drumhead
+drum printer
+drum sander
+drumstick
+dry battery
+dry-bulb thermometer
+dry cell
+dry dock
+dryer
+dry fly
+drygoods
+dry kiln
+dry masonry
+dry point
+dry point
+dry wall
+dual scan display
+dubbing
+duck
+duckboard
+duckpin
+duct
+duct tape
+dudeen
+duffel
+duffel bag
+duffel coat
+dugout
+dugout canoe
+Duke University
+dulciana
+dulcimer
+dulcimer
+dumbbell
+dumb bomb
+dumbwaiter
+dumdum
+dummy
+dump
+dumpcart
+Dumpster
+dump truck
+Dumpy level
+dunce cap
+dune buggy
+dungeon
+duplex apartment
+duplex house
+duplicate
+duplicator
+durables
+durbar
+dust bag
+dustcloth
+dust cover
+dust cover
+duster
+dustmop
+dustpan
+Dutch door
+Dutch oven
+Dutch oven
+dwelling
+dye-works
+dynamite
+dynamo
+dynamometer
+Eames chair
+earflap
+ear hole
+early warning radar
+early warning system
+earmuff
+earphone
+earplug
+earplug
+earring
+earthenware
+earthwork
+easel
+easy chair
+eaves
+ecce homo
+ecclesiastical attire
+echelon
+echinus
+echocardiograph
+echoencephalograph
+echo chamber
+edge
+edge
+edger
+edge tool
+edging
+efficiency apartment
+effigy
+egg-and-dart
+eggbeater
+eggcup
+egg timer
+eiderdown
+Eiffel Tower
+eight ball
+eightpenny nail
+eight-spot
+ejection seat
+elastic
+elastic bandage
+elastic device
+Elastoplast
+elbow
+elbow
+elbow
+elbow pad
+electric
+electrical cable
+electrical contact
+electrical converter
+electrical device
+electrical system
+electrical system
+electric bell
+electric blanket
+electric chair
+electric clock
+electric-discharge lamp
+electric fan
+electric frying pan
+electric furnace
+electric guitar
+electric hammer
+electric heater
+electric lamp
+electric locomotive
+electric main
+electric meter
+electric mixer
+electric motor
+electric organ
+electric range
+electric refrigerator
+electric socket
+electric toothbrush
+electric typewriter
+electro-acoustic transducer
+electrode
+electrodynamometer
+electroencephalograph
+electrograph
+electrograph
+electrolytic
+electrolytic cell
+electromagnet
+electromagnetic delay line
+electromechanical device
+electrometer
+electromyograph
+electron accelerator
+electron gun
+electronic balance
+electronic converter
+electronic device
+electronic equipment
+electronic fetal monitor
+electronic instrument
+electronic voltmeter
+electron microscope
+electron multiplier
+electrophorus
+electroplate
+electroscope
+electrostatic generator
+electrostatic printer
+elevated railway
+elevation
+elevator
+elevator
+elevator shaft
+ell
+elongation
+embankment
+embassy
+embellishment
+emblem
+embroidery
+emergency room
+emesis basin
+emetic
+Emetrol
+emitter
+Empire State Building
+emplacement
+empty
+emulsion
+enamel
+enamel
+enamelware
+enalapril
+encainide
+encaustic
+encephalogram
+enclosure
+end
+endoscope
+endotracheal tube
+end product
+energizer
+enflurane
+engagement ring
+engine
+engine
+engine block
+engineering
+enginery
+English horn
+English saddle
+engraving
+engraving
+enlargement
+enlarger
+Enovid
+ensemble
+ensign
+entablature
+enteric-coated aspirin
+entertainment center
+entrance
+entrant
+entrenching tool
+entrenchment
+envelope
+envelope
+envelope
+eolith
+epaulet
+epauliere
+epee
+epergne
+epicyclic train
+epidiascope
+epilating wax
+Epsom salts
+equal-area projection
+equalizer
+equatorial
+equipment
+erasable programmable read-only memory
+eraser
+erecting prism
+erection
+Erlenmeyer flask
+erythromycin
+escalator
+escape hatch
+escapement
+escape wheel
+escarpment
+escutcheon
+escutcheon
+esmolol
+esophagoscope
+espadrille
+espalier
+esplanade
+espresso maker
+espresso shop
+establishment
+estaminet
+estazolam
+estradiol patch
+estrogen antagonist
+etagere
+etamine
+etanercept
+etcetera
+etching
+etching
+ethacrynic acid
+ethchlorvynol
+ether
+ethernet
+ethernet cable
+ethosuximide
+ethyl chloride
+etodolac
+Eton collar
+Eton jacket
+etui
+eudiometer
+euphonium
+euphoriant
+evaporative cooler
+evening bag
+Excalibur
+excavation
+exchange
+exercise bike
+exercise device
+exhaust
+exhaust fan
+exhaust manifold
+exhaust pipe
+exhaust valve
+exhibition hall
+exit
+Exocet
+expansion bit
+expansion bolt
+expectorant
+explosive
+explosive compound
+explosive detection system
+explosive device
+explosive mixture
+explosive trace detection
+export
+express
+expressway
+extension
+extension cord
+extension ladder
+exterior door
+external-combustion engine
+external drive
+extra
+extractor
+eye
+eyebrow pencil
+eyecup
+eyelet
+eyeliner
+eye-lotion
+eyepatch
+eyepiece
+eyeshadow
+fabric
+facade
+face
+face
+face
+face card
+face guard
+face mask
+faceplate
+face powder
+face veil
+facility
+facing
+facing
+facing
+facsimile
+facsimile
+factory
+factory ship
+factory whistle
+fag end
+fagot
+fagoting
+fagot stitch
+Fahrenheit thermometer
+faience
+faille
+fail-safe
+fairlead
+fairy light
+fake
+fake book
+falchion
+fallboard
+fallout shelter
+false bottom
+false face
+false teeth
+falsie
+family room
+famotidine
+fan
+fan belt
+fan blade
+fancy dress
+fancy goods
+fanion
+fanlight
+fanjet
+fanjet
+fanny pack
+fantail
+fan tracery
+fan vaulting
+farm
+farm building
+farmer's market
+farmhouse
+farm machine
+farmplace
+farmyard
+farthingale
+fashion plate
+fashion
+fastener
+fast lane
+fast reactor
+fat farm
+fatigues
+faucet
+fauld
+fauteuil
+feather bed
+feather boa
+featheredge
+feature
+fedora
+feedback circuit
+feeder line
+feedlot
+fell
+felloe
+felt
+felt-tip pen
+felucca
+fence
+fencing mask
+fencing sword
+fender
+fender
+fender
+fenoprofen
+Fentanyl
+Feosol
+Fergon
+Ferris wheel
+ferrule
+ferry
+fertility drug
+ferule
+fesse
+festoon
+festoon
+festoon
+fetoscope
+fetter
+fez
+fiber
+fiberboard
+fiber optic cable
+fiber-optic transmission system
+fiberscope
+fichu
+fiddlestick
+field artillery
+field coil
+field-effect transistor
+field-emission microscope
+field glass
+field hockey ball
+field hospital
+field house
+field house
+field lens
+field magnet
+field-sequential color television
+field tent
+fieldwork
+fife
+fife rail
+fifth wheel
+fifth wheel
+fighter
+fighting chair
+fig leaf
+figure
+figure eight
+figurehead
+figure loom
+figure skate
+figurine
+filament
+filature
+file
+file
+file folder
+file server
+filet
+filigree
+filler
+fillet
+filling
+film
+film
+film
+film advance
+filter
+filter
+filter bed
+filter tip
+filter-tipped cigarette
+fin
+finder
+finery
+fine-tooth comb
+finger
+fingerboard
+finger bowl
+finger hole
+finger hole
+finger paint
+finger-painting
+finger plate
+fingerstall
+finial
+finish coat
+finish coat
+finisher
+fin keel
+fipple
+fipple flute
+fire
+fire alarm
+firearm
+firebase
+fire bell
+fireboat
+firebox
+firebrick
+fire control radar
+fire control system
+firecracker
+fire door
+fire engine
+fire escape
+fire extinguisher
+fire hose
+fire iron
+fireman's ax
+fireplace
+fireplug
+fire screen
+fire ship
+fire station
+fire tongs
+fire tower
+firetrap
+fire trench
+firewall
+firewall
+firework
+firing chamber
+firing pin
+firing range
+firkin
+firmer chisel
+first-aid kit
+first-aid station
+first base
+first class
+first gear
+fishbowl
+fisherman's bend
+fisherman's knot
+fisherman's lure
+fishery
+fish farm
+fishhook
+fishing boat
+fishing gear
+fishing line
+fishing rod
+fish joint
+fish knife
+fish ladder
+fishnet
+fishplate
+fish slice
+fishtail bit
+fitment
+fitted sheet
+fitting
+five-spot
+fixative
+fixed-combination drug
+fixer-upper
+fixings
+fixture
+fizgig
+flag
+flag
+flageolet
+flagging
+flagon
+flagpole
+flagship
+flagship
+flail
+flambeau
+flamethrower
+Flaminian Way
+flange
+flannel
+flannel
+flannelette
+flap
+flap
+flare
+flare path
+flash
+flash
+flashboard
+flash camera
+flasher
+flashing
+flashlight
+flashlight battery
+flash memory
+flask
+flat
+flat
+flat
+flat arch
+flatbed
+flatbed press
+flat bench
+flatcar
+flat coat
+flat file
+flatiron
+flatlet
+flat panel display
+flats
+flat tip screwdriver
+flatware
+flatware
+flatwork
+fleabag
+fleapit
+flecainide
+fleece
+fleet ballistic missile submarine
+fleur-de-lis
+flight
+flight deck
+flight simulator
+flintlock
+flintlock
+flip-flop
+flip-flop
+flipper
+float
+float
+float
+floating dock
+floating mine
+floatplane
+flood
+floor
+floor
+floor
+floor
+floorboard
+floorboard
+floor cover
+floor joist
+floor lamp
+floor plan
+flophouse
+florist
+floss
+flotilla
+flotilla
+flotsam
+flour bin
+flour mill
+flower arrangement
+flowerbed
+flower chain
+flower garden
+floxuridine
+flue
+flue pipe
+flue stop
+flugelhorn
+fluid drive
+fluid flywheel
+fluke
+fluke
+flume
+flunitrazepan
+fluorescent
+fluorescent lamp
+fluoroscope
+fluorouracil
+fluoxetine
+fluphenazine
+flurazepam
+flurbiprofen
+flushless toilet
+flush toilet
+flute
+flute
+flute
+fluvastatin
+flux applicator
+fluxmeter
+fly
+fly
+fly gallery
+flying boat
+flying bridge
+flying buttress
+flying carpet
+flying jib
+fly rod
+fly tent
+flytrap
+flywheel
+fob
+fob
+fob
+foghorn
+foglamp
+foible
+foil
+foil
+foil
+fold
+folder
+folderal
+folding chair
+folding door
+folding saw
+foliation
+folio
+folk art
+follow-up
+food additive
+food court
+food processor
+food hamper
+foot
+footage
+football
+football field
+football helmet
+football stadium
+footbath
+footboard
+footboard
+foot brake
+footbridge
+foothold
+footlights
+footlocker
+footplate
+foot rule
+footstool
+footwear
+footwear
+forceps
+force pump
+fore-and-after
+fore-and-aft rig
+fore-and-aft sail
+forecastle
+forecourt
+foredeck
+fore edge
+foreground
+foremast
+fore plane
+foresail
+forestay
+foretop
+fore-topmast
+fore-topsail
+forge
+forge
+fork
+fork
+forklift
+form
+formal garden
+formalwear
+formation
+Formica
+forte
+fortification
+fortress
+forty-five
+forum
+Foucault pendulum
+foulard
+foul-weather gear
+foundation
+foundation garment
+foundation stone
+foundry
+fountain
+fountain
+fountain
+fountain pen
+four-in-hand
+fourpenny nail
+four-poster
+four-pounder
+four-spot
+four-stroke engine
+four-tailed bandage
+four-wheel drive
+four-wheel drive
+four-wheeler
+fowling piece
+foxhole
+fraction
+fragmentation bomb
+frail
+fraise
+fraise
+frame
+frame
+frame
+frame buffer
+framework
+Francis turbine
+franking machine
+freeboard deck
+free house
+free-reed
+free-reed instrument
+free throw lane
+freewheel
+freight car
+freight elevator
+freight liner
+freight train
+French door
+French heel
+French horn
+French knot
+French polish
+French roof
+French window
+fresco
+freshener
+Fresnel lens
+fret
+fret
+friary
+friction clutch
+friction tape
+frieze
+frieze
+frigate
+frigate
+frill
+fringe
+Frisbee
+frock
+frock coat
+frog
+front
+frontage road
+frontal
+front bench
+front door
+frontispiece
+frontispiece
+frontlet
+front porch
+front projector
+front yard
+fruit machine
+frying pan
+fuel-air explosive
+fuel cell
+fuel filter
+fuel gauge
+fuel injection
+fuel line
+fuel system
+fulcrum
+full-dress uniform
+full metal jacket
+full skirt
+full-wave rectifier
+fumigator
+funeral home
+fungible
+funk hole
+funnel
+funnel
+funnel web
+funny wagon
+fur
+fur coat
+fur hat
+furnace
+furnace lining
+furnace room
+furnishing
+furnishing
+furniture
+furosemide
+fur-piece
+furring strip
+furrow
+fuse
+fuse
+fusee
+fusee
+fusee drive
+fuselage
+fusil
+fustian
+futon
+futtock shroud
+future
+futures exchange
+gabapentin
+gabardine
+gable
+gable roof
+gaddi
+gadgetry
+gaff
+gaff
+gaff
+gaffsail
+gaff topsail
+gag
+gaiter
+gaiter
+Galilean telescope
+galleon
+gallery
+gallery
+gallery
+gallery
+galley
+galley
+galley
+galley
+gallows
+gallows tree
+galvanometer
+gambling house
+gambrel
+game
+gamebag
+game equipment
+gaming card
+gaming table
+gamma hydroxybutyrate
+gamma-interferon
+gamp
+gang
+gangplank
+gangsaw
+gangway
+gantlet
+gantry
+gap
+garage
+garage
+Garand rifle
+garbage
+garbage truck
+garboard
+garden
+garden
+garden hose
+garden rake
+garden roller
+garden spade
+garden tool
+garden trowel
+gargoyle
+gargoyle
+garibaldi
+garlic press
+garment
+garment bag
+garnish
+garrison
+garrison cap
+garrote
+garter
+garter belt
+garter stitch
+gas guzzler
+gas shell
+gas bracket
+gas burner
+gas chamber
+gas-cooled reactor
+gas-discharge tube
+gas engine
+gas fitting
+gas fixture
+gas furnace
+gas gun
+gas heat
+gas heater
+gas holder
+gasket
+gas lamp
+gas line
+gas main
+gas maser
+gasmask
+gas meter
+gasoline engine
+gasoline gauge
+gasoline station
+gas oven
+gas oven
+gas pump
+gas range
+gas ring
+gas system
+gas tank
+gas thermometer
+gastroscope
+gas turbine
+gas-turbine ship
+gas well
+gasworks
+gat
+gate
+gate
+gate
+gatehouse
+gateleg table
+gatepost
+gateway
+gateway drug
+gather
+gathered skirt
+Gatling gun
+gauge
+gauntlet
+gauntlet
+gauze
+gauze
+gavel
+gazebo
+gear
+gear
+gear
+gearbox
+gearing
+gearset
+gearshift
+Geiger counter
+Geiger tube
+gelatin
+gelignite
+gem
+gemfibrozil
+gene chip
+general anesthetic
+general-purpose bomb
+generator
+generator
+generator
+generic
+generic drug
+Geneva gown
+genre
+genre painting
+gentamicin
+geodesic dome
+georgette
+George Washington Bridge
+gharry
+ghat
+ghetto blaster
+ghillie
+gift shop
+gift wrapping
+gig
+gig
+gig
+gig
+gildhall
+gill net
+gilt
+gimbal
+gingham
+girandole
+girder
+girdle
+glass
+glass
+glass cutter
+glasses case
+glass eye
+glassware
+glassworks
+glebe house
+Glen Canyon Dam
+Glengarry
+glider
+glipizide
+Global Positioning System
+globe
+glockenspiel
+glory hole
+glossy
+glove
+glove compartment
+glow lamp
+glow tube
+glutethimide
+glyburide
+glyph
+glyptic art
+glyptics
+gnomon
+goal
+goalmouth
+goalpost
+goblet
+go board
+godown
+goffer
+goffer
+goggles
+go-kart
+Golconda
+goldbrick
+golden calf
+Golden Gate Bridge
+gold foil
+gold leaf
+gold medal
+goldmine
+goldmine
+gold plate
+gold plate
+golf bag
+golf ball
+golfcart
+golf club
+golf-club head
+golf course
+golf equipment
+golf glove
+golf range
+golliwog
+gondola
+gondola car
+gong
+goniometer
+Gordian knot
+gore
+gorgerin
+gorget
+gossamer
+Gota Canal
+Gothic arch
+gouache
+gouache
+gouge
+gourd
+government building
+government office
+governor
+gown
+gown
+gown
+grab
+grab bag
+grab bar
+grace cup
+grade separation
+graduate
+graduated cylinder
+graffito
+grail
+gramicidin
+gramophone
+granary
+grandfather clock
+grand piano
+grandstand
+grange
+graniteware
+granny knot
+grape arbor
+grapeshot
+graphic
+graphic art
+graphics
+grapnel
+grapnel
+grass skirt
+grate
+grate
+grater
+grave
+gravel pit
+graver
+gravestone
+gravimeter
+gravure
+gravure
+gravy boat
+grey
+grease-gun
+greasepaint
+greasy spoon
+greatcoat
+Greater New Orleans Bridge
+great hall
+great seal
+Great Seal of the United States
+greave
+Greek cross
+greengrocery
+greengrocery
+greenhouse
+greenroom
+grenade
+grid
+grid
+grid
+reef
+reference grid
+griddle
+grigri
+grill
+grille
+grillroom
+grinder
+grinding wheel
+grindstone
+gripsack
+grisaille
+griseofulvin
+gristmill
+grizzle
+grocery
+grocery bag
+grocery store
+grogram
+groin
+groined vault
+groover
+grosgrain
+gros point
+gros point
+grotesque
+ground
+ground
+ground bait
+ground cable
+ground control
+ground floor
+ground plan
+groundsheet
+grove
+G-string
+guanabenz
+guard
+guard boat
+guardhouse
+guardroom
+guardroom
+guard ship
+guard's van
+gueridon
+Guarnerius
+guesthouse
+guestroom
+guidance system
+guide
+guided missile
+guided missile cruiser
+guided missile frigate
+guide rope
+guildhall
+guilloche
+guillotine
+guimpe
+guimpe
+guitar
+guitar pick
+gulag
+gun
+gunboat
+gun carriage
+gun case
+gun deck
+gun emplacement
+gun enclosure
+gunflint
+gunlock
+gun muzzle
+gunnery
+gunnysack
+gun pendulum
+gun room
+gunsight
+gun trigger
+gunwale
+gurney
+gusher
+gusset
+gusset
+gutter
+gutter
+guy
+Guy
+gymnasium
+gymnastic apparatus
+gym shoe
+gym suit
+gymslip
+gypsy cab
+gyrocompass
+gyroscope
+gyrostabilizer
+haberdashery
+habergeon
+habit
+habit
+hacienda
+hack
+hackney
+hacksaw
+haft
+Hagia Sophia
+haik
+hairbrush
+haircloth
+hairdressing
+hairnet
+hairpiece
+hairpin
+hairpin bend
+hair shirt
+hair slide
+hair space
+hair spray
+hairspring
+hair trigger
+halberd
+half binding
+half cross stitch
+half hatchet
+half hitch
+half-length
+half sole
+halftone
+halftone
+half track
+half track
+hall
+hall
+hall
+Hall of Fame
+hall of residence
+hallstand
+hallucinogen
+hallway
+haloperidol
+halothane
+halter
+halter
+halyard
+hame
+hammer
+hammer
+hammer
+hammer
+hammer
+hammerhead
+hammock
+hamper
+hand
+hand ax
+handball
+handball court
+handbarrow
+handbell
+hand blower
+handbow
+hand brake
+hand calculator
+handcar
+handcart
+hand cream
+handcuff
+hand drill
+hand glass
+hand glass
+hand grenade
+hand-held computer
+handhold
+handicraft
+handkerchief
+handle
+handlebar
+handline
+handloom
+hand lotion
+hand luggage
+hand-me-down
+hand mower
+hand pump
+hand puppet
+handrest
+handsaw
+handset
+hand shovel
+handspike
+handstamp
+hand throttle
+hand tool
+hand towel
+hand truck
+handwear
+handwheel
+handwheel
+hangar queen
+hanger
+hang glider
+hanging
+Hanging Gardens of Babylon
+hangman's rope
+hank
+hansom
+harbor
+hardback
+hard disc
+hard drug
+hard hat
+hard shoulder
+hardtop
+hardware
+hardware
+hardware
+hardware store
+harem
+harmonica
+harmonium
+harness
+harness
+harp
+harp
+harpoon
+harpoon gun
+harpoon line
+harpoon log
+harpsichord
+Harris Tweed
+harrow
+Harvard University
+harvester
+hash house
+hashish
+hasp
+hassock
+hat
+hatband
+hatbox
+hatch
+hatchback
+hatchback
+hatchel
+hatchet
+hatchway
+hatpin
+hauberk
+havelock
+haven
+Hawaiian guitar
+hawse
+hawser
+hawser bend
+hay bale
+hayfork
+hayloft
+haymaker
+hayrack
+hayrack
+haywire
+hazard
+head
+head
+head
+head
+headband
+headboard
+head covering
+headdress
+header
+header
+header
+header
+headfast
+head gasket
+head gate
+headgear
+headgear
+headlight
+headpiece
+headpin
+headquarters
+headquarters
+headrace
+headrest
+headrest
+headsail
+headscarf
+headset
+head shop
+headshot
+headstall
+headstock
+health spa
+hearing aid
+hearing aid
+hearse
+heart
+hearth
+hearthrug
+hearthstone
+heart-lung machine
+heart valve
+heat engine
+heater
+heat exchanger
+heating element
+heating pad
+heating system
+heat lamp
+heat pump
+heat-seeking missile
+heat shield
+heat sink
+heaume
+heaver
+heavier-than-air craft
+heckelphone
+hectograph
+hedge
+hedge trimmer
+heel
+heel
+heel
+helicon
+helicopter
+heliograph
+heliometer
+heliport
+helm
+helmet
+helmet
+hem
+hematinic
+hematocrit
+hemming-stitch
+hemostat
+hemstitch
+hemstitch
+henroost
+heparin
+heraldry
+herbal medicine
+herb garden
+herm
+hermitage
+heroin
+herringbone
+herringbone
+Herschelian telescope
+Hessian boot
+heterodyne receiver
+hexachlorophene
+hex nut
+hibachi
+hideaway
+hi-fi
+high altar
+high-angle gun
+highball glass
+highboard
+highboy
+highchair
+high gear
+high-hat cymbal
+highlighter
+highlighter
+high-pass filter
+high-rise
+highroad
+high table
+high-warp loom
+highway
+highway system
+high wire
+hijab
+hilt
+hindrance
+hinge
+hinging post
+hip boot
+hipflask
+hip pad
+hip pocket
+hippodrome
+hip roof
+histamine blocker
+hit
+hitch
+hitch
+hitching post
+hitchrack
+hob
+hob
+hobble skirt
+hobby
+hobnail
+hockey skate
+hockey stick
+hod
+hodoscope
+hoe
+hoe handle
+hogan
+hogshead
+hoist
+hold
+hold
+holder
+holding cell
+holding device
+holding pen
+hole
+hole
+hole card
+hollowware
+hologram
+holster
+holster
+holy of holies
+Holy Sepulcher
+home
+home appliance
+home computer
+home court
+home-farm
+home plate
+home room
+homespun
+homestead
+homestretch
+home theater
+homing device
+homing torpedo
+homolosine projection
+hone
+honeycomb
+honkytonk
+hood
+hood
+hood
+hood
+hood
+hood
+hood latch
+hoodoo
+hood ornament
+hook
+hook
+hook
+hookah
+hook and eye
+hookup
+hookup
+hook wrench
+hoop
+hoop
+hoopskirt
+hoosegow
+Hoover
+Hoover Dam
+hope chest
+hop garden
+hopper
+hop-picker
+hop pole
+hopsacking
+horizontal bar
+horizontal section
+horizontal stabilizer
+horizontal surface
+horizontal tail
+horn
+horn
+horn
+horn
+horn button
+hornpipe
+horoscope
+horror
+horse
+horsebox
+horsecar
+horse cart
+horsecloth
+horse-drawn vehicle
+horsehair
+horsehair wig
+horseless carriage
+horse pistol
+horseshoe
+horseshoe
+horse-trail
+horsewhip
+hose
+hose
+hosiery
+hospice
+hospital
+hospital bed
+hospital room
+hospital ship
+hospital train
+hostel
+hostel
+hot-air balloon
+hotbed
+hotbox
+hotel
+hotel-casino
+hotel-casino
+hotel room
+hot line
+hot pants
+hot plate
+hot rod
+hot spot
+hot tub
+hot-water bottle
+houndstooth check
+hourglass
+hour hand
+house
+house
+houseboat
+houselights
+house of cards
+house of correction
+house paint
+housetop
+housing
+housing
+hovel
+hovercraft
+howdah
+huarache
+hub
+hub-and-spoke
+hubcap
+huck
+hug-me-tight
+hula-hoop
+hulk
+hull
+Humber Bridge
+humeral veil
+humming top
+Humvee
+hunter
+hunting knife
+hurdle
+hurricane deck
+hurricane lamp
+hut
+hutch
+hutment
+hydantoin
+hydralazine
+hydrant
+hydraulic brake
+hydraulic press
+hydraulic pump
+hydraulic system
+hydraulic transmission
+hydrochlorothiazide
+hydroelectric turbine
+hydroflumethiazide
+hydrofoil
+hydrofoil
+hydrogen bomb
+hydrometer
+hydromorphone hydrochloride
+hydroxychloroquine
+hydroxyzine hydrochloride
+hygrodeik
+hygrometer
+hygroscope
+hyoscyamine
+hyperbaric chamber
+hypercoaster
+hypermarket
+hypodermic needle
+hypodermic syringe
+hypsometer
+hysterosalpingogram
+I-beam
+ibuprofen
+ice ax
+iceboat
+icebreaker
+ice cube
+iced-tea spoon
+ice hockey rink
+icehouse
+ice machine
+ice maker
+ice pack
+icepick
+ice rink
+ice skate
+ice tongs
+icetray
+ice wagon
+icon
+iconography
+iconoscope
+Identikit
+Iditarod Trail
+idle pulley
+idol
+igloo
+ignition
+ignition coil
+ignition key
+ignition switch
+illustration
+imaret
+imbrication
+imipramine
+imitation
+counterfeit
+immersion heater
+immovable bandage
+immunogen
+immunosuppressant
+impact printer
+impedimenta
+impeller
+imperial
+implant
+implement
+import
+impression
+Impressionism
+imprint
+improvisation
+improvised explosive device
+impulse turbine
+in-basket
+incendiary bomb
+incinerator
+inclined plane
+inclinometer
+inclinometer
+incrustation
+incubator
+indapamide
+Independence Hall
+index register
+Indiaman
+Indian club
+Indian trail
+indicator
+indinavir
+indirect lighting
+indomethacin
+induction coil
+inductor
+industrial watercourse
+inertial guidance system
+inflater
+infliximab
+infrastructure
+infrastructure
+ingot
+ingredient
+inhalation anesthetic
+inhalant
+inhaler
+injector
+ink bottle
+ink cartridge
+ink eraser
+ink-jet printer
+inkle
+inkstand
+inkwell
+inlay
+inlay
+inlet manifold
+inner tube
+input
+insert
+inset
+inside caliper
+inside clinch
+insole
+inspiration
+instep
+instillator
+institution
+instrument
+instrumentality
+instrument of execution
+instrument of punishment
+instrument of torture
+intaglio
+intake
+intake manifold
+intake valve
+integrated circuit
+integrator
+Intelnet
+interceptor
+interchange
+intercommunication system
+intercontinental ballistic missile
+interface
+interface
+interferometer
+interferon
+interior decoration
+interior door
+interlayer
+interlock
+internal-combustion engine
+internal drive
+internet
+interphone
+interrupter
+intersection
+interstate
+interstice
+intoxicant
+intranet
+intraocular lens
+intrauterine device
+intravenous anesthetic
+intravenous pyelogram
+invention
+inverted pleat
+inverter
+iodochlorhydroxyquin
+iodoform
+ion engine
+ionization chamber
+ion pump
+ipecac
+ipratropium bromide
+iPod
+video iPod
+iproclozide
+iris
+iron
+iron
+iron
+irons
+ironclad
+iron foundry
+iron horse
+ironing
+ironing board
+iron lung
+iron maiden
+ironmongery
+ironwork
+ironworks
+irregular
+irrigation ditch
+island
+isocarboxazid
+isoflurane
+isoniazid
+isoproterenol
+isosorbide
+izar
+item
+itraconazole
+jabot
+jack
+jack
+jack
+jack
+jack
+jack
+jacket
+jacket
+jacket
+jack-in-the-box
+jacklight
+jack-o'-lantern
+jack plane
+jackscrew
+Jacob's ladder
+jaconet
+jackstraw
+Jacquard loom
+jacquard
+jag
+jag
+jail
+jalousie
+jamb
+jammer
+jampan
+jampot
+japan
+japan
+jar
+Jarvik heart
+jaunting car
+javelin
+jaw
+Jaws of Life
+jean
+jeep
+jellaba
+je ne sais quoi
+jerkin
+jeroboam
+jersey
+jersey
+Jerusalem cross
+jet
+jet bridge
+jet engine
+jetliner
+jetsam
+jewel
+jeweler's glass
+jewelled headdress
+jewelry
+jew's harp
+jib
+jibboom
+jig
+jig
+jiggermast
+jigsaw
+jigsaw puzzle
+jim crow
+jimdandy
+jimmy
+jinrikisha
+job
+job
+jobcentre
+job-oriented terminal
+jodhpurs
+jodhpur
+Johns Hopkins
+joinery
+joint
+joint
+joint
+Joint Direct Attack Munition
+jointer
+joist
+joker
+jolly boat
+jorum
+joss
+joss house
+journal
+journal
+journal bearing
+journal box
+joystick
+judas
+juke
+jungle gym
+junk
+jug
+Juggernaut
+juju
+jukebox
+jumbojet
+jumper
+jumper
+jumper
+jumper
+jumper cable
+jumping jack
+jump rope
+jump seat
+jump suit
+jump suit
+junction
+junction
+junction barrier
+junk shop
+jury box
+jury mast
+K
+Kaaba
+kachina
+kaffiyeh
+Kakemono
+kalansuwa
+Kalashnikov
+kaleidoscope
+kameez
+kamikaze
+Kammon Strait Bridge
+kanamycin
+kanzu
+Kaopectate
+kat
+katharometer
+kayak
+kazoo
+keel
+keelboat
+keelson
+keep
+keepsake
+keg
+kennel
+kepi
+keratoscope
+kerchief
+kern
+Kerr cell
+ketamine
+ketch
+ketoprofen
+ketorolac
+ketorolac tromethamine
+kettle
+kettle
+key
+key
+keyboard
+keyboard
+keyboard buffer
+keyboard instrument
+keyhole
+keyhole saw
+key ring
+keystone
+khadi
+khaki
+khakis
+khimar
+khukuri
+kibble
+kick pleat
+kicksorter
+kickstand
+kick starter
+kid glove
+kiln
+kilt
+kimono
+kinescope
+Kinetoscope
+king
+king
+king
+kingbolt
+king post
+Kipp's apparatus
+kirk
+kirpan
+kirtle
+kirtle
+kit
+kit
+kitbag
+kitchen
+kitchen appliance
+kitchenette
+kitchen garden
+kitchen island
+kitchen match
+kitchen sink
+kitchen table
+kitchen utensil
+kitchenware
+kite
+kite balloon
+kite tail
+kitsch
+klaxon
+Klein bottle
+klieg light
+klystron
+knee
+knee brace
+knee-high
+kneeler
+knee pad
+knee piece
+knickknack
+knife
+knife
+knife blade
+knife edge
+knife pleat
+knight
+knit
+knit
+knit
+knitting machine
+knitting needle
+knitting stitch
+knitwear
+knob
+knob
+knob
+knobble
+knobkerrie
+knockabout
+knocker
+knockoff
+knockout drops
+knot
+knout
+knuckle joint
+kohl
+koto
+kraal
+kremlin
+Kremlin
+kris
+krummhorn
+Kundt's tube
+Kurdistan
+kurta
+kylie
+kylix
+kymograph
+laager
+lab
+lab bench
+lab coat
+labetalol
+labor camp
+Labyrinth of Minos
+lace
+lace
+lacework
+lacquer
+lacquerware
+lacrosse ball
+lacuna
+ladder
+ladder-back
+ladder-back
+ladder truck
+ladies' room
+ladle
+lady chapel
+lagan
+lagerphone
+lag screw
+lake dwelling
+Lake Mead
+Lake Powell
+Lake Volta
+lally
+lamasery
+lambrequin
+lambrequin
+lame
+lamella
+laminar flow clean room
+laminate
+lamination
+lamivudine
+lamp
+lamp
+lamp chimney
+lamp house
+lamppost
+lampshade
+lanai
+lancet
+lancet arch
+lancet window
+landau
+lander
+landing
+landing
+landing craft
+landing flap
+landing gear
+landing net
+landing skid
+landing stage
+land line
+land mine
+land office
+landscape
+landscape
+landscaping
+landside
+lane
+lane
+lanolin
+lantern
+lantern pinion
+lanyard
+lanyard
+lanyard
+lap
+lap
+laparoscope
+lapboard
+lapel
+lap joint
+lappet
+laptop
+larboard
+laryngoscope
+laser
+laser-guided bomb
+laser printer
+lash
+lashing
+lash-up
+lasso
+last
+Lastex
+latch
+latch
+latchet
+latchkey
+latchstring
+lateen
+lateen-rig
+Lateran Palace
+latex paint
+lath
+lathe
+lathi
+Latin cross
+latrine
+lattice
+laudanum
+laugh track
+launch
+launcher
+launching pad
+launderette
+laundry
+laundry
+laundry cart
+laundry detergent
+laundry truck
+laurel
+lavalava
+lavaliere
+laver
+court
+lawn chair
+lawn furniture
+lawn mower
+laxative
+layer
+layette
+lay figure
+lazaretto
+lazy daisy stitch
+lead
+lead
+lead-acid battery
+lead-in
+leading edge
+leading rein
+lead line
+lead pencil
+leaf
+leaf spring
+Leaning Tower
+lean-to
+lean-to tent
+leash
+leatherette
+leather strip
+leatherwork
+Leclanche cell
+lectern
+lecture room
+lederhosen
+ledger board
+leflunomide
+left field
+leg
+leg
+legging
+Lego
+Leiden jar
+leister
+leisure wear
+lemon
+lemon grove
+lending library
+length
+lenitive
+lens
+lens
+lens cap
+lens implant
+leotard
+lethal dose
+letter bomb
+letter case
+letter opener
+levallorphan
+levee
+levee
+level
+level crossing
+lever
+lever
+lever
+lever lock
+Levi's
+Liberty Bell
+liberty cap
+Liberty ship
+library
+library
+library
+license plate
+lid
+lidar
+lido
+Lidocaine
+lido deck
+Liebig condenser
+lie detector
+lifeboat
+life buoy
+life jacket
+lifeline
+lifeline
+life mask
+life office
+life preserver
+life raft
+life-support system
+life-support system
+lift
+lift
+lifting device
+lift pump
+ligament
+ligature
+ligature
+light
+light arm
+light bulb
+light circuit
+light-emitting diode
+lighter
+lighter-than-air craft
+light filter
+lighting
+lighting fixture
+light machine gun
+light meter
+light microscope
+lightning rod
+light pen
+lightship
+likeness
+Lilo
+limb
+limb
+limber
+limbers
+limekiln
+limelight
+limiter
+limousine
+linchpin
+Lincoln Memorial
+lincomycin
+line
+line
+line
+line
+linear accelerator
+linecut
+linecut
+linen
+linen
+line of defense
+line printer
+liner
+liner
+lingerie
+liniment
+lining
+link
+link
+linkage
+links
+Link trainer
+linocut
+linocut
+linoleum knife
+Linotype
+linsey-woolsey
+linstock
+lint
+lion-jaw forceps
+lip balm
+lip-gloss
+lipid-lowering medicine
+lipstick
+liqueur glass
+liquid crystal display
+liquid detergent
+liquid metal reactor
+liquid soap
+lisinopril
+lisle
+lisle
+lister
+lithograph
+lithograph
+litter
+litterbin
+little theater
+live axle
+live load
+livery
+livery stable
+living quarters
+living room
+load
+load
+Loafer
+loaner
+loan office
+lobe
+lobster pot
+local
+local anesthetic
+local area network
+local oscillator
+local road
+location
+Lochaber ax
+lock
+lock
+lock
+lock
+lockage
+locker
+locker room
+locket
+lock-gate
+locking pliers
+locknut
+lockring
+lockstitch
+lockup
+locomotive
+lodge
+lodge
+lodge
+lodging house
+Loestrin
+loft
+loft
+loft
+log
+log cabin
+loge
+loggia
+logic element
+log line
+Lomotil
+lomustine
+longboat
+longbow
+long iron
+long johns
+longshot
+long sleeve
+long tom
+long trousers
+long underwear
+looking glass
+lookout
+loom
+loop
+loophole
+loop knot
+loop-line
+Lo/Ovral
+lorazepam
+lorgnette
+Lorraine cross
+lorry
+lorry
+lost-and-found
+lota
+lotion
+lotion
+loudspeaker
+lounge
+lounger
+lounging jacket
+lounging pajama
+loungewear
+loupe
+louver
+louvered window
+Louvre
+lovastatin
+love knot
+love seat
+love-token
+loving cup
+lowboy
+lower berth
+lower deck
+low-pass filter
+low-warp-loom
+loxapine
+LP
+L-plate
+lubber's hole
+lubricating system
+luff
+lug
+luge
+Luger
+luggage carrier
+luggage compartment
+luggage rack
+lugger
+lugsail
+lug wrench
+lumberjack
+lumbermill
+lumber room
+lumberyard
+lunar excursion module
+lunchroom
+lunette
+lunette
+lungi
+lunula
+lusterware
+lute
+luxury liner
+lyceum
+lychgate
+lymphangiogram
+lypressin
+lyre
+lysergic acid diethylamide
+machete
+machicolation
+machine
+machine
+machine bolt
+machine gun
+machinery
+machine screw
+machine shop
+machine stitch
+machine tool
+machinist's vise
+machmeter
+macintosh
+Mackinac Bridge
+mackinaw
+mackinaw
+mackinaw
+mackinaw
+mackintosh
+macrame
+madras
+Mae West
+magazine
+magazine
+magazine
+magazine rack
+magic bullet
+magic lantern
+magic realism
+Maginot Line
+magnet
+magnetic bottle
+magnetic bubble memory
+magnetic compass
+magnetic core memory
+magnetic disk
+magnetic head
+magnetic mine
+magnetic needle
+magnetic recorder
+magnetic stripe
+magnetic tape
+magneto
+magnetograph
+magnetometer
+magnetron
+magnifier
+magnum
+magnum opus
+magnus hitch
+mail
+mailbag
+mailbag
+mailboat
+mailbox
+mail car
+maildrop
+mailer
+maillot
+maillot
+mail slot
+mailsorter
+mail train
+main
+main course
+main deck
+main drag
+mainframe
+main line
+mainmast
+main rotor
+mainsail
+mainspring
+mainstay
+main street
+main-topmast
+main-topsail
+main yard
+maisonette
+maisonette
+majolica
+major suit
+major tranquilizer
+makeup
+makeweight
+makeweight
+making
+Maksutov telescope
+malacca
+mallet
+mallet
+mallet
+Maltese cross
+mammogram
+man
+mandala
+mandola
+mandolin
+manger
+mangle
+manhole
+manhole cover
+manifold
+mannequin
+mannitol
+man-of-war
+manometer
+manor
+manor hall
+MANPAD
+mansard
+manse
+mansion
+manta
+mantel
+mantelet
+mantelet
+mantilla
+mantrap
+mantua
+Mao jacket
+map
+map projection
+maquiladora
+maraca
+marble
+marble
+marching order
+marimba
+marina
+Marineland
+marker
+marker
+market garden
+marketplace
+marline
+marlinespike
+marmite
+marocain
+maroon
+marquee
+marquetry
+marriage bed
+marseille
+marshalling yard
+martello tower
+martingale
+mascara
+maser
+masher
+mashie
+mashie niblick
+masjid
+mask
+mask
+masking piece
+masking tape
+Masonite
+Mason jar
+masonry
+mason's level
+Massachusetts Institute of Technology
+massage parlor
+massage parlor
+mass spectrograph
+mass spectrometer
+mast
+mast
+mastaba
+master
+master bedroom
+masterpiece
+masthead
+mat
+mat
+mat
+mat
+match
+match
+match
+matchboard
+matchbook
+matchbox
+matchlock
+match plane
+matchstick
+material
+materiel
+maternity hospital
+maternity ward
+matrix
+Matthew Walker
+matting
+mattock
+mattress
+mattress cover
+mattress pad
+maul
+maulstick
+Mauser
+mausoleum
+Mausoleum at Halicarnasus
+maxi
+Maxim gun
+maximum and minimum thermometer
+Maxzide
+Mayflower
+maypole
+maze
+mazer
+means
+measure
+measuring cup
+measuring instrument
+measuring stick
+meat counter
+meat grinder
+meat hook
+meat house
+meat safe
+meat thermometer
+mebendazole
+Meccano
+mechanical device
+mechanical drawing
+mechanical piano
+mechanical system
+mechanism
+meclizine
+meclofenamate
+medical building
+medical instrument
+medicine
+medicine ball
+medicine chest
+MEDLINE
+meerschaum
+mefenamic acid
+mefloquine
+megalith
+megaphone
+megaton bomb
+melphalan
+membrane
+memorial
+memory
+memory chip
+memory device
+menagerie
+mend
+mending
+menhir
+meniscus
+meniscus
+menorah
+Menorah
+man's clothing
+men's room
+mental hospital
+menthol
+mentholated salve
+meperidine
+mephenytoin
+mephobarbital
+meprobamate
+merbromine
+mercantile establishment
+mercaptopurine
+Mercator projection
+merchandise
+mercurial ointment
+mercury barometer
+mercury cell
+mercury thermometer
+mercury-vapor lamp
+mercy seat
+mercy seat
+merlon
+Merrimac
+mescaline
+mess
+mess jacket
+mess kit
+messuage
+metal detector
+metallic
+metallic
+metal screw
+metalware
+metal wood
+metalwork
+metaproterenol
+meteorological balloon
+meter
+meterstick
+metformin
+methacholine
+methadone
+methamphetamine
+methapyrilene
+methaqualone
+metharbital
+methenamine
+methicillin
+methocarbamol
+methotrexate
+methyldopa
+methylenedioxymethamphetamine
+methylphenidate
+metoprolol
+metro
+metronidazole
+metronome
+mews
+mexiletine
+mezzanine
+mezzanine
+mezzo-relievo
+mezzotint
+Mickey Finn
+miconazole
+microbalance
+microbrewery
+microdot
+microfiche
+microfilm
+micrometer
+Micronor
+microphone
+microphotometer
+microprocessor
+microscope
+microtome
+microwave
+microwave bomb
+microwave diathermy machine
+microwave linear accelerator
+midazolam
+middling
+middy
+midiron
+mihrab
+mihrab
+mild silver protein
+military hospital
+military installation
+military post
+military quarters
+military uniform
+military vehicle
+milk bar
+milk can
+milk float
+milking machine
+milking stool
+milk of magnesia
+milk wagon
+mill
+milldam
+miller
+milliammeter
+millinery
+millinery
+milling
+millivoltmeter
+millrace
+millstone
+millstone
+millwheel
+millwork
+mimeograph
+minaret
+Minato Ohashi Bridge
+mincer
+mine
+mine
+mine detector
+minelayer
+mineshaft
+minesweeper
+miniature
+miniature
+minibar
+minibike
+minibus
+minicab
+minicar
+minicomputer
+ministry
+miniskirt
+minisub
+minivan
+miniver
+mink
+minocycline
+minor suit
+minor tranquilizer
+minoxidil
+minster
+mint
+minute gun
+minute hand
+Minuteman
+miotic drug
+mirror
+mise en scene
+missile
+missile defense system
+miter
+miter
+miter box
+miter joint
+mithramycin
+mitomycin
+mitten
+mixer
+mixer
+mixing bowl
+mixing faucet
+mizzen
+mizzenmast
+moat
+mobcap
+mobile
+mobile home
+Mobius strip
+moccasin
+mock-up
+mod con
+model
+Model T
+modem
+modernism
+Modicon
+modification
+modillion
+module
+module
+module
+mohair
+moire
+mold
+mold
+moldboard
+moldboard plow
+molding
+molding
+moleskin
+molindone
+Molotov cocktail
+monastery
+monastic habit
+moneybag
+money belt
+monitor
+monitor
+monitor
+Monitor
+monkey bridge
+monkey ladder
+monkey-wrench
+monk's cloth
+monoamine oxidase inhibitor
+monochrome
+monocle
+monofocal lens implant
+monolith
+monoplane
+monopoly board
+monorail
+monotype
+monstrance
+mooring
+mooring anchor
+mooring tower
+Moorish arch
+moped
+mop handle
+moquette
+moreen
+morgue
+morion
+morning-after pill
+morning dress
+morning dress
+morning room
+morphine
+Morris chair
+mortar
+mortar
+mortarboard
+mortarboard
+mortise
+mortise joint
+mosaic
+mosaic
+mosaic
+mosque
+mosquito net
+motel
+motel room
+mothball
+Mother Hubbard
+motif
+motion-picture camera
+motion-picture film
+motley
+motley
+motor
+motorboat
+motorcycle
+motor hotel
+motorized wheelchair
+motor scooter
+motor vehicle
+mound
+mound
+mount
+mountain bike
+mountain tent
+mountain trail
+mounting
+mourning ring
+mouse
+mouse button
+mouse-tooth forceps
+mousetrap
+mousse
+mousseline de sole
+mouth
+mouth hole
+mousepad
+mouthpiece
+mouthpiece
+mouthpiece
+mouthpiece
+mouthpiece
+movable barrier
+movement
+movie projector
+moving-coil galvanometer
+moving van
+mud brick
+mudguard
+mudhif
+muff
+muffle
+muffler
+mufti
+mug
+mug shot
+mukataa
+mulch
+mule
+muller
+mullion
+multichannel recorder
+multiengine airplane
+multifocal lens implant
+multiplex
+multiplexer
+multiprocessor
+multistage rocket
+munition
+mural
+Murphy bed
+muscle relaxant
+musette
+musette pipe
+museum
+mushroom anchor
+musical instrument
+music box
+music hall
+music school
+music stand
+music stool
+musket
+musket ball
+muslin
+musnud
+mustache cup
+mustard plaster
+mute
+muzzle loader
+muzzle
+mycomycin
+mydriatic
+myelogram
+mystification
+nabumetone
+nacelle
+nadolol
+nafcillin
+nail
+nailbrush
+nailfile
+nailhead
+nailhead
+nail hole
+nail polish
+nainsook
+nalidixic acid
+nalorphine
+naloxone
+naltrexone
+nameplate
+NAND circuit
+nankeen
+naphazoline
+Napier's bones
+napkin
+napkin ring
+naproxen
+naproxen sodium
+narcoleptic
+narcotic
+narcotic antagonist
+nard
+narrowbody aircraft
+narrow gauge
+narrow wale
+narthex
+narthex
+nasal decongestant
+National Association of Securities Dealers Automated Quotations
+nasotracheal tube
+National Baseball Hall of Fame
+National Library of Medicine
+national monument
+naumachy
+nautilus
+navigational system
+naval chart
+naval equipment
+naval gun
+naval installation
+naval missile
+naval radar
+Naval Research Laboratory
+naval tactical data system
+naval weaponry
+nave
+navigational instrument
+navigation light
+navy base
+navy yard
+nearside
+nebuchadnezzar
+neck
+neck
+neckband
+neck brace
+neckcloth
+neckerchief
+necklace
+necklet
+neckline
+neckpiece
+necktie
+neckwear
+needle
+needle
+needlenose pliers
+needlepoint
+needlework
+nefazodone
+negative
+negative magnetic pole
+negative pole
+negligee
+nelfinavir
+neolith
+neomycin
+neon lamp
+Neosporin
+neostigmine
+nephoscope
+nest
+nest
+nest egg
+net
+net
+net
+net
+network
+network
+network
+neutron bomb
+nevirapine
+newel
+newel post
+Newgate
+newmarket
+New River Gorge Bridge
+newspaper
+newsroom
+newsroom
+newsstand
+Newtonian telescope
+New York Stock Exchange
+nib
+niblick
+nicad
+nick
+nickel-iron battery
+Nicol prism
+nifedipine
+night bell
+nightcap
+nightgown
+night latch
+night-light
+night-line
+nightshirt
+nightwear
+ninepin
+ninepin ball
+nine-spot
+ninon
+nipple
+nipple shield
+niqab
+Nissen hut
+nitrazepam
+nitrofurantoin
+Nitrospan
+nitrous oxide
+node
+nog
+nogging
+noisemaker
+nomogram
+non-dedicated file server
+nonsmoker
+non-nucleoside reverse transcriptase inhibitor
+nonsteroidal anti-inflammatory
+nontricyclic
+non-volatile storage
+noose
+Norfolk jacket
+noria
+Norinyl
+Norlestrin
+Nor-Q-D
+nortriptyline
+nose
+nose
+nosebag
+noseband
+nose cone
+nose flute
+nosepiece
+nose ring
+nosewheel
+nostrum
+notch
+notebook
+notion
+notions counter
+novel
+novillada
+novobiocin
+nozzle
+n-type semiconductor
+nuclear-powered ship
+nuclear reactor
+nuclear rocket
+nuclear weapon
+nucleoside reverse transcriptase inhibitor
+nude
+nude
+number
+number cruncher
+numdah
+nunnery
+nun's habit
+nursery
+nut
+nut and bolt
+nutcracker
+nux vomica
+nylon
+nylons
+nystatin
+oar
+oast
+oast house
+obelisk
+object ball
+objectification
+objective
+objet d'art
+oblique bandage
+oboe
+oboe da caccia
+oboe d'amore
+observation dome
+observation station
+observatory
+obstacle
+obstruction
+obturator
+obverse
+ocarina
+octant
+odd-leg caliper
+odometer
+oeil de boeuf
+oeuvre
+office
+office building
+office furniture
+officer's mess
+off-line equipment
+ogee
+ogee arch
+Ohio State University
+ohmmeter
+oil
+oil burner
+oilcan
+oilcloth
+oil filter
+oil future
+oil heater
+oil lamp
+oil paint
+oil painting
+oil pipeline
+oil pump
+oil refinery
+oilskin
+oil slick
+oilstone
+oil tanker
+oil well
+ointment
+old school tie
+olive drab
+olive drab
+Olympian Zeus
+omelet pan
+omnidirectional antenna
+omnirange
+one-spot
+one-way street
+onion dome
+op art
+open-air market
+open circuit
+open-end wrench
+opener
+open-hearth furnace
+opening
+openside plane
+open sight
+open weave
+openwork
+opera
+opera cloak
+operating microscope
+operating room
+operating table
+ophthalmoscope
+opiate
+opium
+opium den
+optical bench
+optical device
+optical disk
+optical fiber
+optical instrument
+optical pyrometer
+optical telescope
+oracle
+orange grove
+orb web
+orchestra
+orchestra pit
+OR circuit
+order book
+ordinary
+ordinary
+organ
+organdy
+organic light-emitting diode
+organ loft
+organ pipe
+organ stop
+organza
+oriel
+oriflamme
+O ring
+Orlon
+orlop deck
+orphanage
+orphenadrine
+orphrey
+orrery
+orthicon
+orthochromatic film
+orthopter
+orthoscope
+oscillator
+oscillogram
+oscillograph
+oscilloscope
+ossuary
+otoscope
+ottoman
+oubliette
+Ouija
+out-basket
+outboard motor
+outboard motorboat
+outbuilding
+outerwear
+outfall
+outfield
+outfit
+outfitter
+outhouse
+outlet box
+outpost
+output
+output device
+outrigger
+outrigger canoe
+outside caliper
+outside clinch
+outside mirror
+outsider art
+outsole
+outwork
+Oval Office
+oven
+oven thermometer
+ovenware
+overall
+overall
+overcast
+overcoat
+overdrive
+overgarment
+overhand knot
+overhand stitch
+overhang
+overhead
+overhead projector
+overlay
+overload
+overload
+overmantel
+overnighter
+overpass
+overprint
+override
+overshoe
+overskirt
+over-the-counter drug
+over-the-counter market
+Ovocon
+ovolo
+Ovral
+Ovrette
+Ovulen
+oxacillin
+oxaprozin
+oxazepam
+oxbow
+Oxbridge
+oxcart
+oxeye
+oxford
+Oxford University
+oximeter
+oxyacetylene torch
+oxygen mask
+oxyphenbutazone
+oxyphencyclimine
+oxytetracycline
+oxytocic
+oyster bar
+oyster bed
+pace car
+pacemaker
+pacifier
+pack
+pack
+pack
+pack
+package
+packaged goods
+package store
+packaging
+packet
+packing box
+packinghouse
+packinghouse
+packing needle
+packsaddle
+packthread
+pad
+pad
+padding
+paddle
+paddle
+paddle
+paddle
+paddle box
+paddle steamer
+paddlewheel
+paddock
+padlock
+page printer
+pagoda
+paillasse
+paint
+paintball
+paintball gun
+paintbox
+paintbrush
+painter
+painting
+paint roller
+paisley
+pajama
+pajama
+palace
+palace
+palace
+palanquin
+paleolith
+palestra
+palette
+palette knife
+palisade
+pall
+pallet
+pallet
+pallet
+pallette
+palliative
+pallium
+pallium
+pan
+pan
+panacea
+panache
+Panama Canal
+panatela
+pancake turner
+panchromatic film
+panda car
+Pandora's box
+pane
+panel
+panel
+panel heating
+paneling
+panel light
+panhandle
+panic button
+pannier
+pannier
+pannier
+pannikin
+panopticon
+panopticon
+panorama
+panoramic sight
+panpipe
+pantaloon
+pantechnicon
+pantheon
+pantheon
+pantie
+panting
+pant leg
+pantograph
+pantry
+pants suit
+panty girdle
+pantyhose
+panzer
+papal cross
+papaverine
+paperback book
+paper chain
+paper clip
+paper cutter
+paper doll
+paper fastener
+paper feed
+paper mill
+paper plate
+paper towel
+paperweight
+parabolic mirror
+parabolic reflector
+parachute
+parallel bars
+parallel circuit
+parallel interface
+paramagnet
+parang
+parapet
+parapet
+parasail
+parasol
+paregoric
+parer
+parfait glass
+pargeting
+pari-mutuel machine
+Paris University
+park
+parka
+park bench
+parking meter
+parlor
+parlor car
+paroxetime
+parquet
+parquet
+parquet circle
+parquetry
+parsonage
+Parsons table
+part
+parterre
+Parthenon
+partial denture
+particle detector
+partisan
+partition
+parts bin
+party favor
+party line
+party wall
+parvis
+passage
+passageway
+passenger car
+passenger ship
+passenger train
+passenger van
+passe-partout
+passive matrix display
+passkey
+pass-through
+paste-up
+pastiche
+pastry cart
+pasty
+patch
+patchcord
+patchouli
+patch pocket
+patchwork
+patchwork
+patent log
+patent medicine
+paternoster
+path
+pathway
+patina
+patio
+patisserie
+patka
+patriarchal cross
+patrol boat
+patty-pan
+pave
+paved surface
+pavement
+pavilion
+paving stone
+pavior
+pavis
+pawl
+pawn
+pawnbroker's shop
+pay-phone
+PC board
+peacekeeper
+peach orchard
+peacock-throne
+pea jacket
+pearl fishery
+pea shooter
+peavey
+pectoral
+pedal
+pedal pusher
+pedestal
+pedestal table
+pedestrian crossing
+pedicab
+pediment
+pedometer
+peeler
+peen
+peephole
+peep sight
+peg
+peg
+peg
+peg
+pegboard
+peg top
+Pelham
+pelican crossing
+pelisse
+pelvimeter
+pen
+pen
+penal colony
+penal institution
+penalty box
+pen-and-ink
+pencil
+pencil
+pencil box
+pencil sharpener
+pendant
+pendant earring
+pendulum
+pendulum clock
+pendulum watch
+penetration bomb
+penicillamine
+penicillin
+penicillinase-resistant antibiotic
+penicillin F
+penicillin G
+penicillin O
+penicillin V
+penicillin V potassium
+penile implant
+penitentiary
+penknife
+penlight
+pennant
+pennoncel
+penny arcade
+pennywhistle
+pentaerythritol
+Pentagon
+pentazocine
+penthouse
+pentimento
+pentobarbital sodium
+pentode
+pentoxifylline
+pentylenetetrazol
+peplos
+peplum
+pepper-and-salt
+pepper mill
+pepper shaker
+pepper spray
+percale
+perch
+percolator
+percussion cap
+percussion instrument
+perforation
+perfume
+perfumery
+perfumery
+perfumery
+period piece
+peripheral
+periscope
+peristyle
+periwig
+periwinkle plant derivative
+permanent magnet
+permanent press
+perpendicular
+perpetual motion machine
+perphenazine
+personal computer
+personal digital assistant
+personnel carrier
+pestle
+pestle
+petard
+petcock
+Peter Pan collar
+petit point
+petit point
+Petri dish
+petrolatum gauze
+Petronas Towers
+pet shop
+petticoat
+pew
+pharmaceutical
+pharmacopoeia
+phenazopyridine
+phencyclidine
+phenelzine
+pheniramine
+phenolphthalein
+phensuximide
+phentolamine
+phenylbutazone
+phenylephrine
+phenylpropanolamine
+phenyltoloxamine
+phial
+Phillips screw
+Phillips screwdriver
+phonograph album
+phonograph needle
+phonograph record
+photocathode
+photocoagulator
+photocopier
+photocopy
+photoelectric cell
+photograph
+photograph album
+photographic equipment
+photographic paper
+photographic print
+photolithograph
+photometer
+photomicrograph
+photomontage
+Photostat
+photostat
+phrontistery
+physical pendulum
+physics lab
+piano
+piano action
+piano keyboard
+piano wire
+piccolo
+pick
+pick
+pick
+pickelhaube
+picket
+picket
+picket boat
+picket fence
+picket ship
+pickle barrel
+pickup
+pickup
+picot
+picture
+picture book
+picture frame
+picture hat
+picture rail
+picture window
+piece
+piece
+piece of cloth
+piece of leather
+pied-a-terre
+pier
+pier
+pier
+pier arch
+pier glass
+Pierre Laporte Bridge
+pier table
+pieta
+piezoelectric crystal
+piezometer
+pig
+pig bed
+piggery
+piggy bank
+pike
+pike
+pikestaff
+pilaster
+pile
+pile
+pile driver
+pill
+pill
+pill
+pillar box
+pill bottle
+pillbox
+pillbox
+pillbox
+pillion
+pillory
+pillow
+pillow block
+pillow lace
+pillow sham
+pilocarpine
+pilot balloon
+pilot bit
+pilot boat
+pilot burner
+pilot cloth
+pilot engine
+pilothouse
+pilot light
+Pimlico
+pimozide
+pin
+pin
+pin
+pin
+pinata
+pinball machine
+pince-nez
+pincer
+pinch bar
+pincurl clip
+pincushion
+pindolol
+pine-tar rag
+pinfold
+pinger
+ping-pong ball
+pinhead
+pinhole
+pinion
+pinnacle
+pinner
+pinpoint
+pinprick
+pinstripe
+pinstripe
+pinstripe
+pintle
+pinwheel
+pinwheel
+pin wrench
+pipe
+pipe
+tabor pipe
+pipe
+pipe bomb
+pipe cleaner
+pipe cutter
+pipefitting
+pipeline
+piperacillin
+pipe rack
+piperazine
+piperocaine
+pipet
+pipe vise
+pipe wrench
+piping
+pique
+pirate
+piroxicam
+piste
+piste
+pistol
+pistol grip
+piston
+piston ring
+piston rod
+pit
+pit
+pit
+pit
+pit
+pitcher
+pitchfork
+pitching wedge
+pitch pipe
+pithead
+pith hat
+piton
+Pitot-static tube
+Pitot tube
+pitprop
+pitsaw
+pivot
+pivoting window
+pixel
+pizzeria
+placebo
+place mat
+place of business
+place of worship
+place setting
+placket
+plain weave
+plan
+planchet
+planchette
+plane
+plane
+plane seat
+plane table
+planetarium
+planetarium
+planetarium
+planetary gear
+plank-bed
+planking
+planner
+plant
+planter
+plaster
+plaster
+plasterboard
+plastering trowel
+plastic art
+plastic bag
+plastic bomb
+plastic explosive
+plastic laminate
+plastic wrap
+plastron
+plastron
+plastron
+plastron
+plat
+plate
+plate
+plate
+plate
+plate
+plate
+plate
+plate
+plate glass
+plate iron
+platen
+platen
+platen
+plate rack
+plate rail
+platform
+platform
+platform
+platform bed
+platform rocker
+plating
+platter
+playback
+playbox
+playground
+playhouse
+playing card
+playpen
+playsuit
+plaything
+plaza
+pleat
+plenum
+plethysmograph
+pleximeter
+plexor
+pliers
+plimsoll
+plotter
+plow
+plowshare
+plug
+plug
+plug fuse
+plughole
+plumb bob
+plumber's snake
+plumbing
+plumbing fixture
+plumb level
+plumb line
+plumb rule
+plume
+plunger
+plus fours
+plush
+plutonium trigger
+ply
+ply
+plywood
+pneumatic drill
+pneumatic tire
+pneumococcal vaccine
+p-n junction
+p-n-p transistor
+poacher
+pocket
+pocket
+pocket battleship
+pocketbook
+pocketcomb
+pocket flap
+pocket-handkerchief
+pocketknife
+pocket watch
+pod
+pogo stick
+point
+point
+point
+point-and-shoot camera
+pointed arch
+pointer
+pointillism
+pointing trowel
+point lace
+poker
+polarimeter
+Polaroid
+Polaroid camera
+pole
+pole
+pole
+poleax
+poleax
+police boat
+police station
+police van
+poliovirus vaccine
+polka dot
+polling booth
+polo ball
+polo mallet
+polonaise
+polo shirt
+polychrome
+polyconic projection
+polyester
+polygraph
+polymyxin
+polypropenonitrile
+pomade
+pommel
+pommel
+pommel horse
+pompon
+poncho
+pongee
+poniard
+Ponte 25 de Abril
+pontifical
+pontoon
+pontoon
+pontoon bridge
+pony cart
+pool
+pool ball
+poolroom
+pool table
+poop deck
+poor box
+poorhouse
+Pop Art
+pop bottle
+popgun
+poplin
+popper
+popper
+poppet
+pop tent
+porcelain
+porch
+porkpie
+porringer
+port
+portable
+portable computer
+portable circular saw
+portage
+portal
+portcullis
+porte-cochere
+porte-cochere
+portfolio
+porthole
+portico
+portiere
+portmanteau
+portrait
+portrait camera
+portrait lens
+positive
+positive pole
+positive pole
+positron emission tomography scanner
+post
+postage meter
+post and lintel
+postbox
+post chaise
+postern
+post exchange
+posthole
+posthole digger
+post horn
+posthouse
+postmodernism
+Post-Office box
+post road
+pot
+pot
+pot
+potbelly
+Potemkin village
+potential divider
+potentiometer
+potentiometer
+pot farm
+potholder
+pothook
+potpourri
+potsherd
+potter's wheel
+pottery
+pottery
+pottle
+potty seat
+pouch
+poultice
+pound
+pound net
+powder
+powder and shot
+powdered mustard
+powder horn
+powder keg
+powderpuff
+power brake
+power cord
+power drill
+power line
+power loom
+power module
+power mower
+power pack
+power saw
+power shovel
+power station
+power steering
+power system
+power takeoff
+power tool
+practice range
+praetorium
+pravastatin
+prayer rug
+prayer shawl
+prazosin
+precipitator
+predictor
+prefab
+presbytery
+prescription drug
+presence chamber
+presidio
+press
+press
+press
+press box
+press gallery
+pressing
+press of sail
+pressure cabin
+pressure cooker
+pressure dome
+pressure gauge
+pressurized water reactor
+pressure suit
+preventive
+pricket
+prie-dieu
+primaquine
+Primaxin
+primary coil
+primidone
+primitivism
+Primus stove
+Prince Albert
+Princeton University
+print
+print
+print
+print buffer
+printed circuit
+printer
+printer
+printer cable
+print shop
+priory
+prism
+prison
+prison camp
+privateer
+private line
+privet hedge
+probe
+probenecid
+procaine
+procaine hydrochloride
+procarbazine
+prochlorperazine
+proctoscope
+procyclidine
+prod
+product
+production line
+projectile
+projection
+projection
+projector
+projector
+prolonge
+prolonge knot
+promenade
+promethazine
+prompt box
+prompter
+prong
+proof
+prop
+propanolol
+propellant explosive
+propeller
+propeller plane
+property
+propjet
+proportional counter tube
+propoxyphene
+propulsion system
+proscenium
+proscenium
+proscenium arch
+prosthesis
+protease inhibitor
+protective covering
+protective garment
+proteosome vaccine
+proton accelerator
+protractor
+protriptyline
+proving ground
+pruner
+pruning knife
+pruning saw
+pruning shears
+psaltery
+psilocybin
+psychoactive drug
+psychotropic agent
+psychrometer
+PT boat
+p-type semiconductor
+public address system
+public house
+public toilet
+public transit
+public transport
+public works
+puck
+pull
+pullback
+pull chain
+pulley
+pull-in
+pull-off
+Pullman
+pullover
+pull-through
+pulse counter
+pulse generator
+pulse timing circuit
+pump
+pump
+pump action
+pump house
+pump room
+pump-type pliers
+pump well
+punch
+punchboard
+punch bowl
+punched card
+punching bag
+punch pliers
+punch press
+puncture
+pung
+punkah
+punnet
+punt
+puppet
+puppet
+pup tent
+purdah
+purgative
+purifier
+purl
+purl
+purse
+purse seine
+purse string
+push-bike
+push broom
+push button
+push-button radio
+push-down storage
+pusher
+put-put
+puttee
+putter
+putty knife
+puzzle
+pyelogram
+pylon
+pylon
+pyocyanase
+pyocyanin
+Pyramid
+pyramidal tent
+pyrilamine
+pyrograph
+pyrometer
+pyrometric cone
+pyrostat
+pyx
+pyx
+pyxis
+quad
+quad
+quadrant
+quadraphony
+quadruplicate
+Quaker gun
+quarrel
+quarter
+quarterdeck
+quartering
+quartering
+quarterlight
+quarter plate
+quarterstaff
+quartz battery
+quartz crystal
+quartz lamp
+quay
+Quebec Bridge
+queen
+queen
+queen post
+Queensboro Bridge
+quern
+quill
+quilt
+quilted bedspread
+quilting
+quilting
+quinacrine
+quinidine
+quinine
+quipu
+quirk
+quirk bead
+quirk molding
+quirt
+quiver
+quoin
+quoin
+quoit
+QWERTY keyboard
+R-2
+rabato
+rabbet
+rabbet joint
+rabbit ears
+rabbit hutch
+raceabout
+racer
+racetrack
+raceway
+racing boat
+racing circuit
+racing gig
+racing skiff
+rack
+rack
+rack
+rack and pinion
+racket
+racquetball
+radar
+radial
+radial engine
+radiation pyrometer
+radiator
+radiator
+radiator cap
+radiator hose
+radio
+radio antenna
+radio beacon
+radio chassis
+radio compass
+radiogram
+radio interferometer
+radio link
+radiometer
+radiomicrometer
+radiopharmaceutical
+radio-phonograph
+radiophotograph
+radio receiver
+radio station
+radiotelegraph
+radiotelephone
+radio telescope
+radiotherapy equipment
+radio transmitter
+radome
+raft
+rafter
+raft foundation
+rag
+ragbag
+rag doll
+raglan
+raglan sleeve
+rail
+rail
+rail fence
+railhead
+railhead
+railing
+railing
+railroad bed
+railroad flat
+railroad track
+railroad tunnel
+railway
+railway junction
+railway station
+rain barrel
+raincoat
+rain gauge
+rain stick
+rake
+rake handle
+ram
+RAM disk
+ramekin
+ramipril
+ramjet
+rammer
+ramp
+rampant arch
+rampart
+ramrod
+ramrod
+ranch
+ranch house
+random-access memory
+range
+rangefinder
+range hood
+range pole
+ranitidine
+rapid transit
+rapier
+rappee
+rariora
+rasp
+raster
+rat
+ratchet
+ratchet wheel
+rathole
+rathskeller
+ratline
+rat-tail file
+rattan
+rattle
+rattrap
+rattrap
+ravehook
+Rayleigh disk
+rayon
+razor
+razorblade
+razor edge
+reaction-propulsion engine
+reaction turbine
+reactor
+reading lamp
+reading room
+read-only memory
+read-only memory chip
+readout
+read/write head
+ready-made
+ready-to-wear
+real storage
+reamer
+reamer
+rear
+rearview mirror
+rear window
+Reaumur thermometer
+reboxetine
+rebozo
+receiver
+receptacle
+receptacle
+reception desk
+reception room
+recess
+reciprocating engine
+recliner
+reconnaissance plane
+reconnaissance vehicle
+restoration
+record changer
+recorder
+recording
+recording
+recording studio
+recording system
+record jacket
+record player
+record sleeve
+recovery room
+recreational drug
+recreational facility
+recreational vehicle
+recreation room
+rectifier
+recycling bin
+recycling plant
+redbrick university
+red carpet
+redoubt
+redoubt
+reducer
+reduction gear
+reed
+reed pipe
+reed stop
+reef knot
+reel
+reel
+refectory
+refectory table
+refill
+refill
+refinery
+reflecting telescope
+reflection
+reflectometer
+reflector
+reflex camera
+reflux condenser
+reformatory
+reformer
+refracting telescope
+refractometer
+refrigeration system
+refrigerator
+refrigerator car
+refuge
+regalia
+regimentals
+register
+register
+register
+regulator
+rein
+relaxant
+relay
+release
+release
+relic
+relief
+religious residence
+reliquary
+remake
+remedy
+remise
+remote control
+remote-control bomb
+remote terminal
+removable disk
+rendering
+rendering
+rep
+repair shop
+repeater
+repeating firearm
+repertory
+replica
+repository
+representation
+reproducer
+rerebrace
+rescue equipment
+research center
+reseau
+reseau
+reserpine
+reservoir
+reservoir
+reset
+reset button
+residence
+resistance pyrometer
+resistance thermometer
+resistor
+resonator
+resonator
+resonator
+resort hotel
+respirator
+rest
+restaurant
+rest house
+restraint
+resuscitator
+retainer
+retaining wall
+reticle
+reticulation
+reticule
+restoration
+retort
+retractor
+retread
+retrenchment
+retrofit
+retrorocket
+return key
+reverberatory furnace
+revers
+reverse
+reverse
+reverse transcriptase inhibitor
+reversible
+reversing thermometer
+revetment
+revetment
+reviewing stand
+revolver
+revolving door
+rheometer
+rheostat
+rhinoscope
+rib
+rib
+riband
+ribavirin
+ribbed vault
+ribbing
+ribbon
+ribbon
+ribbon development
+rib joint pliers
+ricer
+rickrack
+riddle
+ride
+rider plate
+ridge
+ridge rope
+riding bitt
+riding boot
+riding crop
+riding mower
+rifampin
+rifle
+rifle ball
+rifle butt
+rifle grenade
+rifle range
+rig
+rig
+rigger
+rigger
+rigging
+right field
+right of way
+rigout
+rim
+rim
+ring
+ring
+ringlet
+rings
+ringside
+rink
+riot gun
+ripcord
+ripcord
+ripping bar
+ripping chisel
+ripsaw
+riser
+riser
+ritonavir
+Ritz
+river boat
+rivet
+riveting machine
+rivet line
+roach
+roach clip
+road
+roadbed
+roadblock
+roadhouse
+road map
+roadster
+road surface
+roadway
+roaster
+robe
+Robitussin
+robotics equipment
+Rochon prism
+rock bit
+rocker
+rocker
+rocker
+rocker arm
+rocket
+rocket
+rocket base
+rocket range
+rock garden
+rocking chair
+rod
+rodeo
+roentgenogram
+rofecoxib
+roll
+roll
+roller
+roller
+roller bandage
+in-line skate
+Rollerblade
+roller blind
+roller coaster
+roller skate
+roller towel
+roll film
+rolling hitch
+rolling mill
+rolling pin
+rolling stock
+roll of tobacco
+roll-on
+roll-on
+roll-on roll-off
+Rolodex
+Roman arch
+Roman building
+Roman candle
+romper
+rood screen
+roof
+roof
+roof garden
+roofing
+roof peak
+room
+roomette
+room light
+roost
+roost
+root cellar
+rope
+rope bridge
+rope ladder
+rope tow
+ropewalk
+rope yarn
+rosary
+rose bed
+rose garden
+rosemaling
+rosette
+rose water
+rose window
+rosin bag
+rotary actuator
+rotary engine
+rotary press
+rotating mechanism
+rotating shaft
+rotisserie
+rotisserie
+rotor
+rotor
+rotor
+rotor blade
+rotor head
+rotunda
+rotunda
+rouge
+roughcast
+rouleau
+rouleau
+roulette
+roulette ball
+roulette wheel
+round
+round arch
+round-bottom flask
+roundel
+rounder
+round file
+roundhouse
+Round Table
+router
+router
+router plane
+rowel
+row house
+rowing boat
+rowlock arch
+row of bricks
+royal
+royal brace
+royal mast
+rubber band
+rubber boot
+rubber bullet
+rubber eraser
+rubbing
+rubbing alcohol
+rubefacient
+rudder
+rudder
+rudder blade
+rudderpost
+rue
+rug
+rugby ball
+ruin
+rule
+rumble
+rumble seat
+rummer
+rumpus room
+runcible spoon
+rundle
+rung
+runner
+runner
+running board
+running shoe
+running stitch
+running suit
+runway
+runway
+runway
+rushlight
+russet
+rya
+saber
+saber saw
+Sabin vaccine
+sable
+sable
+sable coat
+sabot
+sachet
+sack
+sack
+sackbut
+sackcloth
+sackcloth
+sack coat
+sacking
+saddle
+saddle
+saddlebag
+saddle blanket
+saddle oxford
+saddlery
+saddle seat
+saddle soap
+saddle stitch
+safe
+safe
+safe-deposit
+safehold
+safe house
+safety arch
+safety belt
+safety bicycle
+safety bolt
+safety catch
+safety curtain
+safety fuse
+safety lamp
+safety match
+safety net
+safety pin
+safety rail
+safety razor
+safety valve
+sail
+sail
+sailboat
+sailcloth
+sailing vessel
+sailing warship
+sailor cap
+sailor suit
+Saint Lawrence Seaway
+salad bar
+salad bowl
+salad fork
+salad plate
+salinometer
+Salk vaccine
+sallet
+salon
+salon
+salon
+saltbox
+saltcellar
+salt mine
+saltshaker
+saltworks
+salver
+salvinorin
+salwar
+Salyut
+Sam Browne belt
+samisen
+samite
+samovar
+sampan
+sampler
+sampling station
+sanatorium
+sanctuary
+sandal
+sandbag
+sandblaster
+sandbox
+sandbox
+sandglass
+sand painting
+sand wedge
+sandwich board
+sanitary napkin
+Santa Fe Trail
+cling film
+sarcenet
+sarcophagus
+sari
+sarong
+sash
+sash cord
+sash fastener
+sash weight
+sash window
+satchel
+sateen
+satellite
+satellite receiver
+satellite television
+satellite transmitter
+satin
+satinet
+satin stitch
+satin weave
+Saturday night special
+saucepan
+saucepot
+saucer
+sauna
+save-all
+save-all
+save-all
+savings bank
+saw
+sawdust doll
+sawdust saloon
+sawed-off shotgun
+sawhorse
+sawmill
+saw set
+sawtooth
+sax
+saxhorn
+scabbard
+scaffold
+scaffold
+scaffolding
+scale
+scale
+scaler
+scaling ladder
+scalpel
+scan
+scanner
+scanner
+scanner
+scantling
+scapular
+scarecrow
+scarf
+scarf joint
+scatter pin
+scatter rug
+scauper
+scene
+scenery
+scenic railway
+scheduler
+schematic
+schlock
+Schmidt telescope
+school
+schoolbag
+school bell
+school bus
+school crossing
+school ship
+school system
+schooner
+schooner
+science museum
+scientific instrument
+scimitar
+scintillation counter
+scissors
+sclerometer
+scoinson arch
+sconce
+sconce
+sconce
+sconce
+scoop
+scoop
+scooter
+scopolamine
+scoreboard
+scourge
+scouring pad
+scow
+scow
+scrambler
+scrap
+scrapbook
+scraper
+scratcher
+scratchpad
+screed
+screen
+screen
+screen
+screen
+screen
+screen door
+screening
+screen saver
+screw
+screw
+screw
+screwdriver
+screw eye
+screw key
+screw thread
+screwtop
+screw wrench
+scribble
+scriber
+scrim
+scrimshaw
+scriptorium
+scrubber
+scrub brush
+scrub plane
+scuffer
+scuffle
+scull
+scull
+scull
+scullery
+sculpture
+scum
+scupper
+scuttle
+scyphus
+scythe
+sea anchor
+seabag
+sea boat
+sea chest
+seal
+seal
+seal
+sea ladder
+seal bomb
+sealing wax
+sealskin
+seam
+seaplane
+searchlight
+searing iron
+Sears Tower
+seascape
+seat
+seat
+seat
+seat
+seat belt
+seat cushion
+seating
+seaway
+secateurs
+secobarbital sodium
+secondary coil
+second balcony
+second base
+second gear
+second hand
+secretary
+section
+sectional
+sector
+security blanket
+security blanket
+security system
+security system
+sedan
+sedan
+sedative
+sedative-hypnotic
+seedbed
+seeder
+seeder
+seeker
+seersucker
+seesaw
+segmental arch
+Segway
+seidel
+seine
+seismogram
+seismograph
+seizing
+selective-serotonin reuptake inhibitor
+selector
+selenium cell
+self-feeder
+self-portrait
+self-propelled vehicle
+self-registering thermometer
+self-starter
+selsyn
+selvage
+selvage
+semaphore
+semi-abstraction
+semiautomatic firearm
+semiautomatic pistol
+semiconductor device
+semi-detached house
+semigloss
+semitrailer
+sennit
+sensitometer
+sentry box
+separate
+septic tank
+sequence
+sequencer
+sequencer
+sequin
+serape
+serge
+serger
+serial port
+series circuit
+serpent
+serpent
+serration
+sertraline
+server
+server
+service
+service club
+service door
+service station
+serving cart
+serving dish
+servo
+set
+set-back
+set decoration
+set gun
+set piece
+setscrew
+setscrew
+set square
+settee
+settle
+settlement house
+seven-spot
+seventy-eight
+Seven Wonders of the Ancient World
+sewage disposal plant
+sewage farm
+sewage system
+sewer
+sewer main
+sewing
+sewing basket
+sewing kit
+sewing machine
+sewing needle
+sewing room
+sewing stitch
+sextant
+sgraffito
+shackle
+shackle
+shade
+shade
+shadow box
+shaft
+shaft
+shaft
+shaft
+shag
+shag rug
+shaker
+shampoo
+shank
+shank
+shank
+shank
+shantung
+shaper
+shaping tool
+shard
+sharkskin
+sharp
+sharpener
+sharpie
+Sharpie
+sharpshooter
+shaver
+shaving brush
+shaving cream
+shaving foam
+shawl
+shawm
+shear
+shears
+sheath
+sheathing
+shed
+sheep bell
+sheepshank
+sheepskin coat
+sheepwalk
+sheet
+sheet
+sheet
+sheet anchor
+sheet bend
+sheeting
+sheet iron
+sheet metal
+sheet pile
+Sheetrock
+sheet web
+shelf
+shelf bracket
+shell
+shell
+shell
+shellac
+shell plating
+shell stitch
+shelter
+shelter
+shelter
+sheltered workshop
+Sheraton
+shield
+shield
+shielding
+shielding
+shift key
+shift register
+shillelagh
+shim
+shingle
+shin guard
+ship
+shipboard system
+ship canal
+shipping
+shipping office
+shipping room
+ship-towed long-range acoustic detection system
+shipwreck
+shipyard
+shirt
+shirt button
+shirtdress
+shirtfront
+shirting
+shirtsleeve
+shirttail
+shirtwaist
+shiv
+shock absorber
+shoe
+shoe
+shoe bomb
+shoebox
+shoebox
+shoehorn
+shoelace
+shoe shop
+shoetree
+shofar
+shoji
+shoofly
+shook
+shooting brake
+shooting gallery
+shooting gallery
+shooting lodge
+shooting stick
+shop
+shop bell
+shop floor
+shopfront
+shopping
+shopping bag
+shopping basket
+shopping cart
+shore
+short
+short circuit
+shortcut
+short iron
+short line
+short pants
+short sleeve
+shortwave diathermy machine
+shot
+shot
+shot
+shot glass
+shotgun
+shotgun shell
+shot hole
+shot tower
+shoulder
+shoulder
+shoulder bag
+shoulder board
+shouldered arch
+shoulder holster
+shoulder pad
+shoulder patch
+shovel
+shovel
+shovel hat
+showboat
+shower
+shower cap
+shower curtain
+showerhead
+shower room
+shower stall
+showroom
+shrapnel
+shredder
+shrimper
+shrine
+shrink-wrap
+shroud
+shunt
+shunt
+shunter
+shutter
+shutter
+shutting post
+shuttle
+shuttle
+shuttle bus
+shuttlecock
+shuttle helicopter
+siamese
+Sibley tent
+sick bag
+sickbay
+sickbed
+sickle
+sickroom
+side
+sideboard
+sideboard
+sidecar
+side chapel
+side door
+sidelight
+sideline
+side pocket
+side road
+sidesaddle
+side street
+sidewalk
+sidewall
+sidewall
+side-wheeler
+sidewinder
+side yard
+siding
+Siege Perilous
+Siegfried line
+sieve
+sifter
+sights
+sight setting
+sigmoidoscope
+signal box
+signaling device
+signboard
+signet
+signet ring
+sildenafil
+silencer
+silencer
+silent butler
+silesia
+Silex
+silhouette
+silk
+silks
+silkscreen
+sill
+silo
+silo
+silver medal
+silver mine
+silver plate
+silver plate
+silverpoint
+silver protein
+silverware
+silverwork
+simple pendulum
+simulator
+simvastatin
+single bed
+single-breasted jacket
+single-breasted suit
+single crochet
+single prop
+single-reed instrument
+single-rotor helicopter
+singlestick
+singlet
+singleton
+sink
+sinker
+sinusoidal projection
+siphon
+siren
+sister ship
+Sistine Chapel
+sitar
+sitz bath
+six-pack
+sixpenny nail
+six-spot
+size stick
+skate
+skateboard
+skeen arch
+skeg
+skein
+skeleton
+skeleton key
+skep
+skep
+sketch
+sketchbook
+sketcher
+sketch map
+skew arch
+skewer
+ski
+ski binding
+skibob
+ski boot
+ski cap
+skid
+skidder
+skid lid
+skidpan
+skid road
+skiff
+ski jump
+ski lodge
+ski mask
+skimmer
+skin
+skin
+ski parka
+ski-plane
+ski pole
+ski rack
+skirt
+skirt
+skirt of tasses
+ski run
+ski tow
+Skivvies
+skull and crossbones
+skullcap
+skybox
+skyhook
+skyhook
+Skylab
+skylight
+skyrocket
+skysail
+skyscraper
+skywalk
+slab
+slack
+slacks
+slack suit
+slapstick
+slasher
+slash pocket
+slat
+slate
+slate pencil
+slate roof
+slave market
+slave ship
+sled
+sleeper
+sleeper
+sleeping bag
+sleeping car
+sleeping pill
+sleeve
+sleeve
+sleigh bed
+sleigh bell
+slice
+slice bar
+slicer
+slicer
+slick
+slick
+slide
+slide
+slide
+slide fastener
+slide projector
+slide rule
+slide valve
+sliding door
+sliding seat
+sliding window
+sling
+sling
+slingback
+slinger ring
+slingshot
+slip
+slip clutch
+slip coach
+slipcover
+slip-joint pliers
+slipknot
+slip-on
+slipper
+slip ring
+slip stitch
+slit
+slit lamp
+slit trench
+sloop
+sloop of war
+slop basin
+slop chest
+slop pail
+slops
+slopshop
+slot
+slot
+slot
+slot machine
+slow lane
+slow match
+sluice
+sluicegate
+smack
+small boat
+small computer system interface
+small ship
+small stores
+small stuff
+smart bomb
+smelling bottle
+smelter
+smocking
+smoke bomb
+smoke hole
+smokehouse
+smoker
+smoke screen
+smokestack
+smoking mixture
+smoking room
+smoothbore
+smooth plane
+snack bar
+snaffle
+snake
+snap
+snap brim
+snap-brim hat
+snapshot
+snare
+snare
+snare
+snare drum
+snatch block
+Snellen chart
+snifter
+snip
+sniper rifle
+snips
+Sno-cat
+snood
+snorkel
+snorkel
+snorter
+snowball
+snowbank
+snowboard
+snowman
+snowmobile
+snowplow
+snowshoe
+snowsuit
+snow thrower
+snow tire
+snuff
+snuffbox
+snuffer
+snuffers
+soap
+soap
+soapbox
+soap dish
+soap dispenser
+soap film
+soap flakes
+soap pad
+soap powder
+soccer ball
+sock
+socket
+socket
+socket wrench
+socle
+soda can
+soda fountain
+soda fountain
+sod house
+sodium salicylate
+sodium thiopental
+sodium-vapor lamp
+sofa
+soffit
+softball
+soft drug
+soft pedal
+soft soap
+software package
+soil pipe
+solar array
+solar cell
+solar dish
+solar heater
+solar house
+solar telescope
+solar thermal system
+soldering iron
+sole
+solenoid
+solitaire
+solleret
+sombrero
+sonar
+sonic depth finder
+sonogram
+sonograph
+soothing syrup
+soporific
+sorter
+souk
+sound bow
+soundbox
+sound camera
+sounder
+sound film
+sound hole
+sounding board
+sounding lead
+sounding rocket
+sound recording
+sound spectrograph
+soundtrack
+sound truck
+soup bowl
+soup ladle
+soup plate
+soupspoon
+source
+source of illumination
+sourdine
+sourdine
+soutache
+soutane
+sou'wester
+soybean future
+space bar
+space capsule
+spacecraft
+space heater
+space helmet
+Space Needle
+space probe
+space rocket
+space shuttle
+space station
+spacesuit
+spade
+spade
+spade bit
+spaghetti junction
+Spandau
+spandex
+spandrel
+spanker
+spar
+spare part
+sparge pipe
+spark arrester
+spark arrester
+spark chamber
+spark coil
+spark gap
+spark gap
+sparkler
+spark lever
+spark plug
+sparkplug wrench
+spark transmitter
+spat
+spatula
+spatula
+speakeasy
+speakerphone
+speaking trumpet
+speaking tube
+spear
+spear
+spearhead
+specialty store
+specific
+specimen bottle
+spectacle
+spectacles
+spectator pump
+spectinomycin
+spectrogram
+spectrograph
+spectrophotometer
+spectroscope
+speculum
+speculum
+speedboat
+speed bump
+speedometer
+speed skate
+speedway
+speedway
+sperm bank
+spermicide
+sphere
+spherometer
+sphinx
+sphygmomanometer
+spicemill
+spice rack
+spider
+spider web
+spider web
+spike
+spike
+spike
+spike
+spike
+spike
+spike heel
+spike mike
+spillway
+spinal anesthetic
+spindle
+spindle
+spindle
+spin dryer
+spine
+spinet
+spinet
+spinnaker
+spinner
+spinner
+spinning frame
+spinning jenny
+spinning machine
+spinning rod
+spinning wheel
+spiral
+spiral bandage
+spiral ratchet screwdriver
+spiral spring
+spirit lamp
+spirit stove
+spirogram
+spirograph
+spirometer
+spit
+spitball
+spittoon
+splashboard
+splasher
+splat
+splay
+splice
+splicer
+spline
+splint
+split
+split rail
+Spode
+spoiler
+spoiler
+spoke
+spokeshave
+sponge cloth
+sponge mop
+spoon
+spoon
+Spork
+sporran
+sporting goods
+sport kite
+sports car
+sports equipment
+sports implement
+sportswear
+sport utility
+spot
+spot
+spotlight
+spot market
+spot weld
+spout
+spouter
+sprag
+spray
+spray gun
+spray paint
+spreader
+sprig
+spring
+spring balance
+springboard
+springer
+spring mattress
+sprinkler
+sprinkler system
+sprit
+spritsail
+sprocket
+sprocket
+spud
+spun yarn
+spur
+spur gear
+sputnik
+spy satellite
+squab
+squad room
+squad room
+square
+square
+square knot
+square nut
+square-rigger
+square sail
+squash ball
+squash court
+squash racket
+squawk box
+squeaker
+squeegee
+squeezer
+squelch circuit
+squib
+saquinavir
+squinch
+squirrel cage
+stabile
+stabilizer
+stabilizer
+stabilizer bar
+stable
+stable gear
+stabling
+stacked heel
+stacks
+staddle
+stadium
+staff
+stage
+stage
+stagecoach
+stage door
+stage set
+stained-glass window
+stair-carpet
+stairhead
+stair-rod
+stairs
+stairway
+stairwell
+stake
+stake
+stalking-horse
+stall
+stall
+stall bar
+stall
+stammel
+stamp
+stamp
+stamp album
+stamp mill
+stamping machine
+stanchion
+stand
+stand
+standard
+standard
+standard cell
+standard gauge
+standard transmission
+standby
+standee
+standing press
+standing room
+standpipe
+St. Andrew's cross
+Stanford University
+stanhope
+Stanley Steamer
+staple
+staple
+staple gun
+stapler
+starboard
+star drill
+Stars and Bars
+starship
+starter
+starting block
+starting gate
+stash house
+Stassano furnace
+Statehouse
+stately home
+state prison
+stateroom
+static line
+static tube
+station
+Station of the Cross
+stator
+statue
+Statue of Liberty
+stave
+stay
+stay
+staysail
+steakhouse
+steak knife
+stealth aircraft
+stealth bomber
+stealth fighter
+steam bath
+steamboat
+steam chest
+steam engine
+steamer
+steamer
+steam heat
+steam iron
+steam line
+steam locomotive
+steamroller
+steamship company
+steam shovel
+steam turbine
+steam whistle
+steel
+steel arch bridge
+steel drum
+steel engraving
+steel engraving
+steel mill
+steel plate
+steel trap
+steel-wool pad
+steelyard
+steeper
+steeple
+steerage
+steering gear
+steering linkage
+steering system
+steering wheel
+stele
+stem
+stemmer
+stemmer
+stem-winder
+stencil
+Sten gun
+stenograph
+stent
+step
+step
+step-down transformer
+stepper
+step ladder
+step stool
+step-up transformer
+stereo
+stereo
+stereoscope
+stern
+stern chaser
+sternpost
+sternwheeler
+stethoscope
+stewing pan
+stick
+stick
+stick
+stick
+stick figure
+stick horse
+stickpin
+stile
+stiletto
+still
+still
+still life
+stillroom
+Stillson wrench
+stilt
+stimulant
+Stinger
+stink bomb
+stinker
+stirrer
+stirrup
+stirrup pump
+stitch
+stob
+stock
+stock
+stock
+stock
+stockade
+stockcar
+stock car
+stock car
+stock exchange
+stockinet
+stockinette stitch
+stocking
+stock-in-trade
+stockpot
+stockroom
+stocks
+stocks
+stocks
+stock saddle
+stockyard
+stogy
+stokehold
+stoker
+stole
+stomacher
+stomach pump
+stone
+stone wall
+stoneware
+stonework
+stool
+stool pigeon
+stoop
+stop
+stop bath
+stopcock
+stopper
+stopper knot
+stopwatch
+storage battery
+storage cell
+storage ring
+storage space
+storehouse
+storeroom
+storm cellar
+storm door
+storm window
+stoup
+stoup
+stove
+stove
+stove bolt
+stovepipe
+stovepipe iron
+Stradavarius
+straightaway
+straight chair
+straightedge
+straightener
+straight flute
+straight pin
+straight razor
+strainer
+strain gauge
+straitjacket
+strand
+strap
+strap
+strap
+strap
+strap hinge
+strapless
+straw
+streamer fly
+streamliner
+street
+street
+streetcar
+street clothes
+streetlight
+strengthener
+streptomycin
+streptothricin
+stretch
+stretcher
+stretcher
+stretcher
+stretch pants
+strickle
+strickle
+strickle
+striker
+string
+string
+string
+stringed instrument
+stringer
+stringer
+string tie
+strip
+strip
+strip lighting
+strip mall
+strip mine
+stripper well
+stroboscope
+strongbox
+stronghold
+strongroom
+strop
+structural member
+structure
+strut
+stub nail
+stud
+student center
+student lamp
+student union
+stud farm
+stud finder
+studio
+studio
+studio apartment
+studio couch
+study
+study hall
+stuff
+stuffing
+stuffing box
+stuffing nut
+stumbling block
+stump
+stun gun
+stupa
+sty
+stylus
+stylus
+sub-assembly
+subbase
+subcompact
+subject
+submachine gun
+submarine
+submarine torpedo
+submersible
+submersible
+subsection
+substation
+subtilin
+subtracter
+subway station
+subway token
+subway train
+subwoofer
+succinylcholine
+sucralfate
+suction cup
+suction pump
+sudatorium
+sudorific
+suede cloth
+sugar bowl
+sugar refinery
+sugar spoon
+suit
+suit
+suite
+suiting
+sulfacetamide
+sulfadiazine
+sulfa drug
+sulfamethazine
+sulfamethoxazole
+sulfanilamide
+sulfapyridine
+sulfisoxazole
+sulfonylurea
+sulindac
+sulky
+sulphur mine
+sum
+summer house
+sumo ring
+sump
+sump
+sump pump
+sunbonnet
+sunburst
+sunburst
+sunburst pleat
+Sunday best
+sun deck
+sundial
+sundress
+sundries
+sun gear
+sunglass
+sunglasses
+sunken garden
+sunk fence
+sunhat
+sunlamp
+sun parlor
+sunroof
+sunscreen
+sunsuit
+suntrap
+sun visor
+supercharger
+supercomputer
+superconducting supercollider
+superficies
+superhighway
+supermarket
+superstructure
+supertanker
+supper club
+supplejack
+supply chamber
+supply closet
+support
+support
+support column
+support hose
+supporting structure
+supporting tower
+suppository
+suppressant
+suppressor
+surbase
+surcoat
+surface
+surface gauge
+surface lift
+surface search radar
+surface ship
+surface-to-air missile
+surface-to-air missile system
+surfboard
+surfboat
+surcoat
+surgeon's knot
+surgery
+surge suppressor
+surgical dressing
+surgical instrument
+surgical knife
+surplice
+surrey
+surtout
+surveillance system
+surveying instrument
+surveyor's level
+sushi bar
+suspension
+suspension bridge
+suspensory
+sustaining pedal
+suture
+suture
+swab
+swab
+swaddling clothes
+swag
+swage block
+swagger stick
+swallow-tailed coat
+swamp buggy
+swan's down
+swatch
+swathe
+swathing
+swatter
+sweat bag
+sweatband
+sweatband
+sweatbox
+sweatbox
+sweater
+sweat pants
+sweatshirt
+sweatshop
+sweat suit
+sweep
+sweep hand
+swimming pool
+swimming trunks
+swimsuit
+swing
+swing door
+switch
+switch
+switch
+switch
+switchblade
+switchboard
+switch engine
+swivel
+swivel chair
+swizzle stick
+sword
+sword cane
+sword knot
+S wrench
+Sydney Harbor Bridge
+synagogue
+synchrocyclotron
+synchroflash
+synchromesh
+synchronous converter
+synchronous motor
+synchrotron
+synchroscope
+synergist
+synthesizer
+synthetism
+syringe
+system
+system clock
+system clock
+tab
+tabard
+Tabernacle
+Tabernacle
+tabi
+tab key
+table
+table
+tablecloth
+tablefork
+table knife
+table lamp
+table linen
+table mat
+table saw
+tablespoon
+tablet
+tablet
+tablet-armed chair
+table-tennis table
+table-tennis racquet
+tabletop
+tableware
+tabor
+taboret
+tachistoscope
+tachograph
+tachometer
+tachymeter
+tack
+tack hammer
+Tacoma Narrows Bridge
+tadalafil
+taenia
+taffeta
+taffrail
+tail
+tail
+tail fin
+tailgate
+tail gate
+taillight
+tailor-made
+tailor's chalk
+tailor's tack
+tailpiece
+tailpipe
+tailrace
+tail rotor
+tailstock
+Taj Mahal
+take-up
+talaria
+talcum
+talking book
+tam
+tambour
+tambour
+tambourine
+tammy
+tamp
+Tampax
+tampion
+tampon
+tandem trailer
+tandoor
+tangram
+tank
+tank
+tanka
+tankard
+tank car
+tank circuit
+tank destroyer
+tank engine
+tanker plane
+tank furnace
+tank iron
+tank shell
+tank top
+tannery
+tannoy
+tap
+tap
+tap
+tapa
+tape
+tape
+tape
+tape cartridge
+tape deck
+tape drive
+tape player
+tape recorder
+taper file
+tapestry
+tapestry
+Tappan Zee Bridge
+tappet
+tap wrench
+tare
+target
+target acquisition system
+tarmacadam
+tarot card
+tarpaulin
+tartan
+tassel
+tasset
+tatting
+tattoo
+tau cross
+tavern
+taw
+tawse
+taximeter
+taxiway
+T-bar lift
+tea bag
+tea ball
+tea cart
+tea chest
+teaching aid
+tea cloth
+teacup
+tea garden
+tea gown
+teakettle
+tea maker
+tea napkin
+teapot
+teaser
+tea service
+teashop
+teaspoon
+tea-strainer
+tea table
+tea tray
+tea urn
+technical
+teddy
+tee
+tee
+tee hinge
+telecom hotel
+telecommunication system
+telegraph
+telegraph key
+telemeter
+telephone
+telephone bell
+telephone booth
+telephone cord
+telephone jack
+telephone line
+telephone plug
+telephone pole
+telephone receiver
+telephone system
+telephone wire
+telephotograph
+telephotograph
+telephoto lens
+Teleprompter
+telescope
+telescopic sight
+telethermometer
+teletypewriter
+television
+television antenna
+television camera
+television-camera tube
+television equipment
+television monitor
+television receiver
+television room
+television station
+television transmitter
+telpher
+telpherage
+temazepam
+tempera
+temple
+temple
+Temple of Apollo
+Temple of Artemis
+Temple of Jerusalem
+temporary hookup
+tender
+tender
+tender
+tenement
+tennis ball
+tennis camp
+tennis court
+tennis racket
+tenon
+tenor drum
+Tenoretic
+tenoroon
+tenpenny nail
+tenpin
+tensimeter
+tensiometer
+tensiometer
+tensiometer
+ten-spot
+tent
+tenter
+tenterhook
+tent-fly
+tent peg
+tepee
+terazosin
+terbinafine
+terminal
+terminal
+terminal
+terminus
+terminus
+terraced house
+terra cotta
+terrarium
+terra sigillata
+terry
+Tesla coil
+tessella
+tessera
+test bed
+test equipment
+tester
+test paper
+test range
+test rocket
+test room
+test tube
+testudo
+tetracaine
+tetrachlorethylene
+tetracycline
+tetrahydrocannabinol
+tetraskelion
+tetrode
+textile machine
+textile mill
+thalidomide
+thatch
+theater
+theater curtain
+theater light
+theater stage
+theodolite
+theophylline
+theremin
+thermal printer
+thermal reactor
+thermistor
+thermobaric bomb
+thermocouple
+thermoelectric thermometer
+thermograph
+thermograph
+thermohydrometer
+thermojunction
+thermometer
+thermonuclear reactor
+thermopile
+thermos
+thermostat
+thiabendazole
+thiazide
+thigh pad
+thill
+thimble
+thimerosal
+thing
+thing
+thinning shears
+thioguanine
+thiopental
+thioridazine
+Thiosulfil
+thiotepa
+thiothixene
+third base
+third gear
+third rail
+thong
+thong
+thoroughfare
+thread
+three-centered arch
+three-decker
+three-decker
+three-dimensional radar
+three-piece suit
+three-quarter binding
+three-way switch
+thresher
+threshing floor
+threshold element
+thriftshop
+throat
+throat
+throat protector
+thrombolytic
+throne
+throstle
+throughput
+throw
+throwing stick
+throw pillow
+thrust bearing
+thruster
+thrust stage
+thumb
+thumbhole
+thumbhole
+thumb index
+thumbscrew
+thumbscrew
+thumbstall
+thumbtack
+thunderer
+thwart
+tiara
+tick
+ticker
+ticket window
+ticking
+tickler coil
+tidemark
+tidy
+tie
+tie
+tie
+tie clip
+tier
+tier
+tie rack
+tiered seat
+tie rod
+tie tack
+tightrope
+tights
+tile
+tile
+tile cutter
+tile roof
+tiller
+tilter
+tilt-top table
+timber
+timber
+timber hitch
+timbrel
+time-ball
+time bomb
+time capsule
+timecard
+time clock
+time-delay measuring instrument
+time exposure
+time-fuse
+time machine
+timepiece
+timer
+timer
+time-switch
+timolol
+tin
+tin can
+tincture
+tincture of iodine
+tinderbox
+tine
+tinfoil
+tin plate
+tinsel
+tinsel
+tintack
+tinware
+tippet
+tire
+tire chain
+tire iron
+tissue plasminogen activator
+titfer
+tithe barn
+titrator
+T-junction
+T-network
+TNT
+toaster
+toaster oven
+toasting fork
+toastrack
+tobacco
+tobacco pouch
+tobacco shop
+toboggan
+tobramycin
+toby
+tocainide
+tocsin
+toe
+toe
+toe box
+toecap
+toehold
+toga
+toga virilis
+toggle
+toggle bolt
+toggle joint
+toggle switch
+togs
+toilet
+toilet
+toilet bag
+toilet bowl
+toilet kit
+toilet powder
+toiletry
+toilet seat
+toilet soap
+toilet water
+tokamak
+token
+tolazamide
+tolazoline
+tolbutamide
+tole
+tollbooth
+toll bridge
+tollgate
+toll line
+tolmetin sodium
+tomahawk
+Tommy gun
+tomograph
+tone arm
+toner
+tongs
+tongue
+tongue and groove joint
+tongue depressor
+tonic
+tonometer
+tool
+tool bag
+toolbox
+toolshed
+tooth
+tooth
+toothbrush
+toothpaste
+toothpick
+tooth powder
+top
+top
+top
+top
+topgallant
+topgallant
+topiary
+topknot
+top lift
+topmast
+top of the line
+topper
+topsail
+topside
+toque
+torch
+tormenter
+torpedo
+torpedo
+torpedo
+torpedo
+torpedo boat
+torpedo-boat destroyer
+torpedo tube
+torque converter
+torque wrench
+torsion balance
+torture chamber
+torus
+totem
+totem pole
+touch screen
+toupee
+touring car
+tourist class
+towel
+toweling
+towel rack
+towel rail
+towel ring
+tower
+Tower of Babel
+Tower of London
+Tower of Pharos
+towline
+town hall
+towpath
+tow truck
+toy
+toy box
+toy
+toyshop
+toy soldier
+trace
+trace detector
+tracer
+tracer
+tracer
+tracery
+tracing
+track
+track
+track
+track
+track
+track
+trackball
+tracked vehicle
+tract house
+tract housing
+traction engine
+tractor
+tractor
+trading card
+traffic circle
+traffic island
+traffic lane
+trail
+trail bike
+trailer
+trailer
+trailer camp
+trailer truck
+trailing edge
+train
+train
+train set
+tramcar
+tramline
+trammel
+trammel
+trammel net
+trampoline
+tramp steamer
+tramway
+trandolapril
+tranquilizer
+transcription
+transdermal patch
+transducer
+transept
+transformer
+transistor
+transit instrument
+transit line
+transmission
+transmission shaft
+transmitter
+transom
+transom
+transponder
+transportation system
+transporter
+transporter
+transport ship
+tranylcypromine
+trap
+trap
+trap
+trap
+trap-and-drain auger
+trap door
+trapeze
+trave
+travel iron
+trawl
+trawl
+trawler
+tray
+tray cloth
+trazodone
+tread
+tread
+tread
+treadmill
+treadmill
+treasure chest
+treasure house
+treasure ship
+treasury
+tree house
+treenail
+trefoil
+trefoil arch
+trellis
+trench
+trench
+trench coat
+trencher
+trench knife
+trepan
+trepan
+trestle
+trestle
+trestle bridge
+trestle table
+trestlework
+trews
+trey
+trial balloon
+triazolam
+triangle
+triangle
+tribromoethanol
+tribune
+trichlormethiazide
+triclinium
+triclinium
+tricolor
+tricolor television tube
+tricorn
+tricot
+tricycle
+tricyclic
+trident
+trigger
+trigon
+trimaran
+trimipramine
+trimmer
+trimmer
+trimmer
+trimmer arch
+trimming
+triode
+triphammer
+triplicate
+trip line
+tripod
+tripper
+triptych
+trip wire
+trireme
+triskelion
+triumphal arch
+trivet
+trivet
+triviality
+troika
+Trojan Horse
+troll
+trolleybus
+trolley line
+trombone
+trompe l'oeil
+troop carrier
+troopship
+trophy
+trophy case
+trou-de-loup
+trough
+trouser
+trouser cuff
+trouser press
+trouser
+trousseau
+trowel
+truck
+truck bed
+truck farm
+truck stop
+trump
+trump
+trumpet arch
+truncheon
+trundle
+trundle bed
+trunk
+trunk hose
+trunk lid
+trunk line
+trunk line
+truss
+truss
+truss bridge
+truth serum
+try square
+T-square
+tub
+tube
+tube
+tubeless
+tuck
+tuck box
+tucker
+tucker-bag
+tuck shop
+Tudor arch
+tudung
+tugboat
+Tuileries
+Tuileries
+tuille
+tulip bed
+tulle
+tumble-dryer
+tumbler
+tumbler
+tumbrel
+tun
+tunic
+tuning fork
+tunnel
+tupik
+turban
+turbine
+turbogenerator
+tureen
+Turing machine
+Turkish bath
+Turkish towel
+Turk's head
+turnaround
+turnbuckle
+turner
+turnery
+turnery
+turning
+turnip bed
+turnoff
+turnout
+turnpike
+turnpike
+turnspit
+turnstile
+turntable
+turntable
+turntable
+turret
+turret clock
+turtleneck
+turtleneck collar
+tweed
+tweeter
+twenty-two
+twenty-two pistol
+twenty-two rifle
+twill
+twill
+twin bed
+twinjet
+twist bit
+two-by-four
+two-handed saw
+two-man tent
+two-piece
+two-way street
+type
+typesetting machine
+type slug
+typewriter
+typewriter carriage
+typewriter keyboard
+tyrocidine
+tyrolean
+tyrosine kinase inhibitor
+tyrothricin
+uke
+ulster
+ultracentrifuge
+ultramicroscope
+Ultrasuede
+ultraviolet lamp
+umbrella
+umbrella tent
+undercarriage
+undercharge
+undercoat
+undercut
+underfelt
+undergarment
+underpants
+underpass
+underwear
+undies
+uneven parallel bars
+unicycle
+uniform
+union
+Union Jack
+United States Army Criminal Investigation Laboratory
+United States Mint
+universal joint
+university
+University of California at Berkeley
+University of Chicago
+University of Michigan
+University of Nebraska
+University of North Carolina
+University of Pennsylvania
+University of Pittsburgh
+University of Sussex
+University of Texas
+University of Vermont
+University of Washington
+University of West Virginia
+University of Wisconsin
+upcast
+upgrade
+upholstery
+upholstery material
+upholstery needle
+uplift
+upper
+upper berth
+upper deck
+upper surface
+upright
+upright
+upset
+upstage
+upstairs
+urceole
+urinal
+urn
+urn
+used-car
+USS Cole
+utensil
+utility
+Uzi
+vacation home
+vaccine
+vacuum
+vacuum chamber
+vacuum flask
+vacuum gauge
+valdecoxib
+Valenciennes
+valise
+valproic acid
+valsartan
+valve
+valve
+valve-in-head engine
+vambrace
+vamp
+van
+van
+van
+vancomycin
+vane
+vaporizer
+vapor lock
+vardenafil
+variable-pitch propeller
+variation
+variometer
+varnish
+vase
+Vaseline
+vasoconstrictor
+vasodilator
+vasopressor
+Vatican
+vault
+vault
+vault
+vaulting
+vaulting horse
+vehicle
+Velcro
+velocipede
+velodrome
+velour
+velvet
+velveteen
+vending machine
+veneer
+Venetian blind
+Venetian glass
+Venn diagram
+venogram
+vent
+vent
+ventilation
+ventilation shaft
+ventilator
+ventriloquist's dummy
+venturi
+Venturi tube
+veranda
+verapamil
+verdigris
+verge
+vermicide
+vermiculation
+vermifuge
+vernier caliper
+vernier scale
+Verrazano-Narrows Bridge
+Versailles
+vertical file
+vertical section
+vertical stabilizer
+vertical surface
+vertical tail
+Very pistol
+vessel
+vessel
+vest
+vestiture
+vestment
+vest pocket
+vestry
+viaduct
+vibraphone
+vibrator
+vibrator
+victory garden
+Victrola
+vicuna
+videocassette
+videocassette recorder
+videodisk
+video recording
+videotape
+videotape
+viewer
+viewgraph
+vigil light
+vignette
+vignette
+villa
+villa
+villa
+vinblastine
+vincristine
+vineyard
+viol
+viola
+viola da braccio
+viola da gamba
+viola d'amore
+violin
+viomycin
+virginal
+virility drug
+virtu
+virtual memory
+viscometer
+viscose rayon
+vise
+visible speech
+visor
+visual display unit
+vivarium
+Viyella
+V neck
+voider
+voile
+volatile storage
+volleyball
+volleyball court
+volleyball net
+voltage regulator
+voltaic battery
+voltaic cell
+voltaic pile
+voltmeter
+volumeter
+vomitory
+von Neumann machine
+voting booth
+voting machine
+vouge
+voussoir
+vox angelica
+vox humana
+waders
+wading pool
+waffle iron
+wagon
+wagon
+wagon tire
+wagon wheel
+wain
+wainscot
+wainscot
+wainscoting
+waist pack
+wake board
+wale
+walk
+walker
+walker
+walker
+walkie-talkie
+walk-in
+walking shoe
+walking stick
+Walkman
+walk-up
+walk-up apartment
+walk-through
+wall
+wall
+wall
+wallboard
+wall clock
+wallet
+wall panel
+wall plate
+wall socket
+wall tent
+wall unit
+Walt Whitman Bridge
+wampum
+wand
+Wankel engine
+ward
+wardrobe
+wardrobe
+wardrobe
+wardroom
+ware
+warehouse
+warfarin
+warhead
+warhorse
+warming pan
+warp
+war paint
+war paint
+warplane
+war room
+warship
+wash
+wash
+wash-and-wear
+washbasin
+washbasin
+washboard
+washboard
+washcloth
+washer
+washer
+washhouse
+Washington Monument
+washroom
+washstand
+washtub
+wastepaper basket
+watch
+watchband
+watch cap
+watch case
+watch glass
+watch key
+watchtower
+water back
+water-base paint
+water bed
+water bottle
+water butt
+water cannon
+water cart
+water chute
+water clock
+water closet
+watercolor
+watercolor
+water-cooled reactor
+water cooler
+watercourse
+water faucet
+water filter
+water gauge
+water glass
+water hazard
+water heater
+watering can
+watering cart
+water jacket
+water jug
+water jump
+water level
+water main
+water meter
+water mill
+water pistol
+waterproof
+waterproofing
+water pump
+water scooter
+water ski
+waterskin
+waterspout
+water system
+water tower
+water wagon
+waterwheel
+waterwheel
+water wings
+waterworks
+WATS
+wattle
+wattmeter
+waveguide
+waxwork
+way
+ways
+wayside
+weapon
+weapon of mass destruction
+weaponry
+weapons carrier
+weathercock
+weather deck
+weatherglass
+weather map
+weather radar
+weather satellite
+weather ship
+weather strip
+weathervane
+weave
+web
+web
+webbing
+webbing
+webcam
+wedding picture
+wedding ring
+wedge
+wedge
+wedge heel
+wedgie
+Wedgwood
+weeder
+weeds
+weed
+weekender
+weighbridge
+weight
+weight
+weir
+weir
+welcome wagon
+weld
+welder's mask
+weldment
+well
+well
+well
+well
+wellhead
+well point
+welt
+Weston cell
+wet bar
+wet-bulb thermometer
+wet cell
+wet fly
+wet suit
+whacker
+whaleboat
+whaler
+whaling gun
+Wheatstone bridge
+wheat future
+wheel
+wheel
+wheel and axle
+wheelchair
+wheeled vehicle
+wheel lock
+wheelwork
+wherry
+wherry
+whetstone
+whiffletree
+whip
+whipcord
+whipcord
+whipping post
+whipping top
+whipstitch
+whirler
+whisk
+whisk
+whiskey bottle
+whiskey jug
+whispering gallery
+whistle
+whistle
+whistle stop
+white
+white flag
+white goods
+white goods
+White House
+white tie
+whitewash
+whizbang
+whizbang
+whorehouse
+wick
+wick
+wicker
+wicker basket
+wicket
+wicket
+wicket
+wicket
+wickiup
+wide-angle lens
+wide area network
+widebody aircraft
+wide screen
+wide wale
+widow's walk
+Wiffle
+wig
+wigwam
+wild card
+wildcat well
+willow
+willowware
+Wilton
+wimple
+wincey
+winceyette
+winch
+Winchester
+windbreak
+wind chime
+winder
+winder
+wind farm
+wind instrument
+windjammer
+windmill
+windmill
+window
+window
+window
+window
+window
+window blind
+window box
+window envelope
+window frame
+windowpane
+window screen
+window seat
+window shade
+windowsill
+wind rose
+windshield
+windshield wiper
+Windsor chair
+Windsor knot
+Windsor tie
+wind tee
+wind tunnel
+wind turbine
+wine bar
+wine bottle
+wine bucket
+wine cask
+wineglass
+wineglass heel
+winepress
+winery
+wineskin
+wing
+wing
+wing chair
+wing nut
+wing tip
+wing tip
+winker
+wiper
+wiper motor
+wire
+wire
+wire cloth
+wire cutter
+wire gauge
+wireless local area network
+wire matrix printer
+wire recorder
+wire stripper
+wirework
+wiring
+wiring diagram
+wishing cap
+witch hazel
+withe
+witness box
+wobbler
+wok
+woman's clothing
+wood
+woodcarving
+wood chisel
+woodcut
+woodcut
+woodenware
+wooden spoon
+wooden spoon
+woodscrew
+woodshed
+wood vise
+woodwind
+woodwork
+woof
+woofer
+wool
+work
+worldly possession
+workbasket
+workbench
+workboard
+work camp
+work-clothing
+workhouse
+workhouse
+workhorse
+working
+work in progress
+work of art
+workpiece
+workplace
+workroom
+works
+work-shirt
+workshop
+workstation
+work surface
+worktable
+workwear
+World Trade Center
+World Wide Web
+worm
+worm fence
+worm gear
+worm wheel
+worsted
+worsted
+wrap
+wraparound
+wrapping
+wreath
+wreck
+wreckage
+wrench
+wrestling mat
+wrestling ring
+wringer
+wristband
+wristlet
+wrist pad
+wrist pin
+wristwatch
+writing arm
+writing board
+writing desk
+writing desk
+writing implement
+xerographic printer
+Xerox
+xerox
+X-OR circuit
+X-ray film
+X-ray machine
+X-ray tube
+yacht
+yacht chair
+yagi
+Yale University
+yard
+yard
+yard
+yard
+yardarm
+yarder
+yard goods
+yard marker
+yardstick
+yarmulke
+yashmak
+yataghan
+yawl
+yawl
+yellow jack
+yield
+yoke
+yoke
+yoke
+yoke
+yo-yo
+yurt
+Zamboni
+zapper
+zarf
+zeppelin
+zero
+ziggurat
+zill
+zinc ointment
+zip gun
+zither
+zodiac
+zoot suit
+ramp
+human nature
+trait
+character
+unit character
+thing
+common denominator
+personality
+identity
+gender identity
+identification
+personhood
+personableness
+anal personality
+genital personality
+narcissistic personality
+obsessive-compulsive personality
+oral personality
+character
+spirit
+outwardness
+inwardness
+spirituality
+worldliness
+extraversion
+introversion
+ambiversion
+aloneness
+friendlessness
+reclusiveness
+privacy
+nature
+animality
+disposition
+complexion
+animalism
+bloodiness
+heart
+nervousness
+esprit de corps
+restlessness
+jactitation
+skittishness
+compulsiveness
+obsessiveness
+workaholism
+emotionality
+drama
+demonstrativeness
+affectionateness
+tenderness
+uxoriousness
+mawkishness
+corn
+schmaltz
+sentimentalism
+heat
+fieriness
+temperament
+moodiness
+blood
+excitability
+boiling point
+unemotionality
+blandness
+coldness
+stone
+dispassion
+stoicism
+tepidness
+cheerfulness
+good-temperedness
+uncheerfulness
+gloominess
+animation
+chirpiness
+liveliness
+pertness
+airiness
+alacrity
+energy
+vitality
+elan
+esprit
+breeziness
+irrepressibility
+high-spiritedness
+vivacity
+mettlesomeness
+exuberance
+lyricism
+pep
+inanition
+activeness
+dynamism
+inactiveness
+languor
+restfulness
+passivity
+apathy
+listlessness
+indolence
+faineance
+sloth
+shiftlessness
+perfectionism
+permissiveness
+toleration
+self acceptance
+indulgence
+softness
+overtolerance
+unpermissiveness
+sternness
+Puritanism
+severity
+good nature
+grace
+patience
+easygoingness
+risibility
+agreeableness
+complaisance
+ill nature
+crabbiness
+crankiness
+sulkiness
+temper
+impatience
+intolerance
+shrewishness
+querulousness
+asperity
+disagreeableness
+bitterness
+aggressiveness
+bellicosity
+quarrelsomeness
+truculence
+litigiousness
+willingness
+readiness
+receptiveness
+wholeheartedness
+unwillingness
+reluctance
+resistance
+seriousness
+committedness
+investment
+graveness
+sedateness
+stodginess
+frivolity
+giddiness
+lightsomeness
+levity
+flippancy
+jocoseness
+playfulness
+facetiousness
+impertinence
+friskiness
+impishness
+humor
+communicativeness
+frankness
+bluffness
+effusiveness
+fluency
+garrulity
+leresis
+uncommunicativeness
+muteness
+secrecy
+mum
+reserve
+sociality
+sociability
+conviviality
+companionability
+chumminess
+gregariousness
+openness
+friendliness
+affability
+amicability
+condescension
+familiarity
+approachability
+congeniality
+amity
+neighborliness
+hospitableness
+mellowness
+sweetness and light
+unsociability
+aloofness
+unapproachability
+closeness
+furtiveness
+unfriendliness
+hostility
+aggression
+virulence
+misanthropy
+uncongeniality
+unneighborliness
+inhospitableness
+adaptability
+flexibility
+wiggle room
+pliability
+unadaptability
+inflexibility
+thoughtfulness
+pensiveness
+introspectiveness
+deliberation
+intentionality
+reflectiveness
+unthoughtfulness
+recklessness
+adventurism
+brashness
+desperation
+impulsiveness
+impetuousness
+hastiness
+attentiveness
+attentiveness
+inattentiveness
+carefulness
+mindfulness
+caution
+precaution
+wariness
+alertness
+watchfulness
+carelessness
+incaution
+unwariness
+unmindfulness
+negligence
+delinquency
+laxness
+masculinity
+manfulness
+boyishness
+machismo
+hoydenism
+femininity
+womanliness
+ladylikeness
+maidenliness
+girlishness
+effeminacy
+emasculation
+trustworthiness
+creditworthiness
+responsibility
+fault
+accountability
+dependability
+untrustworthiness
+irresponsibility
+solidity
+undependability
+flightiness
+carefreeness
+conscientiousness
+meticulousness
+thoroughness
+diligence
+strictness
+unconscientiousness
+nonchalance
+recommendation
+appearance
+agerasia
+look
+view
+color
+complexion
+impression
+figure
+image
+mark
+perspective
+phase
+tout ensemble
+vanishing point
+superficies
+format
+form
+persona
+semblance
+color of law
+simulacrum
+face value
+guise
+disguise
+verisimilitude
+face
+countenance
+expression
+leer
+poker face
+marking
+band
+collar
+stretch mark
+blaze
+speck
+crisscross
+eyespot
+hatch
+shading
+nebula
+splash
+spot
+worn spot
+stripe
+hairiness
+hirsuteness
+hairlessness
+beauty
+raw beauty
+glory
+exquisiteness
+picturesqueness
+pleasingness
+pulchritude
+glamor
+comeliness
+prettiness
+handsomeness
+attractiveness
+adorability
+bewitchery
+charisma
+curvaceousness
+sex appeal
+sultriness
+appeal
+siren call
+spiff
+winsomeness
+associability
+attraction
+affinity
+allure
+invitation
+binding
+drawing power
+fascination
+lure
+sexual attraction
+show-stopper
+ugliness
+unsightliness
+grotesqueness
+garishness
+unpleasingness
+hideousness
+disfigurement
+unattractiveness
+homeliness
+shapelessness
+ballast
+blemish
+birthmark
+chatter mark
+check
+crack
+craze
+dent
+dig
+eyesore
+mole
+scratch
+burn
+cigarette burn
+smudge
+blotch
+fingermark
+inkblot
+stain
+scorch
+bloodstain
+iron mold
+mud stain
+oil stain
+tarnish
+stigma
+port-wine stain
+strawberry
+wart
+common wart
+genital wart
+juvenile wart
+plantar wart
+plainness
+chasteness
+austereness
+bareness
+ornateness
+baroque
+classical style
+order
+Doric order
+Ionic order
+Corinthian order
+Composite order
+Tuscan order
+rococo
+flamboyance
+fussiness
+decorativeness
+etiolation
+coating
+glaze
+luster
+shoeshine
+clearness
+pellucidness
+transparency
+translucence
+visibility
+distinctness
+definition
+discernability
+focus
+opacity
+cloudiness
+turbidity
+haziness
+indistinctness
+dimness
+vagueness
+divisibility
+fissiparity
+sharpness
+acuteness
+dullness
+obtuseness
+conspicuousness
+obviousness
+apparentness
+blatancy
+obtrusiveness
+boldness
+predomination
+inconspicuousness
+unnoticeableness
+unobtrusiveness
+ease
+effortlessness
+facility
+smoothness
+difficulty
+effortfulness
+arduousness
+laboriousness
+asperity
+sternness
+hardness
+formidability
+burdensomeness
+subtlety
+troublesomeness
+awkwardness
+flea bite
+fly in the ointment
+unwieldiness
+combustibility
+flammability
+compatibility
+congenialness
+harmony
+accord
+agreement
+conformity
+justness
+normality
+congruity
+incompatibility
+conflict
+incongruity
+irony
+Socratic irony
+suitability
+arability
+appropriateness
+felicity
+aptness
+ticket
+fitness
+qualification
+eligibility
+insurability
+marriageability
+ineligibility
+uninsurability
+convenience
+opportuneness
+handiness
+command
+impressiveness
+navigability
+neediness
+painfulness
+sharpness
+piquancy
+publicity
+spinnability
+spinnbarkeit
+unsuitability
+inaptness
+inappropriateness
+infelicity
+habitability
+unfitness
+disqualification
+inconvenience
+inaccessibility
+inopportuneness
+ethos
+eidos
+protectiveness
+quality
+nature
+humanness
+air
+mystique
+note
+vibration
+quality
+superiority
+fineness
+excellence
+ultimate
+admirability
+impressiveness
+expansiveness
+stateliness
+first class
+first water
+ingenuity
+inferiority
+poorness
+scrawniness
+second class
+wretchedness
+characteristic
+point
+point
+salability
+selling point
+hallmark
+mold
+saving grace
+aspect
+gaseousness
+bubbliness
+foaminess
+changeableness
+commutability
+fluidity
+reversibility
+shiftiness
+inconstancy
+capriciousness
+variability
+variedness
+diversity
+variegation
+exchangeability
+duality
+transferability
+convertibility
+inconvertibility
+replaceability
+liquidity
+permutability
+progressiveness
+changelessness
+absoluteness
+constancy
+invariance
+metastability
+monotony
+innateness
+irreversibility
+invariability
+unvariedness
+monotony
+fixedness
+unexchangeability
+incommutability
+irreplaceableness
+mutability
+alterability
+vicissitude
+immutability
+unalterability
+incurability
+agelessness
+sameness
+otherness
+identity
+oneness
+selfsameness
+similarity
+approximation
+homogeny
+homology
+homomorphism
+isomorphism
+likeness
+parallelism
+uniformity
+homogeneity
+consistency
+approach
+sort
+analogue
+echo
+comparison
+mirror image
+naturalness
+resemblance
+spitting image
+mutual resemblance
+affinity
+equality
+equatability
+equivalence
+parity
+evenness
+isometry
+difference
+differential
+differentia
+distinction
+discrepancy
+allowance
+dissimilarity
+disparateness
+heterology
+unlikeness
+nonuniformity
+heterogeneity
+diverseness
+biodiversity
+inconsistency
+variety
+inequality
+nonequivalence
+disparity
+far cry
+gap
+gulf
+unevenness
+certainty
+cert
+ineluctability
+inevitability
+determinateness
+finality
+surety
+indisputability
+incontrovertibility
+demonstrability
+givenness
+moral certainty
+predictability
+probability
+odds
+likelihood
+uncertainty
+slam dunk
+doubt
+indefiniteness
+inconclusiveness
+unpredictability
+improbability
+unlikelihood
+fortuitousness
+speculativeness
+factuality
+counterfactuality
+concreteness
+tangibility
+intangibility
+literalness
+materiality
+substantiality
+immateriality
+insubstantiality
+smoke
+abstractness
+reality
+unreality
+particularity
+specificity
+specificity
+individuality
+singularity
+peculiarity
+idiosyncrasy
+generality
+commonality
+solidarity
+pervasiveness
+prevalence
+currency
+universality
+totality
+simplicity
+complexity
+complicatedness
+elaborateness
+tapestry
+trickiness
+regularity
+cyclicity
+rhythm
+cardiac rhythm
+atrioventricular nodal rhythm
+orderliness
+organization
+uniformity
+homogeneity
+inhomogeneity
+evenness
+smoothness
+even spacing
+steadiness
+irregularity
+fitfulness
+intermittence
+fluctuation
+scintillation
+randomness
+ergodicity
+spasticity
+unevenness
+rockiness
+ruggedness
+hilliness
+jaggedness
+patchiness
+waviness
+personal equation
+unsteadiness
+mobility
+locomotion
+motility
+movability
+maneuverability
+manipulability
+looseness
+restlessness
+weatherliness
+wiggliness
+slack
+unsteadiness
+instability
+shakiness
+portability
+immobility
+immotility
+inertness
+immovability
+tightness
+fastness
+looseness
+lodgment
+steadiness
+granite
+sureness
+stability
+pleasantness
+agreeableness
+enjoyableness
+niceness
+unpleasantness
+disagreeableness
+abrasiveness
+acridity
+unpalatability
+disgustingness
+nastiness
+offensiveness
+loathsomeness
+hatefulness
+beastliness
+awfulness
+frightfulness
+ghastliness
+credibility
+authenticity
+real McCoy
+cogency
+plausibility
+reasonableness
+incredibility
+implausibility
+street credibility
+logicality
+rationality
+consistency
+completeness
+illogicality
+naturalness
+unaffectedness
+simplicity
+sincerity
+spontaneity
+ease
+unpretentiousness
+naturalization
+unnaturalness
+affectedness
+airs
+coyness
+preciosity
+artificiality
+staginess
+pretension
+pretentiousness
+ostentation
+supernaturalism
+virtu
+wholesomeness
+nutritiousness
+healthfulness
+salubrity
+unwholesomeness
+harmfulness
+perniciousness
+deadliness
+fatality
+jejunity
+putrescence
+unhealthfulness
+insalubrity
+satisfactoriness
+adequacy
+acceptability
+admissibility
+permissibility
+unsatisfactoriness
+inadequacy
+perishability
+unacceptability
+inadmissibility
+impermissibility
+palatability
+ordinariness
+averageness
+expectedness
+normality
+commonness
+prosiness
+usualness
+familiarity
+extraordinariness
+unexpectedness
+uncommonness
+uncommonness
+unusualness
+unfamiliarity
+oddity
+eeriness
+abnormality
+singularity
+outlandishness
+quaintness
+eccentricity
+oddity
+ethnicity
+foreignness
+exoticism
+alienage
+nativeness
+indigenousness
+originality
+freshness
+unorthodoxy
+unconventionality
+nonconformity
+unoriginality
+orthodoxy
+conventionality
+ossification
+traditionalism
+scholasticism
+correctness
+incorrectness
+erroneousness
+deviation
+accuracy
+accuracy
+exactness
+minuteness
+preciseness
+trueness
+fidelity
+inaccuracy
+inexactness
+impreciseness
+looseness
+infallibility
+inerrancy
+errancy
+papal infallibility
+errancy
+instability
+reproducibility
+irreproducibility
+fallibility
+distinction
+worthiness
+deservingness
+praiseworthiness
+quotability
+roadworthiness
+unworthiness
+baseness
+shamefulness
+scandalousness
+popularity
+hot stuff
+unpopularity
+legality
+validity
+effect
+lawfulness
+legitimacy
+licitness
+illegality
+invalidity
+fallaciousness
+unlawfulness
+lawlessness
+infection
+illegitimacy
+illicitness
+shadiness
+refinement
+elegance
+elegance
+dash
+daintiness
+courtliness
+tastefulness
+breeding
+chic
+jauntiness
+magnificence
+eclat
+pomp
+class
+inelegance
+awkwardness
+woodenness
+rusticity
+urbanity
+dowdiness
+shabbiness
+tweediness
+raggedness
+coarseness
+crudeness
+boorishness
+ostentation
+tastelessness
+cheapness
+flashiness
+comprehensibility
+legibility
+intelligibility
+expressiveness
+picturesqueness
+readability
+speech intelligibility
+clarity
+monosemy
+focus
+coherence
+preciseness
+perspicuity
+unambiguity
+explicitness
+incomprehensibility
+inscrutability
+illegibility
+impenetrability
+noise
+opacity
+obscureness
+unintelligibility
+unclearness
+elusiveness
+vagueness
+haziness
+inexplicitness
+implicitness
+ambiguity
+equivocation
+polysemy
+twilight zone
+righteousness
+impeccability
+uprightness
+piety
+devoutness
+religiosity
+dutifulness
+godliness
+unrighteousness
+sin
+mark of Cain
+impiety
+undutifulness
+irreligiousness
+ungodliness
+humaneness
+humanity
+mercifulness
+compassion
+forgivingness
+lenience
+inhumaneness
+atrocity
+bestiality
+ferociousness
+murderousness
+mercilessness
+pitilessness
+relentlessness
+generosity
+charitableness
+bounty
+bigheartedness
+liberality
+munificence
+unselfishness
+altruism
+stinginess
+meanness
+pettiness
+miserliness
+penuriousness
+illiberality
+selfishness
+greediness
+egoism
+self-love
+opportunism
+drive
+action
+enterprise
+ambition
+aspiration
+power hunger
+energy
+second wind
+aggressiveness
+competitiveness
+combativeness
+scrappiness
+intrusiveness
+boldness
+audacity
+presumption
+uppityness
+fairness
+non-discrimination
+sportsmanship
+unfairness
+gamesmanship
+kindness
+benevolence
+charity
+beneficence
+grace
+benignity
+loving-kindness
+consideration
+kindliness
+tact
+delicacy
+savoir-faire
+malevolence
+cattiness
+malignity
+sensitivity
+antenna
+defensiveness
+bunker mentality
+perceptiveness
+insensitivity
+crassness
+tin ear
+unfeelingness
+dullness
+unperceptiveness
+unkindness
+cruelty
+beastliness
+unhelpfulness
+inconsideration
+tactlessness
+bluntness
+maleficence
+morality
+rightness
+virtue
+virtue
+cardinal virtue
+natural virtue
+theological virtue
+hope
+saintliness
+conscience
+conscientiousness
+religiousness
+unconscientiousness
+good
+summum bonum
+virtue
+honor
+justice
+right
+immorality
+corruption
+infection
+corruptibility
+licentiousness
+anomie
+wrongness
+evil
+worst
+nefariousness
+filthiness
+enormity
+reprehensibility
+villainy
+perversity
+error
+frailty
+corruptness
+venality
+injustice
+wrong
+amorality
+divinity
+holiness
+sacredness
+ideality
+holy of holies
+unholiness
+profaneness
+sacrilegiousness
+safeness
+dangerousness
+precariousness
+curability
+incurability
+courage
+heart
+heroism
+dauntlessness
+Dutch courage
+stoutheartedness
+fearlessness
+coolness
+boldness
+adventurousness
+daredevilry
+audacity
+shamelessness
+gutsiness
+cowardice
+cravenness
+faintheartedness
+fearfulness
+timidity
+pusillanimity
+poltroonery
+dastardliness
+gutlessness
+resoluteness
+self-control
+nerves
+steadiness
+sturdiness
+presence of mind
+stiffness
+stubbornness
+impenitence
+intransigency
+single-mindedness
+adamance
+decisiveness
+determination
+doggedness
+indefatigability
+steadfastness
+diligence
+assiduity
+intentness
+singleness
+sedulity
+studiousness
+bookishness
+irresoluteness
+volatility
+indecisiveness
+sincerity
+sooth
+heartiness
+singleness
+insincerity
+hypocrisy
+sanctimoniousness
+fulsomeness
+honorableness
+honor
+scrupulousness
+venerability
+integrity
+probity
+incorruptness
+incorruptibility
+nobility
+high-mindedness
+sublimity
+respectability
+decency
+honesty
+candor
+good faith
+truthfulness
+veracity
+ingenuousness
+artlessness
+parental quality
+motherliness
+fatherliness
+dishonorableness
+ignobleness
+dishonor
+unscrupulousness
+sleaziness
+unrespectability
+dishonesty
+deceptiveness
+speciousness
+fraudulence
+jobbery
+crookedness
+rascality
+thievishness
+untruthfulness
+mendacity
+disingenuousness
+craftiness
+artfulness
+cunning
+fidelity
+constancy
+dedication
+loyalty
+steadfastness
+allegiance
+patriotism
+regionalism
+Americanism
+chauvinism
+infidelity
+faithlessness
+disloyalty
+disaffection
+treason
+betrayal
+perfidy
+insidiousness
+sophistication
+naivete
+artlessness
+innocency
+credulousness
+simplicity
+discipline
+self-discipline
+austerity
+monasticism
+eremitism
+abstinence
+continence
+restraint
+self-restraint
+stiff upper lip
+temperance
+sobriety
+abstemiousness
+inhibition
+continence
+taboo
+indiscipline
+indulgence
+dissoluteness
+rakishness
+unrestraint
+intemperance
+abandon
+looseness
+madness
+sottishness
+gluttony
+greediness
+edacity
+pride
+civic pride
+dignity
+conceit
+boastfulness
+egotism
+posturing
+superiority complex
+arrogance
+condescension
+contemptuousness
+hubris
+imperiousness
+superiority
+snobbery
+clannishness
+humility
+meekness
+spinelessness
+wisdom
+judiciousness
+knowledgeability
+statesmanship
+discretion
+circumspection
+folly
+indiscretion
+absurdity
+asininity
+judgment
+objectivity
+subjectivity
+prudence
+providence
+foresight
+frugality
+parsimony
+economy
+imprudence
+heedlessness
+lightheadedness
+improvidence
+extravagance
+thriftlessness
+trust
+credulity
+overcredulity
+distrust
+suspicion
+cleanliness
+fastidiousness
+tidiness
+uncleanliness
+slovenliness
+slatternliness
+squeamishness
+untidiness
+disarray
+demeanor
+manners
+citizenship
+swashbuckling
+propriety
+decorum
+appropriateness
+correctness
+good form
+faultlessness
+political correctness
+priggishness
+modesty
+demureness
+seemliness
+becomingness
+decency
+modesty
+primness
+impropriety
+incorrectness
+political incorrectness
+inappropriateness
+indelicacy
+gaminess
+indecorum
+unseemliness
+unbecomingness
+indecency
+immodesty
+outrageousness
+obscenity
+smuttiness
+composure
+aplomb
+repose
+ataraxia
+discomposure
+disquiet
+perturbation
+tractability
+manageability
+docility
+tameness
+amenability
+obedience
+submissiveness
+obsequiousness
+sycophancy
+passivity
+subordination
+intractability
+refractoriness
+wildness
+defiance
+insubordination
+obstreperousness
+unruliness
+balkiness
+stubbornness
+contrariness
+cussedness
+disobedience
+naughtiness
+prankishness
+wildness
+manner
+bearing
+bedside manner
+dignity
+foppishness
+gentleness
+formality
+ceremoniousness
+stateliness
+informality
+casualness
+slanginess
+unceremoniousness
+courtesy
+politeness
+urbanity
+suavity
+graciousness
+chivalry
+deference
+civility
+discourtesy
+boorishness
+impoliteness
+bad manners
+ungraciousness
+crudeness
+incivility
+abruptness
+contempt
+crust
+chutzpa
+property
+actinism
+isotropy
+anisotropy
+characteristic
+connectivity
+directness
+downrightness
+immediacy
+pointedness
+indirectness
+allusiveness
+mediacy
+deviousness
+discursiveness
+robustness
+rurality
+streak
+duality
+heredity
+inheritance
+birthright
+background
+birthright
+upbringing
+education
+raising
+inheritance
+heterosis
+ancestry
+linkage
+X-linked dominant inheritance
+X-linked recessive inheritance
+origin
+pedigree
+full blood
+age
+chronological age
+bone age
+developmental age
+fetal age
+mental age
+oldness
+obsoleteness
+ancientness
+old-fashionedness
+quaintness
+vintage
+hoariness
+newness
+brand-newness
+freshness
+crispness
+recency
+oldness
+agedness
+senility
+longevity
+staleness
+mustiness
+youngness
+youth
+childishness
+manner
+artistic style
+High Renaissance
+treatment
+drape
+fit
+form
+life style
+fast lane
+free living
+vanity fair
+setup
+touch
+common touch
+wise
+hang
+structure
+computer architecture
+complex instruction set computing
+reduced instruction set computing
+cytoarchitecture
+framework
+constitution
+phenotype
+genotype
+texture
+consistency
+viscosity
+stickiness
+sliminess
+adhesiveness
+cohesiveness
+gelatinousness
+thickness
+semifluidity
+creaminess
+thinness
+fluidity
+wateriness
+hardness
+hardness
+firmness
+softness
+compressibility
+incompressibility
+downiness
+flabbiness
+mushiness
+breakableness
+brittleness
+crumbliness
+flakiness
+unbreakableness
+porosity
+sponginess
+permeability
+penetrability
+absorbency
+solidity
+compactness
+density
+specific gravity
+vapor density
+impermeability
+retentiveness
+urinary retention
+impenetrability
+nonabsorbency
+disposition
+aptness
+mordacity
+predisposition
+proneness
+separatism
+tendency
+buoyancy
+electronegativity
+stainability
+basophilia
+desire
+hunger
+greed
+avarice
+possessiveness
+acquisitiveness
+bibliomania
+retentiveness
+tactile property
+touch
+texture
+nap
+smoothness
+silkiness
+slickness
+soapiness
+fineness
+roughness
+scaliness
+coarseness
+slub
+harshness
+coarseness
+sandiness
+shagginess
+bumpiness
+prickliness
+optics
+visual property
+sleekness
+texture
+grain
+wood grain
+graining
+marbleization
+light
+aura
+sunniness
+cloudlessness
+highlight
+brightness
+glare
+dazzle
+glitter
+flash
+glint
+sparkle
+opalescence
+radiance
+radio brightness
+gleam
+shininess
+luster
+polish
+French polish
+glaze
+dullness
+dimness
+flatness
+softness
+color
+primary color
+primary color for pigments
+primary color for light
+primary subtractive color for light
+heather mixture
+mellowness
+richness
+colorlessness
+mottle
+achromia
+shade
+undertone
+chromatic color
+achromatic color
+black
+coal black
+white
+alabaster
+bleach
+bone
+chalk
+frostiness
+gray
+ash grey
+charcoal
+dapple-grey
+iron-grey
+tattletale grey
+red
+sanguine
+chrome red
+Turkey red
+cardinal
+crimson
+dark red
+burgundy
+claret
+oxblood red
+wine
+purplish red
+cerise
+magenta
+fuschia
+maroon
+scarlet
+orange
+salmon
+reddish orange
+tangerine
+yellow
+blond
+canary yellow
+amber
+brownish yellow
+gamboge
+old gold
+orange yellow
+ocher
+pale yellow
+greenish yellow
+green
+greenishness
+sea green
+sage green
+bottle green
+chrome green
+emerald
+olive green
+yellow green
+bluish green
+cyan
+jade green
+blue
+azure
+powder blue
+steel blue
+Prussian blue
+dark blue
+greenish blue
+purplish blue
+purple
+Tyrian purple
+indigo
+lavender
+mauve
+reddish purple
+violet
+pink
+pinkness
+carnation
+rose
+old rose
+solferino
+yellowish pink
+coral
+brown
+Vandyke brown
+chestnut
+chocolate
+hazel
+light brown
+mocha
+tan
+dun
+beige
+reddish brown
+brick red
+copper
+Indian red
+yellowish brown
+puce
+olive brown
+olive
+olive drab
+pastel
+snuff-color
+taupe
+ultramarine
+color property
+hue
+saturation
+paleness
+complementary color
+coloration
+hair coloring
+pigmentation
+chromatism
+melanoderma
+depigmentation
+poliosis
+complexion
+paleness
+ruddiness
+lividness
+sallowness
+tawniness
+darkness
+whiteness
+nonsolid color
+protective coloration
+aposematic coloration
+apatetic coloration
+cryptic coloration
+value
+lightness
+darkness
+olfactory property
+bouquet
+malodorousness
+body odor
+muskiness
+sound
+noisiness
+ring
+unison
+voice
+androglossia
+silence
+hush
+speechlessness
+quietness
+noiselessness
+sound property
+musicality
+lyricality
+melodiousness
+texture
+harmony
+consonance
+dissonance
+discordance
+disharmony
+cacophony
+boisterousness
+pitch
+concert pitch
+high pitch
+soprano
+tenor
+key
+low pitch
+deepness
+alto
+alto
+bass
+tone
+tune
+registration
+timbre
+harmonic
+resonance
+color
+harshness
+gruffness
+fullness
+nasality
+twang
+plangency
+shrillness
+volume
+crescendo
+swell
+forte
+softness
+faintness
+decrescendo
+piano
+rhythmicity
+meter
+cadence
+lilt
+taste property
+rancidness
+spiciness
+pungency
+nip
+hotness
+saltiness
+brininess
+brackishness
+sourness
+acerbity
+vinegariness
+sweetness
+saccharinity
+sugariness
+bitterness
+acerbity
+acridity
+palatability
+pleasingness
+appetizingness
+delectability
+flavorsomeness
+sapidity
+succulence
+unpalatability
+disgustingness
+unappetizingness
+flavorlessness
+blandness
+edibility
+digestibility
+indigestibility
+bodily property
+bipedalism
+laterality
+physique
+lankiness
+dumpiness
+body type
+asthenic type
+endomorphy
+athletic type
+fatness
+adiposity
+abdominousness
+greasiness
+fleshiness
+corpulence
+exogenous obesity
+steatopygia
+plumpness
+chubbiness
+buxomness
+leanness
+skinniness
+bonyness
+slenderness
+stature
+tallness
+shortness
+carriage
+walk
+slouch
+gracefulness
+grace
+agility
+lissomeness
+awkwardness
+gracelessness
+gawkiness
+stiffness
+physiology
+physiological property
+animateness
+animation
+sentience
+inanimateness
+deadness
+insentience
+sex
+sex characteristic
+primary sex characteristic
+secondary sex characteristic
+asexuality
+maleness
+virility
+virilism
+androgyny
+femaleness
+physical property
+chemical property
+volatility
+absorptivity
+dissolubility
+drippiness
+reflection
+echo
+re-echo
+echo
+deflection
+windage
+refractivity
+temperature
+heat content
+randomness
+conformational entropy
+absolute temperature
+absolute zero
+Curie temperature
+dew point
+flash point
+freezing point
+boiling point
+mercury
+room temperature
+simmer
+basal body temperature
+body temperature
+coldness
+chill
+chilliness
+frostiness
+cool
+hotness
+calefaction
+fieriness
+torridity
+warmth
+lukewarmness
+white heat
+perceptibility
+visibility
+visual range
+invisibility
+luminosity
+illuminance
+incandescence
+luminescence
+audibility
+inaudibility
+imperceptibility
+reluctivity
+sensitivity
+frequency response
+magnetization
+elasticity
+resilience
+bounce
+give
+stretch
+temper
+elasticity of shear
+malleability
+ductility
+fibrosity
+flexibility
+bendability
+whip
+pliancy
+inelasticity
+deadness
+stiffness
+rigidity
+unmalleability
+inflexibility
+mass
+body
+biomass
+critical mass
+rest mass
+relativistic mass
+bulk
+gravitational mass
+inertial mass
+atomic mass
+mass energy
+molecular weight
+equivalent
+milliequivalent
+weight
+body weight
+reporting weight
+dead weight
+heaviness
+heft
+preponderance
+poundage
+tare
+throw-weight
+lightness
+airiness
+momentum
+angular momentum
+sustainability
+strength
+good part
+tensile strength
+brawn
+might
+vigor
+robustness
+huskiness
+smallness
+stoutness
+sturdiness
+firmness
+indomitability
+fortitude
+backbone
+endurance
+sufferance
+stamina
+legs
+wiriness
+long-sufferance
+tolerance
+capacity
+invulnerability
+immunity
+power of appointment
+potency
+valence
+covalence
+valence
+sea power
+force
+brunt
+momentum
+energy
+athleticism
+intensity
+badness
+foulness
+seriousness
+vehemence
+top
+overemphasis
+ferocity
+savageness
+concentration
+titer
+hydrogen ion concentration
+pH
+acidity
+hyperacidity
+alkalinity
+neutrality
+molality
+molarity
+weakness
+adynamia
+feebleness
+faintness
+flimsiness
+fragility
+insubstantiality
+attenuation
+enervation
+fatigability
+inanition
+weak part
+Achilles' heel
+jugular
+underbelly
+vulnerability
+defenselessness
+assailability
+destructibility
+indestructibility
+fragility
+exposure
+windage
+solarization
+temporal property
+temporal arrangement
+sequence
+rain
+rotation
+row
+run
+timing
+approach
+earliness
+forwardness
+lateness
+priority
+posteriority
+punctuality
+tardiness
+simultaneity
+concurrence
+concomitance
+overlap
+contemporaneity
+unison
+seasonableness
+unseasonableness
+pastness
+recency
+futurity
+presentness
+currentness
+modernity
+spark advance
+duration
+longness
+longevity
+lengthiness
+fermata
+endlessness
+continuousness
+shortness
+brevity
+permanence
+perpetuity
+lastingness
+continuity
+changelessness
+everlastingness
+imperishability
+perdurability
+impermanence
+temporariness
+transience
+fugacity
+ephemerality
+fugacity
+mortality
+immortality
+viability
+audio
+radio frequency
+infrared
+station
+extremely low frequency
+very low frequency
+low frequency
+medium frequency
+high frequency
+very high frequency
+ultrahigh frequency
+superhigh frequency
+extremely high frequency
+speed
+pace
+beat
+fleetness
+celerity
+immediacy
+dispatch
+promptness
+haste
+abruptness
+acceleration
+pickup
+precipitation
+deceleration
+execution speed
+graduality
+slowness
+leisureliness
+dilatoriness
+sluggishness
+spatial property
+dimensionality
+one-dimensionality
+two-dimensionality
+three-dimensionality
+cubicity
+directionality
+shape
+topography
+lobularity
+symmetry
+regularity
+bilaterality
+radial symmetry
+asymmetry
+irregularity
+lopsidedness
+obliqueness
+radial asymmetry
+directivity
+directivity
+handedness
+ambidexterity
+left-handedness
+right-handedness
+footedness
+eyedness
+occlusion
+tilt
+gradient
+grade
+upgrade
+downgrade
+pitch
+loft
+abruptness
+gradualness
+concavity
+hollowness
+convexity
+roundedness
+oblateness
+angularity
+narrowing
+coarctation
+taper
+point
+unpointedness
+rectangularity
+orthogonality
+perpendicularity
+squareness
+triangularity
+curvature
+roundness
+sphericity
+cylindricality
+circularity
+concentricity
+eccentricity
+straightness
+crookedness
+curliness
+straightness
+stratification
+position
+placement
+columniation
+point of view
+camera angle
+composition
+fenestration
+proportion
+alignment
+true
+misalignment
+coincidence
+dead center
+centrality
+marginality
+anteriority
+posteriority
+outwardness
+inwardness
+malposition
+northernness
+southernness
+horizontality
+verticality
+position
+ballet position
+decubitus
+eversion
+lithotomy position
+lotus position
+missionary position
+pose
+presentation
+ectopia
+arabesque
+asana
+matsyendra
+guard
+sprawl
+stance
+address
+attention
+erectness
+ramification
+spacing
+tandem
+tuck
+openness
+patency
+distance
+way
+piece
+mean distance
+farness
+far cry
+nearness
+proximity
+adjacency
+wavelength
+focal distance
+hyperfocal distance
+leap
+elevation
+span
+wheelbase
+distribution
+complementary distribution
+diaspora
+dissemination
+innervation
+scatter
+diffuseness
+concentration
+bits per inch
+flux density
+optical density
+rarity
+relative density
+interval
+clearance
+remove
+magnitude
+absolute magnitude
+proportion
+order
+information
+probability
+conditional probability
+cross section
+exceedance
+fair chance
+fat chance
+joint probability
+risk
+risk
+dimension
+degree
+grind
+degree
+depth
+profundity
+superficiality
+glibness
+sciolism
+size
+extra large
+large
+number
+octavo
+outsize
+petite
+quarto
+regular
+small
+stout
+tall
+highness
+high
+low
+lowness
+extreme
+extremeness
+amplitude
+amplitude level
+signal level
+noise level
+multiplicity
+triplicity
+size
+size
+bulk
+muchness
+intensity
+threshold level
+field strength
+magnetic field strength
+candlepower
+acoustic power
+acoustic radiation pressure
+half-intensity
+circumference
+girth
+spread
+circumference
+diameter
+radius
+semidiameter
+curvature
+radius of curvature
+center of curvature
+circle of curvature
+thickness
+bore
+gauge
+windage
+thinness
+largeness
+ampleness
+bulkiness
+enormousness
+enormity
+capaciousness
+airiness
+seating capacity
+fullness
+gigantism
+largeness
+smallness
+diminutiveness
+delicacy
+grain
+puniness
+dwarfishness
+amount
+positivity
+negativity
+critical mass
+quantity
+increase
+amplification
+complement
+decrease
+fare increase
+price increase
+raise
+rise
+smallness
+supplement
+tax-increase
+up-tick
+loop gain
+correction
+voltage drop
+drop
+shrinkage
+dollar volume
+stuffiness
+sufficiency
+ampleness
+insufficiency
+meagerness
+wateriness
+abstemiousness
+deficit
+oxygen deficit
+sparseness
+abundance
+amplitude
+plenty
+profusion
+wealth
+luxuriance
+overgrowth
+greenness
+wilderness
+scarcity
+dearth
+rarity
+slenderness
+moderation
+golden mean
+reasonableness
+immoderation
+excess
+sun protection factor
+extravagance
+exorbitance
+luxury
+overabundance
+excess
+glut
+bellyful
+overplus
+redundancy
+fifth wheel
+margin
+margin of safety
+narrow margin
+number
+numerousness
+preponderance
+multitudinousness
+innumerableness
+majority
+minority
+fewness
+roundness
+extent
+coverage
+frontage
+limit
+knife-edge
+starkness
+thermal barrier
+utmost
+verge
+scope
+approximate range
+confines
+contrast
+internationality
+register
+head register
+falsetto
+chest register
+latitude
+horizon
+sweep
+gamut
+spectrum
+palette
+area
+acreage
+footprint
+length
+distance
+arm's length
+gauge
+light time
+skip distance
+wingspan
+wingspread
+yardage
+hour
+mileage
+elevation
+isometry
+altitude
+level
+grade
+water level
+sea level
+ceiling
+ceiling
+absolute ceiling
+combat ceiling
+length
+longness
+extension
+coextension
+elongation
+shortness
+curtailment
+briefness
+depth
+depth
+deepness
+draft
+penetration
+sounding
+bottomlessness
+shallowness
+superficiality
+width
+wideness
+beam
+thickness
+narrowness
+fineness
+height
+highness
+lowness
+squatness
+shortness
+third dimension
+worth
+value
+merit
+demerit
+praisworthiness
+worthwhileness
+worthlessness
+fecklessness
+groundlessness
+paltriness
+valuelessness
+shoddiness
+damn
+vanity
+invaluableness
+gold
+price
+desirability
+undesirability
+good
+benefit
+advantage
+sake
+behalf
+better
+better
+optimum
+bad
+worse
+evil
+Four Horsemen
+monetary value
+average cost
+marginal cost
+expensiveness
+assessment
+tax assessment
+costliness
+lavishness
+inexpensiveness
+reasonableness
+bargain rate
+fruitfulness
+richness
+productiveness
+fruitlessness
+poorness
+unproductiveness
+utility
+detergency
+function
+raison d'etre
+helpfulness
+avail
+use
+serviceability
+instrumentality
+inutility
+futility
+worthlessness
+practicality
+functionality
+viability
+sensibleness
+realism
+practicability
+feasibility
+impracticality
+idealism
+romanticism
+knight errantry
+impracticability
+infeasibility
+competence
+fitness
+linguistic competence
+proficiency
+incompetence
+asset
+resource
+aid
+recourse
+shadow
+resourcefulness
+inner resource
+advantage
+favor
+leverage
+bargaining chip
+handicap
+homecourt advantage
+lead
+pull
+start
+profit
+account
+profitableness
+preference
+privilege
+expedience
+superiority
+edge
+inside track
+upper hand
+forte
+green thumb
+weak point
+good
+common good
+wisdom
+unsoundness
+advisability
+reasonableness
+favorableness
+auspiciousness
+liability
+disadvantage
+unfavorableness
+inauspiciousness
+limitation
+defect
+awkwardness
+loss
+penalty
+scratch
+game misconduct
+price
+richness
+death toll
+drawback
+catch
+penalty
+inadvisability
+inferiority
+inexpedience
+unprofitableness
+constructiveness
+destructiveness
+harmfulness
+insidiousness
+poison
+virulence
+positivity
+affirmativeness
+assertiveness
+bumptiousness
+negativity
+occidentalism
+orientalism
+importance
+big deal
+face
+magnitude
+account
+matter
+momentousness
+prominence
+greatness
+significance
+historicalness
+meaningfulness
+purposefulness
+consequence
+hell to pay
+essentiality
+vitalness
+indispensability
+urgency
+edge
+imperativeness
+weight
+unimportance
+inessentiality
+dispensability
+pettiness
+joke
+insignificance
+meaninglessness
+inanity
+purposelessness
+inconsequence
+right
+access
+advowson
+cabotage
+claim
+due
+entree
+floor
+grant
+authority
+human right
+legal right
+compulsory process
+conjugal right
+conjugal visitation right
+preemption
+preemption
+prerogative
+public easement
+easement
+privilege of the floor
+privilege
+attorney-client privilege
+informer's privilege
+journalist's privilege
+marital communications privilege
+physician-patient privilege
+priest-penitent privilege
+door
+open door
+title
+own right
+entitlement
+right to privacy
+right to life
+right to liberty
+right to the pursuit of happiness
+freedom of thought
+equality before the law
+civil right
+civil liberty
+habeas corpus
+freedom of religion
+freedom of speech
+freedom of the press
+freedom of assembly
+freedom to bear arms
+freedom from search and seizure
+right to due process
+freedom from self-incrimination
+freedom from double jeopardy
+right to speedy and public trial by jury
+right to an attorney
+right to confront accusors
+freedom from cruel and unusual punishment
+freedom from involuntary servitude
+equal protection of the laws
+right to vote
+universal suffrage
+freedom from discrimination
+equal opportunity
+eminent domain
+franchise
+representation
+right of action
+right of search
+right of way
+states' rights
+voting right
+water right
+patent right
+right of election
+right of entry
+right of re-entry
+right of offset
+right of privacy
+right of way
+seat
+use
+usufruct
+visitation right
+power
+preponderance
+puissance
+persuasiveness
+convincingness
+irresistibility
+interest
+newsworthiness
+topicality
+color
+shrillness
+stranglehold
+sway
+influence
+dead hand
+force
+grip
+tentacle
+pressure
+duress
+heartbeat
+lifeblood
+wheel
+repellent
+hydrophobicity
+control
+authority
+corporatism
+hold
+iron fist
+rein
+carte blanche
+command
+imperium
+lordship
+muscle
+sovereignty
+legal power
+disposal
+free will
+veto
+self-determination
+effectiveness
+incisiveness
+efficacy
+ability
+form
+interoperability
+magical ability
+lycanthropy
+Midas touch
+penetration
+physical ability
+contractility
+astringency
+voice
+lung-power
+capability
+defensibility
+executability
+capacity
+military capability
+firepower
+operating capability
+overkill
+envelope
+powerlessness
+helplessness
+unpersuasiveness
+uninterestingness
+voicelessness
+dullness
+boringness
+tediousness
+drag
+jejunity
+ponderousness
+inability
+paper tiger
+incapability
+incapacity
+ineffectiveness
+inefficacy
+romanticism
+stardust
+analyticity
+compositeness
+primality
+selectivity
+domesticity
+infiniteness
+finiteness
+quantifiability
+ratability
+scalability
+solubility
+insolubility
+stuff
+comicality
+hot stuff
+humor
+pathos
+tone
+optimism
+pessimism
+epicurism
+gourmandism
+brachycephaly
+dolichocephaly
+relativity
+response
+responsiveness
+unresponsiveness
+frigidity
+resistance
+subjectivism
+fair use
+fruition
+vascularity
+extension
+snootiness
+totipotency
+ulteriority
+solvability
+unsolvability
+memorability
+woodiness
+waxiness
+body
+life form
+human body
+person
+body
+cadaver
+cremains
+mummy
+live body
+apparatus
+system
+juvenile body
+child's body
+adult body
+male body
+female body
+adult female body
+adult male body
+body part
+corpus
+adnexa
+area
+dilator
+groove
+partition
+septum
+nasal septum
+costal groove
+fissure
+sulcus
+fissure of Rolando
+fissure of Sylvius
+parieto-occipital sulcus
+calcarine sulcus
+hilus
+erogenous zone
+external body part
+arthromere
+structure
+birth canal
+bulb
+carina
+carina fornicis
+fornix
+fornix
+mamillary body
+cauda
+keel
+chiasma
+cingulum
+optic chiasma
+optic radiation
+concha
+nasal concha
+filament
+fiber
+germ
+infundibulum
+interstice
+landmark
+craniometric point
+acanthion
+asterion
+auriculare
+bregma
+condylion
+coronion
+crotaphion
+dacryon
+entomion
+glabella
+gnathion
+gonion
+inion
+jugale
+lambda
+mandibular notch
+mastoidale
+metopion
+nasion
+obelion
+ophryon
+orbitale
+pogonion
+prosthion
+pterion
+rhinion
+sphenion
+stephanion
+symphysion
+limbus
+rib
+blade
+radicle
+plexus
+aortic plexus
+autonomic plexus
+nerve plexus
+system
+body covering
+sheath
+skin
+pressure point
+integument
+skin graft
+buff
+dewlap
+epithelium
+exuviae
+epidermis
+endothelium
+mesothelium
+neuroepithelium
+skin cell
+epidermal cell
+melanoblast
+melanocyte
+prickle cell
+epithelial cell
+columnar cell
+spongioblast
+cuboidal cell
+goblet cell
+hair cell
+Kupffer's cell
+squamous cell
+stratum corneum
+stratum lucidum
+stratum granulosum
+stratum germinativum
+dermis
+mantle
+plaque
+amyloid plaque
+arterial plaque
+dental plaque
+macule
+freckle
+liver spot
+plague spot
+whitehead
+blackhead
+pore
+aortic orifice
+stoma
+tube
+tubule
+microtubule
+salpinx
+nephron
+malpighian body
+Bowman's capsule
+glomerulus
+tomentum
+passage
+meatus
+auditory meatus
+deltoid tuberosity
+nasal meatus
+spinal canal
+anastomosis
+orifice
+porta hepatis
+spiracle
+blowhole
+stigma
+duct
+ductule
+canaliculus
+canal of Schlemm
+venous sinus
+cavernous sinus
+coronary sinus
+sigmoid sinus
+straight sinus
+transverse sinus
+sinus
+ethmoid sinus
+frontal sinus
+maxillary sinus
+paranasal sinus
+sinusoid
+locule
+lumen
+ampulla
+hair
+ingrown hair
+hair
+headful
+body hair
+down
+lanugo
+mane
+hairline
+part
+widow's peak
+cowlick
+hairdo
+beehive
+bouffant
+haircut
+lock
+sausage curl
+forelock
+quiff
+crimp
+pin curl
+spit curl
+dreadlock
+Afro
+bang
+bob
+wave
+finger wave
+braid
+chignon
+queue
+pigtail
+marcel
+pageboy
+pompadour
+ponytail
+permanent wave
+brush cut
+crew cut
+mohawk
+roach
+scalp lock
+thatch
+facial hair
+beard
+fuzz
+imperial
+beaver
+mustache
+soup-strainer
+mustachio
+walrus mustache
+sideburn
+goatee
+stubble
+vandyke beard
+soul patch
+pubic hair
+minge
+body substance
+solid body substance
+scab
+eschar
+fundus
+funiculus
+node
+nodule
+smear
+alimentary tract smear
+esophageal smear
+gastric smear
+oral smear
+paraduodenal smear
+cervical smear
+lower respiratory tract smear
+vaginal smear
+specimen
+cytologic specimen
+isthmus
+tissue
+animal tissue
+flesh
+areolar tissue
+beta cell
+capillary bed
+parenchyma
+interstitial tissue
+adipose tissue
+flab
+atheroma
+cellulite
+puppy fat
+bone
+anklebone
+bare bone
+cuboid bone
+carpal bone
+carpal tunnel
+scaphoid bone
+lunate bone
+triquetral
+pisiform
+trapezium
+trapezoid
+capitate
+hamate
+cartilage bone
+centrum
+cheekbone
+clavicle
+coccyx
+dentine
+ethmoid
+heelbone
+hipbone
+hyoid
+ilium
+ischium
+long bone
+lower jaw
+ramus
+raphe
+palatine raphe
+mandibular joint
+membrane bone
+mentum
+metacarpal
+metatarsal
+nasal
+ossicle
+auditory ossicle
+palatine
+patella
+phalanx
+pubis
+punctum
+rib
+round bone
+sacrum
+scapula
+glenoid fossa
+glenoid fossa
+acromion
+sesamoid bone
+short bone
+socket
+sphenoid bone
+sternum
+gladiolus
+manubrium
+xiphoid process
+tarsal
+temporal bone
+primary dentition
+secondary dentition
+dentition
+diastema
+tooth
+pulp cavity
+chopper
+carnassial tooth
+turbinate bone
+tympanic bone
+upper jaw
+vertebra
+intervertebral disc
+zygoma
+hip socket
+eye socket
+tooth socket
+marrow
+red marrow
+yellow marrow
+axolemma
+basilar membrane
+cambium
+connective tissue
+collagen
+elastic tissue
+endoneurium
+elastin
+lymphatic tissue
+cartilage
+meniscus
+fibrocartilage
+hyaline cartilage
+erectile tissue
+muscle
+muscle
+contractile organ
+striated muscle tissue
+skeletal muscle
+head
+voluntary muscle
+abductor
+musculus abductor digiti minimi manus
+musculus abductor digiti minimi pedis
+musculus abductor hallucis
+musculus abductor pollicis
+adductor
+musculus adductor brevis
+musculus adductor longus
+musculus adductor magnus
+musculus adductor hallucis
+pronator
+supinator
+levator
+anconeous muscle
+antagonistic muscle
+agonist
+antagonist
+articular muscle
+musculus articularis cubiti
+musculus articularis genus
+cheek muscle
+masseter
+platysma
+extensor muscle
+quadriceps
+fibrous tissue
+trabecula
+ligament
+falciform ligament
+round ligament of the uterus
+perineurium
+perimysium
+tendon
+flexor muscle
+articulatory system
+nervous tissue
+ganglion
+autonomic ganglion
+otic ganglion
+organ
+primordium
+vital organ
+effector
+external organ
+internal organ
+viscera
+sense organ
+interoceptor
+exteroceptor
+third eye
+baroreceptor
+chemoreceptor
+thermoreceptor
+auditory system
+auditory apparatus
+visual system
+tongue
+articulator
+glottis
+epiglottis
+mouth
+trap
+os
+mouth
+buccal cavity
+incompetent cervix
+cervix
+cavity
+antrum
+cloaca
+vestibule
+vestibule of the ear
+gingiva
+tastebud
+taste cell
+speech organ
+lip
+overlip
+underlip
+front tooth
+bucktooth
+back tooth
+malposed tooth
+permanent tooth
+primary tooth
+canine
+premolar
+cusp
+incisor
+molar
+wisdom tooth
+crown
+root
+root canal
+enamel
+cementum
+pulp
+tonsil
+uvula
+soft palate
+hard palate
+palate
+ala
+alveolar arch
+alveolar ridge
+caul
+fetal membrane
+eye
+naked eye
+peeper
+oculus dexter
+oculus sinister
+simple eye
+compound eye
+ommatidium
+cell membrane
+choroid
+ciliary body
+eyebrow
+protective fold
+eyelid
+canthus
+epicanthus
+nasal canthus
+temporal canthus
+nictitating membrane
+haw
+eyelash
+conjunctiva
+bulbar conjunctiva
+palpebra conjunctiva
+pinguecula
+eyeball
+ocular muscle
+abducens muscle
+rectus
+inferior rectus muscle
+medial rectus muscle
+superior rectus muscle
+capsule
+cornea
+pterygium
+arcus
+uvea
+uveoscleral pathway
+aqueous humor
+vitreous humor
+diaphragm
+eardrum
+endocranium
+endosteum
+ependyma
+fertilization membrane
+hyaloid membrane
+intima
+iris
+pupil
+lens
+lens cortex
+lens nucleus
+ear
+organ of hearing
+inner ear
+membranous labyrinth
+bony labyrinth
+endolymph
+perilymph
+utricle
+saccule
+modiolus
+organ of Corti
+vestibular apparatus
+semicircular canal
+stretch receptor
+earlobe
+external ear
+auricle
+tragus
+cauliflower ear
+perforated eardrum
+umbo
+mediastinum
+middle ear
+Eustachian tube
+fenestra
+fenestra ovalis
+fenestra rotunda
+malleus
+lamella
+lens capsule
+incus
+stapes
+cochlea
+meninx
+mucous membrane
+periosteum
+perithelium
+gland
+oil gland
+sebaceous gland
+Meibomian gland
+Montgomery's tubercle
+exocrine gland
+digestive system
+endocrine system
+endocrine gland
+thyroid gland
+parathyroid gland
+sweat duct
+sweat gland
+apocrine gland
+eccrine gland
+adrenal gland
+prostate gland
+lacrimal gland
+lacrimal duct
+lacrimal sac
+lacrimal bone
+nasolacrimal duct
+thymus gland
+kidney
+excretory organ
+spleen
+artery
+alveolar artery
+inferior alveolar artery
+superior alveolar artery
+angular artery
+aorta
+ascending aorta
+aortic arch
+descending aorta
+abdominal aorta
+thoracic aorta
+appendicular artery
+arcuate artery
+arcuate artery of the kidney
+arteriole
+artery of the penis bulb
+artery of the vestibule bulb
+ascending artery
+auricular artery
+axillary artery
+basilar artery
+brachial artery
+radial artery
+bronchial artery
+buccal artery
+carotid artery
+common carotid artery
+external carotid artery
+internal carotid artery
+carotid body
+celiac trunk
+central artery of the retina
+cerebellar artery
+inferior cerebellar artery
+superior cerebellar artery
+cerebral artery
+anterior cerebral artery
+middle cerebral artery
+posterior cerebral artery
+cervical artery
+choroidal artery
+ciliary artery
+circle of Willis
+circumflex artery
+circumflex artery of the thigh
+circumflex humeral artery
+circumflex iliac artery
+circumflex scapular artery
+colic artery
+communicating artery
+coronary artery
+atrial artery
+right coronary artery
+left coronary artery
+cystic artery
+digital arteries
+epigastric artery
+ethmoidal artery
+facial artery
+femoral artery
+popliteal artery
+gastric artery
+right gastric artery
+left gastric artery
+short gastric artery
+gluteal artery
+hepatic artery
+ileal artery
+ileocolic artery
+iliac artery
+common iliac artery
+external iliac artery
+internal iliac artery
+iliolumbar artery
+infraorbital artery
+innominate artery
+intercostal artery
+jejunal artery
+labial artery
+inferior labial artery
+superior labial artery
+labyrinthine artery
+lacrimal artery
+laryngeal artery
+lienal artery
+lingual artery
+lumbar artery
+maxillary artery
+internal maxillary artery
+meningeal artery
+anterior meningeal artery
+middle meningeal artery
+posterior meningeal artery
+mesenteric artery
+inferior mesenteric artery
+superior mesenteric artery
+metacarpal artery
+metatarsal artery
+musculophrenic artery
+nutrient artery
+ophthalmic artery
+ovarian artery
+palatine artery
+pancreatic artery
+perineal artery
+pudendal artery
+pulmonary artery
+pulmonary trunk
+rectal artery
+renal artery
+subclavian artery
+temporal artery
+anterior temporal artery
+intermediate temporal artery
+posterior temporal artery
+testicular artery
+ulnar artery
+uterine artery
+vaginal artery
+vertebral artery
+accessory cephalic vein
+accessory hemiazygos vein
+accessory vertebral vein
+accompanying vein
+anastomotic vein
+angular vein
+anterior vertebral vein
+appendicular vein
+arcuate vein of the kidney
+auricular vein
+axillary vein
+azygos vein
+basal vein
+basilic vein
+basivertebral vein
+brachial vein
+brachiocephalic vein
+bronchial vein
+cardinal vein
+anterior cardinal vein
+posterior cardinal vein
+common cardinal vein
+central veins of liver
+central vein of retina
+central vein of suprarenal gland
+cephalic vein
+cerebellar vein
+cerebral vein
+anterior cerebral vein
+anterior facial vein
+great cerebral vein
+inferior cerebral vein
+internal cerebral vein
+middle cerebral vein
+deep middle cerebral vein
+superficial middle cerebral vein
+superior cerebral vein
+cervical vein
+choroid vein
+ciliary veins
+circumflex vein
+circumflex iliac vein
+circumflex femoral vein
+clitoral vein
+colic vein
+common facial vein
+conjunctival veins
+costoaxillary vein
+cutaneous vein
+cystic vein
+digital vein
+diploic vein
+dorsal scapular vein
+dorsal root
+emissary vein
+epigastric vein
+inferior epigastric vein
+superficial epigastric vein
+superior epigastric veins
+episcleral veins
+esophageal veins
+ethmoidal vein
+external nasal vein
+facial vein
+femoral vein
+gastric vein
+gastroomental vein
+genicular vein
+glans
+glans clitoridis
+glans penis
+gluteal vein
+hemizygos vein
+hemorrhoidal vein
+hepatic vein
+hypogastric vein
+ileocolic vein
+external iliac vein
+common iliac vein
+iliac vein
+iliolumbar vein
+intercapitular vein
+intercostal vein
+intervertebral vein
+jugular vein
+anterior jugular vein
+external jugular vein
+internal jugular vein
+labial vein
+inferior labial vein
+superior labial vein
+labial vein
+labyrinthine vein
+lacrimal vein
+laryngeal vein
+left gastric vein
+lingual vein
+lumbar vein
+maxillary vein
+meningeal veins
+mesenteric vein
+metacarpal vein
+metatarsal vein
+musculophrenic vein
+nasofrontal vein
+oblique vein of the left atrium
+obturator vein
+occipital vein
+ophthalmic vein
+inferior ophthalmic vein
+superior ophthalmic vein
+ovarian vein
+palatine vein
+pancreatic vein
+paraumbilical vein
+parotid vein
+pectoral vein
+perforating vein
+pericardial vein
+peroneal vein
+pharyngeal vein
+phrenic vein
+popliteal vein
+portal system
+portal vein
+posterior vein of the left ventricle
+prepyloric vein
+pudendal vein
+pulmonary vein
+inferior pulmonary vein
+superior pulmonary vein
+pyloric vein
+radial vein
+renal vein
+retromandibular vein
+sacral vein
+saphenous vein
+long saphenous vein
+short saphenous vein
+scleral veins
+scrotal vein
+sigmoid vein
+spinal vein
+splenic vein
+stellate venule
+sternocleidomastoid vein
+stylomastoid vein
+subclavian vein
+sublingual vein
+supraorbital vein
+supratrochlear vein
+temporal vein
+deep temporal vein
+middle temporal vein
+superficial temporal vein
+testicular vein
+thalamostriate vein
+thoracoepigastric vein
+superior thalamostriate vein
+inferior thalamostriate vein
+thoracic vein
+thyroid vein
+inferior thyroid vein
+middle thyroid vein
+superior thyroid vein
+tibial vein
+tracheal vein
+tympanic vein
+ulnar vein
+umbilical vein
+uterine vein
+gallbladder
+hypochondrium
+liver
+Haversian canal
+hepatic lobe
+hepatic duct
+inguinal canal
+common bile duct
+biliary ductule
+pancreas
+pancreatic duct
+lung
+alveolar bed
+lobe of the lung
+pleura
+parietal pleura
+visceral pleura
+pleural cavity
+pleural space
+heart
+athlete's heart
+biauriculate heart
+pacemaker
+cusp
+flap
+cardiac muscle
+papillary muscle
+atrioventricular bundle
+atrioventricular node
+myocardium
+Purkinje fiber
+Purkinje network
+area of cardiac dullness
+ventricle
+left ventricle
+right ventricle
+auricle
+auricula
+chamber
+cranial cavity
+atrium
+atrium cordis
+right atrium
+left atrium
+mitral valve
+tricuspid valve
+atrioventricular valve
+aortic valve
+pulmonary valve
+semilunar valve
+heart valve
+valve
+valvule
+stomach
+epigastrium
+cardia
+lymphatic system
+thoracic duct
+lymph vessel
+lacteal
+vascular structure
+vessel
+liquid body substance
+extracellular fluid
+interstitial fluid
+intracellular fluid
+juice
+cancer juice
+karyolymph
+milk
+mother's milk
+colostrum
+amniotic cavity
+amniotic fluid
+blood
+arterial blood
+blood group
+A
+B
+AB
+O
+Rh-positive blood type
+Rh-negative blood type
+gore
+lifeblood
+bloodstream
+clot
+blood clot
+cord blood
+menorrhea
+venous blood
+whole blood
+serum
+plasma
+antiserum
+chyle
+lymph
+semen
+ink
+secretion
+lacrimal secretion
+tear
+lacrimal apparatus
+perspiration
+digestive juice
+gastric juice
+pancreatic juice
+bile
+black bile
+yellow bile
+hormone
+intestinal juice
+noradrenaline
+adrenocorticotropic hormone
+epinephrine
+gastrointestinal hormone
+gastrin
+cholecystokinin
+secretin
+ghrelin
+motilin
+glucagon
+gonadotropin
+insulin
+Lente Insulin
+recombinant human insulin
+melatonin
+neurohormone
+oxytocin
+parathyroid hormone
+relaxin
+releasing hormone
+somatotropin
+Protropin
+thymosin
+thyroid hormone
+calcitonin
+thyroxine
+triiodothyronine
+vasopressin
+autacoid
+histamine
+prostaglandin
+synovia
+mucus
+phlegm
+snot
+booger
+saliva
+salivary duct
+drool
+tobacco juice
+sebum
+smegma
+lochia
+pus
+gleet
+leukorrhea
+blood vessel
+ductus arteriosus
+patent ductus arteriosus
+vasa vasorum
+vein
+venation
+varicose vein
+vena bulbi penis
+vena canaliculi cochleae
+vein of penis
+venae dorsales penis superficiales
+venae dorsales penis profunda
+vena profunda penis
+vena bulbi vestibuli
+vena cava
+inferior vena cava
+superior vena cava
+venae profundae clitoridis
+vena dorsalis clitoridis profunda
+venae dorsales clitoridis superficiales
+venae palpebrales
+venae interlobulares renis
+venae interlobulares hepatis
+venae renis
+venae labiales anteriores
+venae labiales posteriores
+venter
+venter
+ventral root
+vertebral vein
+vesical vein
+vestibular vein
+vortex vein
+capillary
+venule
+membrane
+retina
+ganglion cell
+sarcolemma
+peritoneum
+peritoneal cavity
+bursa omentalis
+endocardium
+pericardium
+epicardium
+parietal pericardium
+pericardial cavity
+mesentery
+mesocolon
+omentum
+greater omentum
+lesser omentum
+submucosa
+lymph node
+axillary node
+Peyer's patch
+somatic cell
+neoplastic cell
+cancer cell
+blastema
+energid
+pronucleus
+zygote
+heterozygote
+homozygote
+parthenote
+protoplasm
+cytoplasm
+cytoplast
+cytoskeleton
+cytosol
+ectoplasm
+endoplasm
+hyaloplasm
+lysosome
+microsome
+Golgi body
+nucleoplasm
+nucleus
+nucleolus
+nucleolus organizer
+germ plasm
+sex chromatin
+chromatin
+achromatin
+linin
+gene
+dominant gene
+allele
+dominant allele
+recessive allele
+genetic marker
+homeotic gene
+homeobox
+lethal gene
+linkage group
+modifier
+mutant gene
+haplotype
+cystic fibrosis transport regulator
+nonallele
+operator gene
+operon
+oncogene
+polygene
+proto-oncogene
+recessive gene
+regulatory gene
+repressor gene
+structural gene
+suppressor
+transgene
+tumor suppressor gene
+X-linked gene
+Y-linked gene
+chromosome
+X chromosome
+XX
+XXX
+XXY
+XY
+XYY
+Y chromosome
+sex chromosome
+autosome
+chromatid
+centromere
+acentric chromosome
+acrocentric chromosome
+karyotype
+metacentric chromosome
+telocentric chromosome
+mitochondrion
+sarcosome
+organelle
+aster
+centriole
+ribosome
+centrosome
+sarcoplasm
+vacuole
+sclera
+semipermeable membrane
+bone cell
+embryonic cell
+blastocyte
+ameloblast
+osteoblast
+erythroblast
+fibroblast
+neuroblast
+myelocyte
+myeloblast
+sideroblast
+megakaryocyte
+osteoclast
+osteocyte
+blood cell
+akaryocyte
+megalocyte
+megaloblast
+leukocyte
+packed cells
+histiocyte
+macrophage
+phagocyte
+fixed phagocyte
+free phagocyte
+lymphocyte
+B cell
+T cell
+helper T cell
+killer T cell
+lymphoblast
+plasma cell
+plasmablast
+granulocyte
+monocyte
+monoblast
+basophil
+neutrophil
+microphage
+eosinophil
+red blood cell
+acanthocyte
+microcyte
+reticulocyte
+sickle cell
+siderocyte
+spherocyte
+target cell
+fovea
+parafovea
+macula
+visual cell
+blind spot
+cone
+rod
+fat cell
+reproductive cell
+gamete
+anisogamete
+isogamete
+sperm
+acrosome
+ovum
+ootid
+ovule
+gametocyte
+oocyte
+polar body
+spermatocele
+spermatocyte
+spermatid
+muscle cell
+Leydig cell
+Sertoli cell
+striated muscle cell
+myofibril
+sarcomere
+smooth muscle
+smooth muscle
+smooth muscle cell
+immune system
+integumentary system
+reticuloendothelial system
+mononuclear phagocyte system
+muscular structure
+musculoskeletal system
+nervous system
+neural structure
+reflex arc
+center
+auditory center
+nerve fiber
+medullated nerve fiber
+Ranvier's nodes
+medullary sheath
+neurolemma
+Schwann cell
+effector
+end organ
+nerve cell
+brain cell
+Golgi's cell
+Purkinje cell
+end-plate
+osmoreceptor
+motor neuron
+sensory neuron
+neuroglia
+neurogliacyte
+astroglia
+astrocyte
+fibrous astrocyte
+protoplasmic astrocyte
+microglia
+microgliacyte
+oligodendroglia
+oligodendrocyte
+axon
+nerve ending
+free nerve ending
+Pacinian corpuscle
+proprioceptor
+dendrite
+hybridoma
+process
+caruncle
+wattle
+condyle
+condylar process
+coronoid process
+coronoid process of the mandible
+lateral condyle
+medial condyle
+epicondyle
+lateral epicondyle
+fimbria
+apophysis
+spicule
+osteophyte
+papilla
+papilla
+synapse
+neuromuscular junction
+nerve
+motor nerve
+motor fiber
+sensory nerve
+sensory fiber
+lemniscus
+fiber bundle
+nerve pathway
+commissure
+cranial nerve
+depressor
+peduncle
+hemisphere
+left hemisphere
+pyriform area
+right hemisphere
+rhinencephalon
+olfactory nerve
+olfactory bulb
+optic nerve
+oculomotor
+trochlear
+trigeminal
+abducent
+facial
+acoustic nerve
+glossopharyngeal nerve
+vagus
+accessory nerve
+hypoglossal
+central nervous system
+brain
+neencephalon
+neopallium
+archipallium
+metencephalon
+paleencephalon
+leptomeninges
+dura mater
+arachnoid
+pia mater
+subarachnoid space
+neuropil
+grey matter
+white matter
+pituitary
+hypophyseal stalk
+anterior pituitary
+pars distilis
+pars intermedia
+posterior pituitary
+pineal gland
+islands of Langerhans
+cerebellum
+cerebellar hemisphere
+dentate nucleus
+vermis
+paleocerebellum
+cerebral cortex
+cortical area
+association area
+geniculate body
+lateral geniculate body
+medial geniculate body
+auditory area
+Broca's area
+Brodmann's area
+frontal gyrus
+temporal gyrus
+parietal gyrus
+occipital gyrus
+language area
+motor area
+sensorium
+sensorimotor area
+visual area
+Wernicke's area
+cortex
+medulla
+adrenal cortex
+renal cortex
+adrenal medulla
+corpus callosum
+pyramidal tract
+cerebrum
+fold
+gyrus
+central gyrus
+precentral gyrus
+precordium
+postcentral gyrus
+lobe
+lobule
+frontal lobe
+prefrontal lobe
+parietal lobe
+occipital lobe
+striate cortex
+temporal lobe
+medulla oblongata
+amygdala
+forebrain
+hippocampus
+cingulate gyrus
+telencephalon
+diencephalon
+basal ganglion
+caudate nucleus
+claustrum
+lenticular nucleus
+pallidum
+putamen
+subthalamic nucleus
+limbic system
+subthalamus
+thalamus
+hypothalamus
+corpus striatum
+midbrain
+substantia nigra
+superior colliculus
+inferior colliculus
+hindbrain
+myelencephalon
+pons
+brainstem
+reticulum
+neural network
+nucleus
+reticular formation
+reticular activating system
+ventricle
+fourth ventricle
+third ventricle
+lateral ventricle
+cerebral aqueduct
+radiation
+spinal cord
+spinal fluid
+peripheral nervous system
+autonomic nervous system
+radial nerve
+sympathetic nervous system
+splanchnic nerve
+parasympathetic nervous system
+brachial plexus
+cardiac plexus
+carotid plexus
+cervical plexus
+choroid plexus
+coccygeal plexus
+hypogastric plexus
+lumbar plexus
+lumbar plexus
+lumbosacral plexus
+mesenteric plexus
+myenteric plexus
+periarterial plexus
+plexus dentalis
+pterygoid plexus
+pulmonary plexis
+sacral plexus
+solar plexus
+pit of the stomach
+reproductive system
+urogenital system
+respiratory system
+respiratory tract
+lower respiratory tract
+upper respiratory tract
+sensory system
+tract
+urinary tract
+vascular system
+circulatory system
+fetal circulation
+bladder
+urinary bladder
+introitus
+urethral orifice
+ureter
+urethra
+reproductive organ
+female reproductive system
+male reproductive system
+genitalia
+pudendum
+female genitalia
+female internal reproductive organ
+male genitalia
+male internal reproductive organ
+ovary
+ovotestis
+sac
+target organ
+taret organ
+acinus
+bursa
+cisterna
+pouch
+cheek pouch
+marsupium
+scrotum
+vesicle
+blister
+follicle
+hair follicle
+Graafian follicle
+corpus luteum
+Fallopian tube
+uterus
+uterine cavity
+cervical canal
+decidua
+endometrium
+myometrium
+liposome
+umbilical cord
+placenta
+afterbirth
+vagina
+cunt
+vulva
+hymen
+imperforate hymen
+mons
+labium
+labia majora
+pudendal cleft
+labia minora
+vestibule of the vagina
+erectile organ
+clitoris
+Cowper's gland
+Bartholin's gland
+cervical glands
+seminiferous tubule
+gonad
+testis
+cobblers
+male reproductive gland
+undescended testis
+epididymis
+rete testis
+vasa efferentia
+vas deferens
+penis
+cock
+micropenis
+prepuce
+prepuce
+seminal duct
+ejaculatory duct
+seminal vesicle
+spermatic cord
+respiratory organ
+book lung
+alveolus
+nasal cavity
+nasopharynx
+oropharynx
+laryngopharynx
+pharyngeal tonsil
+larynx
+arytenoid
+thyroid cartilage
+vocal cord
+false vocal cord
+true vocal cord
+cartilaginous structure
+cartilaginous tube
+bronchus
+bronchiole
+trachea
+trachea
+alimentary canal
+enteron
+digestive gland
+salivary gland
+parotid gland
+sublingual gland
+submaxillary gland
+esophagus
+epicardia
+intestine
+hindgut
+small intestine
+duodenum
+pylorus
+jejunum
+ileum
+large intestine
+colon
+megacolon
+cecum
+ileocecal valve
+transverse colon
+ascending colon
+descending colon
+sigmoid colon
+appendix
+rectum
+anus
+arse
+imperforate anus
+perineum
+head
+poll
+human head
+bullethead
+attic
+pate
+tonsure
+epicranium
+scalp
+skull
+calvaria
+cranium
+occiput
+sinciput
+frontal bone
+frontal eminence
+parietal bone
+occipital bone
+occipital protuberance
+mastoid
+styloid process
+pterygoid process
+tuberosity
+suture
+synovial joint
+anterior fontanelle
+sphenoid fontanelle
+coronal suture
+frontal suture
+intermaxillary suture
+internasal suture
+lamboid suture
+occipitomastoid suture
+parietomastoid suture
+sagittal suture
+fontanelle
+foramen
+interventricular foramen
+foramen magnum
+jaw
+chop
+zygomatic process
+neck
+frill
+frill
+bull neck
+nape
+throat
+fauces
+fistula
+bypass
+portacaval shunt
+shunt
+tubular cavity
+shoulder
+shoulder
+deltoid
+armpit
+torso
+serratus
+anterior serratus muscle
+posterior serratus muscle
+serratus posterior inferior
+serratus posterior superior
+side
+female chest
+male chest
+pectoral
+pectoralis major
+pectoralis minor
+intercostal
+depressor
+thorax
+chest cavity
+breast
+bosom
+thorax
+rib cage
+cleavage
+lactiferous duct
+mammary gland
+breast
+nipple
+areola
+areola
+nabothian gland
+vestibular gland
+middle
+waist
+wasp waist
+belly
+pot
+spare tire
+hip
+haunch
+navel
+abdomen
+abdominal
+dorsum
+underbelly
+external oblique muscle
+transversus abdominis muscle
+abdominal cavity
+pubes
+back
+small
+latissimus dorsi
+buttocks
+buttock
+extremity
+limb
+stump
+leg
+crus
+leg
+pin
+bowleg
+shank's mare
+spindlelegs
+thigh
+lap
+shank
+shin
+vertebrate foot
+foot
+arm
+cubitus
+forearm
+hand
+fist
+hooks
+right
+left
+palm
+thenar
+digit
+minimus
+finger
+extremity
+fingertip
+thumb
+index
+ring finger
+middle finger
+little finger
+sciatic nerve
+femoral nerve
+saphenous nerve
+phrenic nerve
+ulnar nerve
+spinal nerve
+cervical nerve
+coccygeal nerve
+lumbar nerve
+sacral nerve
+thoracic nerve
+gluteus
+gluteus maximus
+gluteus medius
+gluteus minimus
+hamstring
+sphincter
+cardiac sphincter
+esophagogastric junction
+physiological sphincter
+anal sphincter
+musculus sphincter ani externus
+musculus sphincter ani internus
+urethral sphincter
+bladder sphincter
+musculus sphincter ductus choledochi
+musculus sphincter ductus pancreatici
+pupillary sphincter
+pyloric sphincter
+tensor
+tensor tympani
+knee
+femur
+trochanter
+calf
+mid-calf
+gastrocnemius
+psoas
+rhomboid
+rhomboideus major muscle
+rhomboid minor muscle
+soleus
+splenius
+peroneus
+pterygoid muscle
+ball
+flatfoot
+arch
+metatarsal arch
+instep
+sunken arch
+sole
+tiptoe
+toe
+toe
+big toe
+hammertoe
+little toe
+heel
+gliding joint
+ankle
+Achilles tendon
+girdle
+musculus biceps femoris
+biceps
+biceps brachii
+triceps
+triceps brachii
+elbow
+interphalangeal joint
+hinge joint
+funny bone
+lamina
+lamina arcus vertebrae
+plate
+horny structure
+nail
+cuticle
+half-moon
+matrix
+matrix
+fascia
+aponeurosis
+graft
+autograft
+homograft
+heterograft
+scar tissue
+adhesion
+stroma
+fingernail
+thumbnail
+toenail
+ingrown toenail
+hangnail
+wrist
+knuckle
+skeletal system
+skeletal structure
+column
+pectoral girdle
+shoulder girdle
+endoskeleton
+exoskeleton
+appendicular skeleton
+axial skeleton
+axial muscle
+transverse process
+hemal arch
+neural arch
+spinal column
+cervical vertebra
+atlas
+axis
+odontoid process
+thoracic vertebra
+lumbar vertebra
+sacral vertebra
+coccygeal vertebra
+sartorius
+scalenus
+sternocleidomastoid
+teres
+teres major
+teres minor
+tibialis
+tibialis anticus
+tibialis posticus
+trapezius
+true rib
+costa
+costal cartilage
+epiphysis
+diaphysis
+metaphysis
+arm bone
+humerus
+radius
+ulna
+olecranon
+metacarpus
+leg bone
+fibula
+tibia
+metatarsus
+tarsus
+joint
+ball-and-socket joint
+head
+hip
+acetabulum
+pelvis
+pelvis
+pelvic cavity
+pivot joint
+crotch
+loins
+groin
+quick
+nose
+beak
+conk
+hawk nose
+proboscis
+bridge
+pug nose
+Roman nose
+chin
+double chin
+dimple
+lantern jaw
+nostril
+posterior naris
+naris
+face
+face
+countenance
+pudding face
+feature
+facial muscle
+temporalis muscle
+brow
+temple
+cheek
+jowl
+jaw
+ridge
+supraorbital ridge
+excrescence
+vegetation
+rudiment
+wall
+abdominal wall
+humor
+pericardial sac
+rotator cuff
+respiratory center
+spindle
+syncytium
+serous membrane
+synovial membrane
+tunica albuginea testes
+albuginea
+tunic
+celom
+cornu
+corona
+ruga
+tentorium
+mast cell
+stem cell
+hematopoeitic stem cell
+target cell
+McBurney's point
+zona pellucida
+receptor
+alpha receptor
+beta receptor
+pharyngeal recess
+rima
+rima glottidis
+rima vestibuli
+telomere
+vomer
+Wormian bone
+zone
+zonule
+mind
+noddle
+place
+public knowledge
+common knowledge
+episteme
+ancient history
+light
+open
+tabula rasa
+ego
+unconscious mind
+subconscious mind
+superego
+id
+astuteness
+sagacity
+eye
+common sense
+logic
+nous
+road sense
+judiciousness
+discretion
+confidentiality
+caution
+injudiciousness
+ability
+know-how
+bag of tricks
+wisdom
+leadership
+generalship
+intelligence
+brain
+breadth
+capaciousness
+mind
+nonverbal intelligence
+verbal intelligence
+mental quickness
+nimbleness
+brilliance
+coruscation
+pyrotechnics
+scintillation
+precociousness
+acuteness
+steel trap
+brightness
+craft
+shrewdness
+insightfulness
+knowingness
+street smarts
+wits
+aptitude
+bilingualism
+instinct
+capacity
+capability
+perfectibility
+compass
+sight
+natural ability
+endowment
+bent
+flair
+raw talent
+creativity
+fecundity
+flight
+genius
+imagination
+imaginary place
+afterworld
+Annwfn
+Asgard
+Atlantis
+Brobdingnag
+cloud-cuckoo-land
+Cockaigne
+El Dorado
+fairyland
+Heaven
+Abraham's bosom
+Celestial City
+Elysium
+Elysium
+Eden
+Paradise
+Promised Land
+Valhalla
+Hell
+Hell
+Houyhnhnms
+Gehenna
+hellfire
+Laputa
+Lilliput
+limbo
+limbo
+Midgard
+never-never land
+purgatory
+Ruritania
+spirit world
+Utopia
+wonderland
+fancy
+fantasy
+pipe dream
+fantasy life
+fantasy world
+paracosm
+invention
+inventiveness
+resource
+armory
+concoction
+contrivance
+originality
+innovativeness
+unconventionality
+novelty
+aviation
+eristic
+falconry
+fortification
+homiletics
+horology
+minstrelsy
+musicianship
+enology
+puppetry
+taxidermy
+telescopy
+ventriloquism
+skill
+nose
+virtuosity
+bravura
+skill
+hand
+craft
+horsemanship
+literacy
+marksmanship
+mastership
+mixology
+superior skill
+art
+numeracy
+oarsmanship
+salesmanship
+seamanship
+boatmanship
+showmanship
+soldiering
+swordsmanship
+skillfulness
+expertness
+handiness
+professionalism
+sophistication
+coordination
+coordination
+incoordination
+versatility
+command
+adeptness
+touch
+finishing touch
+dexterity
+fluency
+disfluency
+proficiency
+brushwork
+musketry
+housecraft
+priestcraft
+stagecraft
+tradecraft
+watercraft
+woodcraft
+efficiency
+economy
+inability
+block
+writer's block
+stupidity
+denseness
+dullness
+retardation
+abnormality
+feeblemindedness
+moronity
+idiocy
+imbecility
+folly
+vacuousness
+inaptitude
+talentlessness
+incapability
+imperfectibility
+incapacity
+unskillfulness
+awkwardness
+rustiness
+inefficiency
+amateurishness
+illiteracy
+uncreativeness
+fruitlessness
+unoriginality
+triteness
+camp
+conventionality
+faculty
+attention
+language
+lexis
+vocabulary
+memory
+reason
+sense
+modality
+volition
+velleity
+sensitivity
+acuteness
+hypersensitivity
+responsiveness
+excitability
+exteroception
+interoception
+photosensitivity
+sight
+stigmatism
+somatosense
+touch
+achromatic vision
+acuity
+twenty-twenty
+oxyopia
+binocular vision
+central vision
+color vision
+distance vision
+eyesight
+foveal vision
+monocular vision
+near vision
+night vision
+daylight vision
+peripheral vision
+stereoscopic vision
+hearing
+ear
+absolute pitch
+taste
+smell
+nose
+kinesthesis
+kinanesthesia
+equilibrium
+proprioception
+somesthesia
+method
+scientific method
+experimental method
+teaching method
+Socratic method
+method of choice
+methodology
+mnemonics
+solution
+silver bullet
+system
+accounting
+discipline
+frame of reference
+vocabulary
+gambling system
+government
+honor system
+logic
+Aristotelian logic
+merit system
+point system
+spoils system
+organon
+technique
+antialiasing
+Benday process
+bonding
+emulation
+terminal emulation
+immunofluorescence
+photomechanics
+simulation
+technicolor
+practice
+custom
+convention
+mores
+code of conduct
+universal
+courtly love
+knight errantry
+protocol
+habit
+Hadith
+institution
+levirate
+heritage
+cognitive state
+enthusiasm
+Anglomania
+balletomania
+concern
+worldly concern
+interestedness
+matter
+least
+personal business
+dirty linen
+part
+point of honor
+cult of personality
+amnesia
+paramnesia
+anterograde amnesia
+retrograde amnesia
+forgetfulness
+senior moment
+selective amnesia
+posthypnotic amnesia
+forgetfulness
+obliviousness
+transient global amnesia
+set
+ivory tower
+consciousness
+stream of consciousness
+self
+anima
+awareness
+incognizance
+self-awareness
+orientation
+self-consciousness
+unselfconsciousness
+feel
+sense
+sense of direction
+sense of responsibility
+awareness
+sensibility
+waking
+wakefulness
+arousal
+vigil
+unconsciousness
+automatic pilot
+unknowingness
+blackout
+grogginess
+coma
+diabetic coma
+hepatic coma
+electrosleep
+semicoma
+insensibility
+sleeping
+hebetude
+trance
+semitrance
+hypnotic trance
+religious trance
+narcosis
+nitrogen narcosis
+subconsciousness
+curiosity
+desire to know
+interest
+curiousness
+nosiness
+confusion
+disorientation
+culture shock
+distraction
+daze
+half-cock
+jamais vu
+bewilderment
+perplexity
+mystery
+tangle
+dilemma
+double bind
+cognitive factor
+divine guidance
+difficulty
+trouble
+pressure point
+can of worms
+deep water
+growing pains
+hydra
+matter
+facer
+killer
+kink
+pisser
+pitfall
+snorter
+hindrance
+albatross
+bind
+diriment impediment
+drag
+obstacle
+straitjacket
+barrier
+hang-up
+hurdle
+stymie
+ideological barrier
+iron curtain
+language barrier
+bamboo curtain
+color bar
+determinant
+clincher
+influence
+imponderable
+imprint
+morale builder
+pestilence
+support
+anchor
+lifeline
+temptation
+forbidden fruit
+bait
+allurement
+equivalent
+counterpart
+match
+mismatch
+complement
+substitute
+ersatz
+successor
+succedaneum
+certainty
+assurance
+certitude
+reliance
+doubt
+mental reservation
+misgiving
+incredulity
+indecision
+hesitation
+peradventure
+suspense
+morbidity
+preoccupation
+obsession
+abstractedness
+reverie
+dream
+brown study
+absentmindedness
+process
+process
+basic cognitive process
+attention
+attention span
+attentiveness
+clock-watching
+ear
+eye
+notice
+notice
+mind
+advertence
+concentration
+mental note
+focus
+particularism
+specialism
+study
+hang-up
+hobbyhorse
+watchfulness
+jealousy
+inattention
+inattentiveness
+distraction
+disregard
+oversight
+omission
+pretermission
+exception
+intuition
+feeling
+sprachgefuhl
+gnosis
+insight
+immediacy
+perception
+apperception
+constancy
+brightness constancy
+color constancy
+shape constancy
+size constancy
+perception
+discernment
+penetration
+cognizance
+remark
+detection
+visual perception
+contrast
+face recognition
+object recognition
+visual space
+auditory perception
+speech perception
+musical perception
+melody
+sensation
+threshold
+absolute threshold
+pain threshold
+difference threshold
+just-noticeable difference
+masking
+vision
+smell
+scent
+musk
+aroma
+incense
+malodor
+niff
+taste
+relish
+lemon
+vanilla
+sweet
+sour
+acidity
+bitter
+acridity
+salt
+astringency
+finish
+flatness
+mellowness
+sound
+music
+music
+piano music
+music of the spheres
+tone
+harmonic
+fundamental
+overtone
+noise
+dub
+synesthesia
+chromesthesia
+colored hearing
+somesthesia
+feeling
+constriction
+tactual sensation
+kinesthesia
+touch
+pins and needles
+prickling
+creepiness
+cutaneous sensation
+tickle
+itch
+pruritus
+pruritus ani
+pruritus vulvae
+topognosia
+urtication
+pressure
+pain
+mittelschmerz
+phantom limb pain
+twinge
+temperature
+heat
+cold
+comfort zone
+believing
+doublethink
+structure
+arrangement
+classification system
+Dewey decimal classification
+contrivance
+coordinate system
+Cartesian coordinate system
+data structure
+design
+distribution
+equidistribution
+genetic map
+kinship system
+lattice
+living arrangement
+redundancy
+topology
+bus topology
+loop topology
+star topology
+mesh topology
+physical topology
+logical topology
+unitization
+configuration
+space lattice
+hierarchical structure
+hierarchical classification system
+file system
+classification
+grouping
+rating system
+ABO blood group system
+appraisal
+critical appraisal
+criticism
+examen
+knock
+self-criticism
+attribution
+attribution
+zoomorphism
+animatism
+imputation
+externalization
+cross-classification
+subsumption
+evaluation
+overvaluation
+undervaluation
+pricing
+price gouging
+reevaluation
+mark
+grade point
+percentile
+decile
+quartile
+bond rating
+assay
+countercheck
+diagnostic test
+Apgar score
+agglutination test
+heterophil test
+Widal test
+bioassay
+immunoassay
+radioimmunoassay
+biopsy
+cloze procedure
+fecal occult test
+GI series
+glucose tolerance test
+complement fixation test
+Wassermann test
+blood test
+PSA blood test
+chorionic villus sampling
+needle biopsy
+Pap test
+paternity test
+PKU test
+pregnancy test
+Friedman test
+Queckenstedt's test
+radioactive iodine test
+radioactive iodine excretion test
+radioactive iodine uptake test
+Rubin test
+skin test
+Dick test
+patch test
+Schick test
+scratch test
+tuberculin test
+Mantoux test
+tine test
+intradermal test
+tissue typing
+Snellen test
+stress test
+treadmill test
+acid test
+reappraisal
+stocktaking
+underevaluation
+discrimination
+differentiation
+contradistinction
+line
+Rubicon
+hairsplitting
+individualization
+taste
+virtu
+vogue
+New Look
+fashion
+cut
+haute couture
+fad
+retro
+bandwagon
+delicacy
+culture
+counterculture
+mass culture
+flower power
+letters
+learning
+conditioning
+developmental learning
+digestion
+education
+internalization
+introjection
+introjection
+imprinting
+language learning
+audio lingual acquisition
+memorization
+rote
+accommodation
+assimilation
+study
+transfer
+generalization
+irradiation
+physical education
+acculturation
+mastering
+self-education
+school
+special education
+vocational training
+experience
+familiarization
+woodcraft
+extinction
+aversive conditioning
+conditioned emotional response
+classical conditioning
+instrumental conditioning
+operant conditioning
+counter conditioning
+memory
+short-term memory
+working memory
+long-term memory
+episodic memory
+semantic memory
+motor memory
+retrieval
+recall
+remembrance
+mind
+reconstruction
+reproduction
+regurgitation
+reminiscence
+recognition
+identity
+speaker identification
+association
+colligation
+overlap
+crossroads
+interface
+retrospection
+representational process
+symbol
+typification
+picture
+interpretation
+broad interpretation
+depicting
+mirror
+anthropomorphism
+theanthropism
+imagination
+mind's eye
+vision
+picturing
+dream
+dream
+nightmare
+wet dream
+chimera
+reverie
+woolgathering
+evocation
+pretense
+search
+hunt
+pursuit
+higher cognitive process
+thinking
+free association
+suggestion
+construction
+crystallization
+gestation
+reasoning
+analysis
+argumentation
+line of thought
+train of thought
+line of inquiry
+conjecture
+deduction
+generalization
+inference
+prediction
+projection
+prophecy
+crystal gazing
+prevision
+retrovision
+prefiguration
+divination
+arithmancy
+dowse
+geomancy
+hydromancy
+lithomancy
+necromancy
+oneiromancy
+onomancy
+palmistry
+pyromancy
+astrology
+horoscopy
+alchemy
+pseudoscience
+syllogism
+theorization
+ideology
+supposition
+presupposition
+abstraction
+analogy
+corollary
+derivation
+deduction
+extrapolation
+presumption
+conclusion
+non sequitur
+breakdown
+cost-benefit analysis
+dissection
+elimination
+reductionism
+reductionism
+systems analysis
+resolution
+factorization
+diagonalization
+ratiocination
+regress
+synthesis
+trend analysis
+cogitation
+lucubration
+mysticism
+ideation
+consideration
+deliberation
+exploration
+contemplation
+meditation
+meditation
+think
+introspection
+soul-searching
+examen
+inwardness
+outwardness
+omphaloskepsis
+retrospect
+decision making
+determination
+eclecticism
+groupthink
+settlement
+judgment
+prejudgment
+reversal
+reconsideration
+choice
+pleasure
+cull
+favorite
+option
+obverse
+preference
+wish
+way
+default option
+possibility
+possible
+impossibility
+impossible
+Hobson's choice
+soft option
+excogitation
+explanation
+rationale
+basis
+meat and potatoes
+key
+natural history
+rationalization
+raison d'etre
+planning
+agreement
+collusion
+prearrangement
+reservation
+upgrade
+applecart
+mens rea
+premeditation
+calculation
+premeditation
+problem solving
+convergent thinking
+divergent thinking
+inspiration
+inquiry
+nature study
+experiment
+empirical research
+control experiment
+control condition
+condition
+pilot experiment
+trial
+field trial
+alpha test
+beta test
+road test
+testament
+test drive
+trial balloon
+probe
+fishing expedition
+poll
+exit poll
+straw vote
+heraldry
+calculation
+extrapolation
+interpolation
+conversion
+data conversion
+digitization
+estimate
+credit rating
+guess
+guesstimate
+overestimate
+underestimate
+knowing
+know
+cognizance
+prevision
+understanding
+comprehension
+incomprehension
+self-knowledge
+smattering
+appreciation
+grasping
+sense
+hindsight
+insight
+realization
+light
+revelation
+discovery
+flash
+linguistic process
+reading
+speed-reading
+content
+tradition
+world
+otherworld
+real world
+deja vu
+life
+reliving
+object
+food
+pabulum
+antipathy
+bugbear
+execration
+center
+conversation piece
+crosshairs
+cynosure
+eye-catcher
+hallucination
+infatuation
+love
+noumenon
+reminder
+memento
+memento mori
+shades of
+universe
+topic
+issue
+gut issue
+paramount issue
+pocketbook issue
+quodlibet
+area
+blind spot
+remit
+res judicata
+information
+datum
+reading
+acquaintance
+fact
+case
+detail
+particular
+general
+matter of fact
+observation
+scientific fact
+reason
+score
+truth
+home truth
+verity
+minutia
+nook and cranny
+respect
+sticking point
+technicality
+example
+apology
+exception
+precedent
+quintessence
+sample
+coupon
+cross section
+specimen
+grab sample
+random sample
+tasting
+circumstance
+justification
+mitigating circumstance
+background
+descriptor
+evidence
+predictor
+probable cause
+proof
+reductio ad absurdum
+confirmation
+bed check
+crosscheck
+parity check
+checksum
+establishment
+disproof
+confutation
+counterexample
+lead
+tip-off
+evocation
+kick
+stimulation
+turn-on
+turnoff
+conditioned stimulus
+reinforcing stimulus
+positive reinforcing stimulus
+negative reinforcing stimulus
+discriminative stimulus
+positive stimulus
+negative stimulus
+bonus
+joy
+annoyance
+nuisance
+abatable nuisance
+attractive nuisance
+mixed nuisance
+private nuisance
+public nuisance
+irritant
+plague
+aversive stimulus
+concern
+bugaboo
+burden
+business
+dead weight
+fardel
+imposition
+pill
+grief
+idea
+inspiration
+source
+taproot
+muse
+mother
+afflatus
+cogitation
+concept
+conceptualization
+perception
+notion
+mumpsimus
+preoccupation
+self-absorption
+layout
+trap
+iron trap
+speed trap
+idea
+judgment
+decision
+predetermination
+category
+kind
+breed
+pigeonhole
+rubric
+way
+description
+type
+nature
+version
+antitype
+art form
+architectural style
+Bauhaus
+Byzantine architecture
+classical architecture
+Greek architecture
+Roman architecture
+Gothic
+Romanesque
+Norman architecture
+perpendicular
+Tudor architecture
+Moorish
+Victorian architecture
+style
+flavor
+charm
+strangeness
+color
+species
+genus
+brand
+genre
+like
+manner
+model
+stripe
+like
+rule
+restriction
+narrowness
+rule
+metarule
+algorithm
+sorting algorithm
+stemmer
+heuristic
+lateral thinking
+recursion
+guidepost
+cy pres
+working principle
+property
+quality
+texture
+feature
+feature of speech
+invariant
+aspect
+attraction
+badge
+centerpiece
+contour
+excellence
+external
+peculiarity
+calling card
+safety feature
+side
+downside
+hand
+sector
+department
+surface
+attention
+tourist attraction
+foil
+abstraction
+absolute
+teacher
+thing
+quantity
+quantum
+quantum
+term
+numerical quantity
+zero
+value
+eigenvalue
+scale value
+average
+vote
+operand
+variable
+argument
+arity
+independent variable
+factor
+correlate
+degree of freedom
+dependent variable
+constant
+parameter
+parameter
+degree of freedom
+product
+factorial
+multiple
+double
+triple
+quadruple
+lowest common multiple
+grand total
+subtotal
+sum
+degree
+degree of a term
+degree of a polynomial
+first degree
+polynomial
+biquadratic
+homogeneous polynomial
+monic polynomial
+quadratic
+quantic
+series
+power series
+convergence
+divergence
+geometric series
+Fourier series
+predictor variable
+proportional
+infinitesimal
+random variable
+scalar
+tensor
+vector
+vector product
+scalar product
+vector sum
+radius vector
+radius vector
+be-all and end-all
+plot element
+McGuffin
+point
+attractor
+strange attractor
+intersection
+metacenter
+vertex
+part
+beginning
+middle
+end
+high point
+component
+leaven
+whole
+unit
+one
+compound
+complex
+hybrid
+syndrome
+law
+divine law
+dictate
+fundamentals
+logic
+pleasure principle
+reality principle
+insurrectionism
+principle
+rudiment
+law
+lexicalized concept
+all-or-none law
+principle
+Archimedes' principle
+Avogadro's law
+Bernoulli's law
+Benford's law
+Bose-Einstein statistics
+Boyle's law
+Coulomb's Law
+Dalton's law
+distribution law
+Maxwell-Boltzmann distribution law
+equilibrium law
+Fechner's law
+Fermi-Dirac statistics
+Gay-Lussac's law
+Gestalt law of organization
+Henry's law
+Hooke's law
+Hubble's law
+Kepler's law
+Kepler's first law
+Kepler's second law
+Kepler's third law
+Kirchhoff's laws
+law of averages
+law of constant proportion
+law of diminishing returns
+law of effect
+law of equivalent proportions
+law of gravitation
+law of multiple proportions
+law of mass action
+law of thermodynamics
+second law of thermodynamics
+third law of thermodynamics
+zeroth law of thermodynamics
+Le Chatelier's principle
+Gresham's Law
+Mendel's law
+law of segregation
+law of independent assortment
+mass-energy equivalence
+Naegele's rule
+Newton's law of motion
+first law of motion
+second law of motion
+third law of motion
+Ohm's law
+Pascal's law
+Pauli exclusion principle
+periodic law
+Planck's law
+Planck's radiation law
+big-bang theory
+nebular hypothesis
+planetesimal hypothesis
+steady state theory
+hypothesis
+hypothetical
+gemmule
+fact
+mean sun
+model
+Copernican system
+Ptolemaic system
+M-theory
+string theory
+audit program
+outline
+speculation
+assumption
+prerequisite
+requirement
+precondition
+academic requirement
+language requirement
+essential condition
+given
+basic assumption
+misconception
+fallacy
+logical fallacy
+hysteron proteron
+ignoratio elenchi
+pathetic fallacy
+petitio principii
+post hoc
+sophism
+paralogism
+error
+self-deception
+mistake
+illusion
+bubble
+will-o'-the-wisp
+wishful thinking
+delusion
+autism
+infantile autism
+apparition
+unidentified flying object
+Flying Dutchman
+ghost
+disorientation
+plan
+program
+master plan
+Apollo program
+Gemini program
+Mercury program
+defense program
+educational program
+rehabilitation program
+space program
+Superfund program
+vocational rehabilitation program
+tax program
+policy
+activism
+beggar-my-neighbor policy
+blueprint
+plan of action
+battle plan
+system
+credit system
+legal system
+bail
+jury system
+patent system
+tax system
+voting system
+uninominal system
+list system
+pricing system
+promotion system
+tactic
+scheme
+travel plan
+contrivance
+plant
+pump-and-dump scheme
+wangle
+counterterrorism
+game plan
+game plan
+house of cards
+playbook
+plot
+pyramid scheme
+counterplot
+intrigue
+priestcraft
+conspiracy
+Gunpowder Plot
+waiting game
+wheeze
+regimen
+academic program
+training program
+biofeedback
+preemployment training program
+project
+moneymaker
+vocational program
+works program
+agenda
+menu
+pension plan
+401-k plan
+individual retirement account
+Keogh plan
+employee savings plan
+road map
+stock purchase plan
+employee stock ownership plan
+figment
+generalization
+principle
+pillar
+pillar of Islam
+shahadah
+salat
+sawm
+zakat
+hajj
+yang
+yin
+feng shui
+suggestion
+inkling
+posthypnotic suggestion
+impression
+presence
+reaction
+effect
+first blush
+sound effect
+special effect
+stage effect
+theorem
+Bayes' theorem
+Bayes' postulate
+intuition
+heart
+prescience
+notion
+meaning
+burden
+theme
+topos
+semantics
+significance
+kernel
+bare bones
+hypostasis
+quiddity
+quintessence
+stuff
+tenor
+drift
+undertone
+reference
+reference
+connotation
+ideal
+value
+introject
+idealization
+paragon
+gold standard
+criterion
+design criteria
+exemplar
+beauty
+ego ideal
+keynote
+kink
+wisdom
+reconditeness
+representation
+instantiation
+antitype
+stereotype
+schema
+image
+imagination image
+interpretation
+reinterpretation
+phantasmagoria
+character
+bit part
+soubrette
+heavy
+hero
+ingenue
+title role
+psychosexuality
+percept
+figure
+ground
+form
+fractal
+gestalt
+grid
+Amsler grid
+kaleidoscope
+mosaic
+strand
+sonata form
+visual percept
+eye candy
+field
+sight
+view
+visual field
+background
+coast
+exposure
+foreground
+glimpse
+middle distance
+side view
+tableau
+microscopic field
+operative field
+memory
+recollection
+engram
+confabulation
+screen memory
+memory image
+memory picture
+afterimage
+aftertaste
+visual image
+fusion
+mental picture
+auditory image
+model
+lodestar
+prototype
+concentrate
+imago
+type specimen
+microcosm
+original
+pacesetter
+pattern
+template
+prefiguration
+prodigy
+appearance
+illusion
+irradiation
+three-D
+phantom limb
+mirage
+front
+blur
+unsoundness
+abstractionism
+concretism
+shape
+belief
+apophatism
+cataphatism
+doctrine of analogy
+conviction
+faith
+doctrine
+philosophy
+expectation
+fetishism
+geneticism
+meliorism
+opinion
+autotelism
+originalism
+pacifism
+predestinarianism
+religion
+cult
+cult
+ecclesiasticism
+mysticism
+quietism
+Sufism
+nature worship
+revealed religion
+eyes
+public opinion
+preconception
+taboo
+irrational hostility
+pole
+promise
+rainbow
+foretaste
+possibility
+anticipation
+apprehension
+revolutionism
+sacerdotalism
+spiritualism
+spiritual world
+suffragism
+supernaturalism
+superstition
+supremacism
+theory
+egoism
+patchwork
+theosophy
+theosophism
+anthroposophy
+Kabbalah
+Kabbalism
+thought
+totemism
+tribalism
+values
+vampirism
+mainstream
+principle
+accounting principle
+chivalry
+ethic
+Chartism
+Hellenism
+legal principle
+jus sanguinis
+jus soli
+preemption
+relation back
+scruple
+Golden Rule
+Athanasian Creed
+abolitionism
+absolutism
+amoralism
+animalism
+animism
+antiestablishmentarianism
+asceticism
+British empiricism
+contextualism
+creationism
+creation science
+creed
+divine right
+dogma
+dualism
+dynamism
+epicureanism
+establishmentarianism
+ethicism
+expansionism
+experimentalism
+formalism
+functionalism
+Girondism
+gospel
+gymnosophy
+imitation
+mimesis
+individualism
+individualism
+rugged individualism
+internationalism
+unilateralism
+one-way street
+irredentism
+literalism
+majority rule
+monism
+multiculturalism
+nationalism
+nationalism
+nihilism
+pacifism
+pluralism
+populism
+predestination
+presentism
+election
+rationalism
+reformism
+humanism
+humanitarianism
+egalitarianism
+feminism
+juju
+magic
+mojo
+occultism
+occultism
+reincarnationism
+secessionism
+secularism
+aesthetic
+Aristotelianism
+conceptualism
+Confucianism
+deconstruction
+empiricism
+environmentalism
+existentialism
+determinism
+fatalism
+formalism
+hereditarianism
+idealism
+intuitionism
+logicism
+materialism
+mechanism
+mentalism
+nativism
+naturalism
+Neoplatonism
+nominalism
+operationalism
+Platonism
+pragmatism
+instrumentalism
+probabilism
+rationalism
+realism
+relativism
+Scholasticism
+semiotics
+sensualism
+solipsism
+spiritualism
+Stoicism
+subjectivism
+Taoism
+teleology
+traditionalism
+vitalism
+conjuring
+old wives' tale
+exorcism
+evocation
+sorcery
+theurgy
+witchcraft
+enchantment
+diabolism
+white magic
+unbelief
+agnosticism
+atheism
+heresy
+iconoclasm
+goal
+aim
+bourn
+end-all
+destination
+grail
+no-goal
+purpose
+intention
+mind
+cross-purpose
+final cause
+sake
+view
+will
+business
+occasions
+point
+thing
+education
+experience
+acculturation
+meme
+lore
+folklore
+eruditeness
+letters
+enlightenment
+foundation
+centralism
+containment
+moderationism
+obscurantism
+Thatcherism
+ultramontanism
+edification
+satori
+disenchantment
+ignorance
+dark
+ignorantness
+inexperience
+unenlightenment
+illiteracy
+theory
+theory of gravitation
+principle of relativity
+Occam's Razor
+principle of equivalence
+principle of liquid displacement
+principle of superposition
+principle of superposition
+mass-action principle
+localization of function
+lateralization
+blastogenesis
+preformation
+dialectical materialism
+positivism
+Comtism
+scientific theory
+field theory
+organicism
+economic theory
+consumerism
+Keynesianism
+liberalism
+Malthusianism
+monetarism
+Stevens' law
+Weber's law
+discipline
+communications
+major
+region
+frontier
+genealogy
+allometry
+bibliotics
+ology
+symbology
+grey area
+territory
+knowledge domain
+metaknowledge
+scientific knowledge
+science
+natural science
+mathematics
+pure mathematics
+arithmetic
+algorism
+geometry
+affine geometry
+elementary geometry
+Euclid's axiom
+Euclid's first axiom
+Euclid's second axiom
+Euclid's third axiom
+Euclid's fourth axiom
+Euclid's fifth axiom
+fractal geometry
+non-Euclidean geometry
+hyperbolic geometry
+elliptic geometry
+numerical analysis
+spherical geometry
+spherical trigonometry
+triangulation
+analytic geometry
+axis
+coordinate axis
+origin
+x-axis
+y-axis
+z-axis
+major axis
+semimajor axis
+minor axis
+semiminor axis
+principal axis
+optic axis
+inertial reference frame
+space-time
+coordinate
+Cartesian coordinate
+dimension
+abscissa
+ordinate
+intercept
+polar coordinate
+plane geometry
+solid geometry
+projective geometry
+trigonometry
+algebra
+quadratics
+linear algebra
+vector algebra
+decomposition
+matrix algebra
+calculus
+analysis
+Fourier analysis
+differential calculus
+derived function
+partial derivative
+integral calculus
+integral
+indefinite integral
+definite integral
+calculus of variations
+set theory
+interval
+closed interval
+open interval
+sub-interval
+group
+subgroup
+group theory
+Galois theory
+Abelian group
+topology
+metamathematics
+applied mathematics
+linear programming
+statistics
+statistical method
+least squares
+multivariate analysis
+statistic
+average
+demographic
+deviation
+moment
+nonparametric statistic
+parametric statistic
+age norm
+outlier
+mean deviation
+mode
+median
+mean
+arithmetic mean
+geometric mean
+harmonic mean
+second moment
+variance
+standard deviation
+covariance
+frequency distribution
+normal distribution
+Poisson distribution
+normal curve
+population
+subpopulation
+sample distribution
+random sample
+stratified sample
+regression
+multiple regression
+multicollinearity
+regression analysis
+regression equation
+regression coefficient
+linear regression
+curvilinear regression
+regression line
+time series
+vital statistics
+correlational analysis
+correlation matrix
+factor analysis
+analysis of variance
+correlation table
+correlation
+curvilinear correlation
+partial correlation
+first-order correlation
+correlation coefficient
+covariation
+positive correlation
+negative correlation
+product-moment correlation coefficient
+multiple correlation coefficient
+biserial correlation coefficient
+nonparametric statistics
+rank-order correlation coefficient
+Kendall test
+Kendall partial rank correlation
+coefficient of concordance
+tau coefficient of correlation
+phi coefficient
+split-half correlation
+tetrachoric correlation coefficient
+spurious correlation
+binomial
+binomial distribution
+binomial theorem
+probability theory
+life science
+biology
+biomedical science
+biometrics
+craniology
+dermatoglyphics
+dietetics
+macrobiotics
+eugenics
+dysgenics
+euthenics
+medicine
+medical science
+phrenology
+aeromedicine
+allergology
+anesthesiology
+angiology
+bacteriology
+biomedicine
+biomedicine
+cardiology
+dentistry
+cosmetic dentistry
+dental surgery
+endodontics
+exodontics
+orthodontics
+periodontics
+prosthetics
+prosthodontics
+dermatology
+emergency medicine
+endocrinology
+epidemiology
+forensic medicine
+gastroenterology
+geriatrics
+gynecology
+hematology
+hygiene
+immunology
+immunochemistry
+immunopathology
+internal medicine
+nephrology
+nuclear medicine
+neurology
+neuropsychiatry
+nosology
+obstetrics
+fetology
+perinatology
+oncology
+ophthalmology
+otology
+pharmacology
+pharmacy
+pharmacokinetics
+posology
+psychopharmacology
+psychiatry
+alienism
+psychotherapy
+clinical psychology
+Freudian psychology
+Jungian psychology
+anatomy
+clinical anatomy
+comparative anatomy
+dental anatomy
+developmental anatomy
+functional anatomy
+gross anatomy
+microscopic anatomy
+neuroanatomy
+osteology
+regional anatomy
+audiology
+pathology
+pediatrics
+neonatology
+podiatry
+proctology
+radiology
+rheumatology
+rhinolaryngology
+serology
+space medicine
+sports medicine
+surgery
+orthopedics
+therapeutics
+toxicology
+thoracic medicine
+traumatology
+tropical medicine
+urology
+veterinary medicine
+virology
+agronomy
+agrobiology
+agrology
+biogeography
+botany
+mycology
+pomology
+cryobiology
+cryonics
+cytology
+cytogenetics
+ecology
+embryology
+exobiology
+forestry
+silviculture
+entomology
+lepidopterology
+ethology
+herpetology
+ichthyology
+malacology
+mammalogy
+oology
+ornithology
+primatology
+protozoology
+paleontology
+paleoanthropology
+paleobotany
+phycology
+pteridology
+paleodendrology
+paleozoology
+paleomammalogy
+paleornithology
+functional genomics
+structural genomics
+genetics
+genomics
+proteomics
+histology
+microbiology
+molecular genetics
+molecular biology
+morphology
+neurobiology
+paleobiology
+neurology
+pharmacogenetics
+teratology
+biochemistry
+enzymology
+zymology
+physiology
+neurophysiology
+neuroscience
+brain science
+cognitive neuroscience
+hemodynamics
+kinesiology
+myology
+paleoecology
+radiobiology
+sociobiology
+zoology
+chemistry
+organic chemistry
+inorganic chemistry
+physical chemistry
+phytochemistry
+electrochemistry
+femtochemistry
+geochemistry
+photochemistry
+radiochemistry
+surface chemistry
+physics
+physics
+acoustics
+astronomy
+astrodynamics
+astrometry
+radio astronomy
+aeronautics
+avionics
+biophysics
+celestial mechanics
+astrophysics
+selenology
+solar physics
+cosmology
+cryogenics
+crystallography
+electromagnetism
+electronics
+electrostatics
+mechanics
+nuclear physics
+optics
+catoptrics
+holography
+particle physics
+plasma physics
+quantum physics
+quasiparticle
+rheology
+atomism
+holism
+atomic theory
+Bohr theory
+Rutherford atom
+conservation
+conservation of charge
+conservation of energy
+conservation of mass
+conservation of momentum
+parity
+cell theory
+wave theory
+corpuscular theory
+kinetic theory
+relativity
+general relativity
+special relativity
+supersymmetry
+quantum theory
+wave mechanics
+uncertainty principle
+kinetic theory of heat
+germ theory
+information theory
+theory of dissociation
+theory of evolution
+theory of indicators
+theory of inheritance
+Mendelism
+Darwinism
+neo-Darwinism
+Lamarckism
+Neo-Lamarckism
+thermochemistry
+punctuated equilibrium
+harmonics
+classical mechanics
+solid-state physics
+statistical mechanics
+quantum mechanics
+quantum field theory
+quantum electrodynamics
+quantum chromodynamics
+fluid mechanics
+pneumatics
+statics
+hydrostatics
+dynamics
+kinematics
+hydrodynamics
+magnetohydrodynamics
+ballistics
+aeromechanics
+thermodynamics
+thermostatics
+electron optics
+microelectronics
+thermionics
+earth science
+geology
+hypsography
+paleogeology
+geophysics
+morphology
+orology
+stratigraphy
+tectonics
+meteorology
+aerology
+climatology
+bioclimatology
+nephology
+hydrology
+oceanography
+hydrography
+limnology
+seismology
+volcanology
+magnetism
+geodesy
+mineralogy
+petrology
+speleology
+petroleum geology
+economic geology
+mining geology
+geography
+physical geography
+topography
+topology
+economic geography
+cosmography
+architecture
+architectonics
+landscape architecture
+urban planning
+interior design
+engineering
+metallurgy
+powder metallurgy
+aeronautical engineering
+bionics
+biotechnology
+biotechnology
+bioremediation
+genetic engineering
+chemical engineering
+civil engineering
+hydraulic engineering
+electrical engineering
+telecommunication
+computer science
+object
+logic
+artificial intelligence
+machine translation
+robotics
+animatronics
+telerobotics
+architectural engineering
+industrial engineering
+information technology
+mechanical engineering
+nanotechnology
+tribology
+nuclear engineering
+naval engineering
+rocketry
+metrology
+nutrition
+futurology
+psychology
+abnormal psychology
+associationism
+atomism
+applied psychology
+cognitive psychology
+comparative psychology
+developmental psychology
+differential psychology
+experimental psychology
+psychophysics
+behaviorism
+functionalism
+memory
+problem solving
+psycholinguistics
+physiological psychology
+psychometry
+reflexology
+Gestalt psychology
+social psychology
+psychodynamics
+group dynamics
+information science
+natural language processing
+cybernetics
+cognitive science
+social science
+civics
+anthropology
+archeology
+Assyriology
+Egyptology
+Sumerology
+micropaleontology
+marine archeology
+paleoclimatology
+paleogeography
+paleography
+paleopathology
+paletiology
+epigraphy
+paleology
+protohistory
+protoarcheology
+ethnography
+paleoethnography
+ethnology
+physical anthropology
+craniometry
+social anthropology
+garbology
+mythology
+ritualism
+politics
+geopolitics
+geostrategy
+realpolitik
+politics
+home economics
+economics
+game theory
+econometrics
+finance
+macroeconomics
+microeconomics
+supply-side economics
+proxemics
+sociology
+criminology
+demography
+psephology
+penology
+sociometry
+strategics
+systematics
+biosystematics
+taxonomy
+cladistics
+thanatology
+humanistic discipline
+neoclassicism
+classicism
+Romanticism
+English
+history
+historicism
+art history
+iconology
+chronology
+glottochronology
+history
+fine arts
+performing arts
+Occidentalism
+Orientalism
+philosophy
+ethics
+bioethics
+neuroethics
+casuistry
+casuistry
+eudemonism
+hedonism
+probabilism
+etiology
+aesthetics
+axiology
+jurisprudence
+contract law
+corporation law
+matrimonial law
+patent law
+metaphysics
+ontology
+ontology
+cosmology
+dialectics
+dialectic
+logic
+symbolic logic
+Boolean logic
+propositional logic
+predicate calculus
+quantification
+modal logic
+alethic logic
+deontic logic
+epistemic logic
+doxastic logic
+fuzzy logic
+modal logic
+epistemology
+methodology
+phenomenology
+philosophical doctrine
+structuralism
+structuralism
+computational linguistics
+dialect geography
+etymology
+historical linguistics
+literary study
+literature
+comparative literature
+literary criticism
+poetics
+prosody
+classics
+rhetoric
+library science
+linguistics
+dialectology
+musicology
+Sinology
+stemmatology
+trivium
+quadrivium
+cryptanalysis
+linguistics
+grammar
+descriptive grammar
+prescriptive grammar
+syntax
+syntax
+generative grammar
+orthoepy
+phonetics
+phonology
+morphology
+affixation
+morphology
+inflectional morphology
+derivational morphology
+compound morphology
+morphophonemics
+lexicology
+onomastics
+toponymy
+neurolinguistics
+pragmatics
+lexicostatistics
+semantics
+deixis
+formal semantics
+lexical semantics
+cognitive semantics
+sound law
+Grimm's law
+Verner's law
+sociolinguistics
+structuralism
+synchronic linguistics
+descriptive linguistics
+prescriptive linguistics
+theology
+angelology
+apologetics
+ecclesiology
+eschatology
+hermeneutics
+homiletics
+liturgics
+theodicy
+theology
+Christian theology
+Christology
+liberation theology
+natural theology
+Jesuitism
+patristics
+polemics
+states' rights
+nullification
+teaching
+mitzvah
+theological doctrine
+Christology
+antinomianism
+Thomism
+utilitarianism
+Arianism
+Athanasianism
+Boehmenism
+consubstantiation
+Episcopalianism
+Erastianism
+Hinayanism
+Jansenism
+Mahayanism
+Marcionism
+millenarianism
+Monophysitism
+Monothelitism
+Nestorianism
+Pelagianism
+Quakerism
+rationalism
+reincarnation
+Rosicrucianism
+soteriology
+synergism
+total depravity
+transcendentalism
+transubstantiation
+universalism
+vertebrate paleontology
+Virgin Birth
+attitude
+credence
+fatalism
+recognition
+culture
+cyberculture
+Kalashnikov culture
+mosaic culture
+defensive
+hardball
+high horse
+southernism
+mentality
+paternalism
+position
+hard line
+inclination
+direction
+tenor
+drift
+evolutionary trend
+neoteny
+gravitation
+Call
+denominationalism
+devices
+sympathy
+favoritism
+proclivity
+bent
+literalism
+perseveration
+predisposition
+predilection
+favor
+disfavor
+doghouse
+reprobation
+partiality
+anthropocentrism
+ethnocentrism
+Eurocentrism
+bias
+tilt
+sectionalism
+unfairness
+impartiality
+disinterestedness
+fairness
+experimenter bias
+homophobia
+Islamophobia
+racism
+anti-Semitism
+white supremacy
+tendentiousness
+tolerance
+broad-mindedness
+liberality
+disinterest
+intolerance
+narrow-mindedness
+parochialism
+pettiness
+provincialism
+sectarianism
+bigotry
+fanaticism
+religionism
+zero tolerance
+respect
+estimate
+reputation
+disrespect
+reverence
+irreverence
+profaneness
+orientation
+wavelength
+experimentalism
+reorientation
+position
+bird's eye view
+futurism
+vanguard
+cityscape
+landscape
+paradigm
+point of view
+light
+sight
+slant
+complexion
+Weltanschauung
+clockwork universe
+straddle
+orthodoxy
+conformity
+conventionality
+legalism
+unorthodoxy
+nonconformity
+political orientation
+absolutism
+anarchism
+autocracy
+Machiavellianism
+centrism
+collectivism
+communism
+Castroism
+Leninism
+Maoism
+Marxism
+Trotskyism
+conservatism
+neoconservatism
+reaction
+segregationism
+constitutionalism
+democracy
+social democracy
+domino theory
+elitism
+extremism
+fascism
+federalism
+imperialism
+leftism
+liberalism
+meritocracy
+neoliberalism
+libertarianism
+monarchism
+Negritude
+Orleanism
+progressivism
+radicalism
+Jacobinism
+reactionism
+republicanism
+rightism
+socialism
+Fabianism
+guild socialism
+utopian socialism
+theocracy
+Utopianism
+dovishness
+peace advocacy
+hawkishness
+militarism
+warmongering
+religious orientation
+agnosticism
+Docetism
+Gnosticism
+Mandaeanism
+atheism
+theism
+deism
+monotheism
+polytheism
+tritheism
+paganism
+druidism
+pantheism
+pantheism
+cargo cult
+macumba
+obeah
+Rastafarianism
+Christianity
+Adventism
+Seventh-Day Adventism
+Catholicism
+anti-Catholicism
+Romanism
+Albigensianism
+Donatism
+Eastern Catholicism
+Protestantism
+Anglicanism
+Anglo-Catholicism
+Tractarianism
+Arminianism
+Calvinism
+Christian Science
+Lutheranism
+Unitarianism
+Trinitarianism
+Congregationalism
+Mennonitism
+evangelicalism
+revivalism
+fundamentalism
+Methodism
+Wesleyanism
+Anabaptism
+Baptistic doctrine
+Mormonism
+pentecostalism
+Presbyterianism
+Puritanism
+Judaism
+Orthodox Judaism
+Hasidism
+Chabad
+Conservative Judaism
+Reform Judaism
+Islam
+Mahdism
+Salafism
+Shiism
+Ismailism
+Wahhabism
+Hinduism
+Brahmanism
+Darsana
+Mimamsa
+Vedanta
+Krishnaism
+Shivaism
+Shaktism
+Vaishnavism
+yoga
+Jainism
+Sikhism
+Buddhism
+Mahayana
+Theravada
+Hinayana
+Lamaism
+Zen
+Shingon
+Tantra
+Yogacara
+Tao
+Taoism
+Shinto
+Manichaeism
+Mithraism
+Zoroastrianism
+Parsiism
+Bahaism
+shamanism
+shamanism
+Vedism
+Wicca
+obiism
+voodoo
+amateurism
+anagoge
+dynamical system
+chaos
+condensation
+level
+transference
+countertransference
+restraint
+floodgate
+military science
+escapology
+graphology
+numerology
+protology
+theogony
+tactics
+strategy
+closure
+common fate
+descriptivism
+descriptivism
+good continuation
+prescriptivism
+prescriptivism
+proximity
+similarity
+wrinkle
+wrinkle
+Zurvanism
+transmission
+communication
+intercommunication
+conveyance
+dissemination
+circulation
+propagation
+message
+broadcast
+cipher
+heliogram
+medium
+medium
+ether
+vehicle
+air
+paper
+sheet
+signature
+leaf
+flyleaf
+interleaf
+page
+tear sheet
+full page
+half page
+recto
+verso
+title page
+half title
+sports page
+spread
+center spread
+centerfold
+foldout
+pagination
+stationery
+letterhead
+notepaper
+Post-It
+foolscap
+style sheet
+worksheet
+channel
+channel
+band
+frequency band
+back channel
+lens
+liaison
+channels
+medium
+multimedia
+hypermedia
+hypertext
+film
+silver screen
+gutter press
+free press
+press
+print media
+storage medium
+magnetic storage medium
+broadcast medium
+mail
+airmail
+snail mail
+rural free delivery
+first class
+express
+poste restante
+pony express
+parcel post
+bulk mail
+direct mail
+journalism
+Fleet Street
+photojournalism
+news photography
+rotogravure
+newspaper
+daily
+gazette
+school newspaper
+tabloid
+yellow journalism
+article
+column
+column
+feature
+magazine article
+news article
+piece
+morceau
+offprint
+paper
+think piece
+reissue
+new edition
+article of faith
+lead
+opening line
+lead
+personal
+sidebar
+agony column
+samizdat
+telecommunication
+telephone
+voice mail
+call
+call-back
+collect call
+call forwarding
+call-in
+call waiting
+crank call
+local call
+long distance
+toll call
+conference call
+wake-up call
+three-way calling
+telegraphy
+cable
+letter telegram
+wireless
+radiotelegraph
+mail
+third-class mail
+junk mail
+phone message
+radiogram
+radiotelephone
+broadcasting
+Rediffusion
+multiplex
+radio
+television
+video
+video
+audio
+cable television
+high-definition television
+electronic communication
+digital communication
+asynchronous transfer mode
+electronic mail
+freemail
+emoticon
+smiley
+smoking gun
+spam
+messaging
+prompt
+fiber optics
+reception
+signal detection
+modulation
+amplitude modulation
+frequency modulation
+phase modulation
+pulse modulation
+pulse-time modulation
+demodulation
+contagion
+language
+usage
+dead language
+words
+source language
+object language
+language unit
+slot
+discourse
+context
+sentence
+simple sentence
+complex sentence
+loose sentence
+periodic sentence
+compound sentence
+sentential function
+word
+anagram
+anaphor
+antonym
+back-formation
+blend
+charade
+cognate
+content word
+contraction
+deictic
+derivative
+diminutive
+dirty word
+disyllable
+form
+four-letter word
+function word
+guide word
+head
+headword
+headword
+heteronym
+holonym
+homonym
+hypernym
+hyponym
+key word
+loanblend
+loanword
+Latinism
+meronym
+metonym
+antigram
+monosyllable
+neologism
+nonce word
+oxytone
+palindrome
+primitive
+primitive
+plural
+singular
+ghost word
+root
+etymon
+citation form
+lexical entry
+Beatitude
+logion
+calque
+paroxytone
+partitive
+polysemant
+polysyllable
+proparoxytone
+quantifier
+quantifier
+existential quantifier
+universal quantifier
+reduplication
+retronym
+substantive
+synonym
+term
+terminology
+trisyllable
+troponym
+vocable
+syllable
+ultima
+penult
+antepenult
+jawbreaker
+sesquipedalian
+reduplication
+direct antonym
+indirect antonym
+lexeme
+morpheme
+formative
+allomorph
+free morpheme
+bound morpheme
+combining form
+affix
+prefix
+classifier
+alpha privative
+ending
+suffix
+inflectional ending
+infix
+grammatical category
+substitution class
+subject
+subject
+object
+prepositional object
+direct object
+indirect object
+retained object
+case
+nominative
+oblique
+accusative
+dative
+genitive
+attributive genitive
+vocative
+ablative
+ablative absolute
+adjunct
+constituent
+immediate constituent
+syntagma
+construction
+misconstruction
+clause
+main clause
+coordinate clause
+subordinate clause
+relative clause
+restrictive clause
+nonrestrictive clause
+complement
+involution
+parenthetical expression
+phrase
+predicator
+noun phrase
+predicate
+predicate
+split infinitive
+prepositional phrase
+pronominal phrase
+part of speech
+major form class
+noun
+verb
+gerund
+auxiliary verb
+modal auxiliary verb
+infinitive
+adjective
+adverb
+noun
+collective noun
+mass noun
+count noun
+generic noun
+proper noun
+common noun
+verbal noun
+adnoun
+verb
+modifier
+intensifier
+adjective
+descriptive adjective
+relational adjective
+pertainym
+positive
+comparative
+superlative
+adverb
+dangling modifier
+dangling participle
+adverbial
+determiner
+article
+definite article
+indefinite article
+preposition
+pronoun
+anaphoric pronoun
+demonstrative pronoun
+conjunction
+coordinating conjunction
+subordinating conjunction
+particle
+number
+person
+personal pronoun
+reciprocal pronoun
+relative pronoun
+first person
+second person
+third person
+reflexive pronoun
+reflexive verb
+gender
+feminine
+masculine
+neuter
+tense
+present
+historical present
+aorist
+past
+future
+participle
+phrasal verb
+present participle
+past participle
+transitive verb
+doubly transitive verb
+intransitive verb
+semantic role
+affected role
+agentive role
+benefactive role
+instrumental role
+locative role
+recipient role
+resultant role
+temporal role
+name
+agnomen
+assumed name
+eponym
+eponym
+extension
+filename
+patronymic
+matronymic
+street name
+street name
+street name
+street name
+surname
+maiden name
+middle name
+first name
+Christian name
+praenomen
+nickname
+nickname
+alias
+pseudonym
+misnomer
+stage name
+pen name
+writer's name
+appellation
+pet name
+title
+Aga
+Defender of the Faith
+Don
+Dona
+Frau
+Fraulein
+Hakham
+Herr
+Miss
+Mister
+Mrs
+Ms
+Rabbi
+Reverend
+Senor
+Senora
+Senorita
+Signora
+Signorina
+Very Reverend
+Lordship
+Ladyship
+title
+baronetcy
+viscountcy
+title
+place name
+heading
+crossheading
+headline
+lemma
+masthead
+rubric
+running head
+subheading
+running title
+dropline
+screamer
+streamer
+title
+title
+title
+credit
+caption
+subtitle
+mistranslation
+pony
+retroversion
+subtitle
+supertitle
+line of poetry
+acatalectic
+Alexandrine
+catalectic
+hypercatalectic
+by-line
+dateline
+written communication
+transcription
+transliteration
+phonetic transcription
+shorthand
+longhand
+minuscule
+copperplate
+italic
+round hand
+orthography
+script
+Aramaic
+Armenian
+Avestan
+Babylonian
+Brahmi
+Devanagari
+Pahlavi
+Uighur
+uncial
+spelling
+misspelling
+coding system
+code
+access
+back door
+area code
+bar code
+color code
+cryptogram
+cipher
+Morse
+ZIP code
+code
+argument
+address
+American Standard Code for Information Interchange
+ASCII character set
+binary code
+error correction code
+cyclic redundancy check
+firmware
+machine code
+object code
+operation code
+source code
+URL
+web page
+home page
+web site
+chat room
+portal site
+writing
+written word
+bigram
+trigram
+tetragram
+Tetragrammaton
+picture writing
+alphabetic writing
+boustrophedon
+cuneiform
+syllabary
+Linear A
+Linear B
+ideography
+hieratic
+hieroglyph
+point system
+braille
+writing
+writing
+patristics
+rewrite
+literary composition
+literature
+literature
+historiography
+matter
+prescription
+prescription
+acrostic
+belles-lettres
+dialogue
+allegory
+euphuism
+fiction
+fictionalization
+nonfiction
+dystopia
+novel
+detective novel
+dime novel
+fantasy
+science fiction
+cyberpunk
+novelette
+roman a clef
+romance
+Gothic romance
+bodice ripper
+roman fleuve
+story
+utopia
+adventure story
+thriller
+saga
+mystery
+detective story
+murder mystery
+love story
+legend
+Arthurian legend
+short story
+fable
+Aesop's fables
+Pilgrim's Progress
+myth
+Gotterdammerung
+parable
+plot
+action
+storyline
+climax
+anticlimax
+tearjerker
+interior monologue
+stream of consciousness
+criticism
+explication de texte
+textual criticism
+new criticism
+higher criticism
+lower criticism
+Masorah
+analysis
+drama
+prose
+prose poem
+polyphonic prose
+hagiology
+lucubration
+pastoral
+poem
+abecedarius
+Alcaic
+ballad
+ballade
+blank verse
+clerihew
+couplet
+dithyramb
+doggerel
+eclogue
+elegy
+epic poem
+Aeneid
+Divine Comedy
+free verse
+haiku
+limerick
+lyric
+rondeau
+roundel
+rondelet
+sonnet
+tanka
+terza rima
+verse
+Iliad
+Odyssey
+Nibelungenlied
+chanson de geste
+rhapsody
+Petrarchan sonnet
+octave
+sestet
+Shakespearean sonnet
+Spenserian sonnet
+epos
+ode
+epithalamium
+Horatian ode
+Pindaric ode
+choral ode
+canto
+envoy
+quatrain
+elegiac stanza
+verse
+iambic
+Adonic
+versicle
+sursum corda
+response
+closed couplet
+heroic couplet
+heroic stanza
+heroic verse
+mock-heroic
+Spenserian stanza
+strophe
+antistrophe
+potboiler
+tushery
+dictation
+cookie
+session cookie
+precision cookie
+text
+text
+machine-displayable text
+machine-readable text
+typescript
+erasure
+margin
+space
+indentation
+word order
+core dump
+dump
+fair copy
+copy
+front matter
+back matter
+draft
+electronic text
+soft copy
+hard copy
+installment
+fascicle
+section
+above
+sports section
+article
+arbitration clause
+deductible
+double indemnity
+escalator clause
+joker
+reserve clause
+rider
+body
+book
+chapter
+episode
+spot
+spot
+insert
+introduction
+exordium
+narration
+opening
+teaser
+salutation
+foreword
+preamble
+prolegomenon
+conclusion
+epilogue
+epilogue
+peroration
+appendix
+sequel
+addendum
+shirttail
+paragraph
+passage
+excerpt
+chrestomathy
+locus classicus
+place
+purple passage
+transition
+flashback
+flash-forward
+diary
+web log
+capitalization
+typing
+double-spacing
+single-spacing
+triple-spacing
+touch typing
+printing
+handwriting
+hieroglyph
+skywriting
+calligraphy
+scribble
+chicken scratch
+squiggle
+signature
+allograph
+autograph
+countersignature
+endorsement
+blank endorsement
+sign manual
+inscription
+Rosetta Stone
+superscription
+dedication
+epigraph
+epitaph
+epitaph
+festschrift
+manuscript
+autograph
+manuscript
+codex
+palimpsest
+scroll
+Dead Sea scrolls
+Megillah
+Torah
+treatise
+adaptation
+modernization
+dissertation
+tract
+monograph
+essay
+composition
+term paper
+disquisition
+memoir
+thanatopsis
+review
+book review
+notice
+book
+authority
+curiosa
+formulary
+last word
+trade book
+best seller
+bestiary
+catechism
+cookbook
+instruction book
+pop-up book
+storybook
+tome
+volume
+booklet
+blue book
+ticket book
+textbook
+crammer
+introduction
+primer
+reader
+McGuffey Eclectic Readers
+speller
+notebook
+commonplace book
+jotter
+workbook
+copybook
+appointment book
+catalog
+phrase book
+playbook
+playbook
+prayer book
+breviary
+missal
+Psalter
+reference book
+review copy
+songbook
+hymnal
+prayer wheel
+source book
+wordbook
+dictionary
+bilingual dictionary
+desk dictionary
+etymological dictionary
+gazetteer
+learner's dictionary
+pocket dictionary
+spell-checker
+unabridged dictionary
+Oxford English Dictionary
+onomasticon
+vocabulary
+glossary
+thesaurus
+word finder
+handbook
+hornbook
+manual
+consuetudinary
+grimoire
+instruction manual
+reference manual
+sex manual
+bible
+guidebook
+field guide
+roadbook
+baedeker
+travel guidebook
+reckoner
+directory
+phonebook
+ballistic identification
+biometric identification
+key
+number
+business card
+bank identification number
+license number
+Social Security number
+phone number
+almanac
+annual
+almanac
+ephemeris
+atlas
+dialect atlas
+encyclopedia
+book of knowledge
+editing
+copy editing
+deletion
+correction
+erasure
+rewriting
+revision
+rewording
+paraphrase
+translation
+sacred text
+screed
+scripture
+canon
+Adi Granth
+Avesta
+Bhagavad-Gita
+Mahabharata
+Bible
+Genesis
+Exodus
+Leviticus
+Numbers
+Deuteronomy
+mezuzah
+Joshua
+Judges
+Ruth
+I Samuel
+II Samuel
+I Kings
+II Kings
+Paralipomenon
+I Chronicles
+II Chronicles
+Ezra
+Nehemiah
+Esther
+Job
+Psalms
+Proverbs
+Ecclesiastes
+Song of Songs
+Isaiah
+Jeremiah
+Lamentations
+Ezekiel
+Daniel
+Hosea
+Joel
+Amos
+Obadiah
+Jonah
+Micah
+Nahum
+Habakkuk
+Zephaniah
+Haggai
+Zechariah
+Malachi
+Matthew
+Mark
+Luke
+John
+Acts of the Apostles
+Epistle
+Epistle of Paul the Apostle to the Romans
+First Epistle of Paul the Apostle to the Corinthians
+Second Epistle of Paul the Apostle to the Corinthians
+Epistle of Paul the Apostle to the Galatians
+Epistle of Paul the Apostle to the Ephesians
+Epistle of Paul the Apostle to the Philippians
+Epistle of Paul the Apostle to the Colossians
+First Epistle of Paul the Apostle to the Thessalonians
+Second Epistle of Paul the Apostle to the Thessalonians
+First Epistle of Paul the Apostle to Timothy
+Second Epistle of Paul the Apostle to Timothy
+Epistle of Paul the Apostle to Titus
+Epistle of Paul the Apostle to Philemon
+Epistle to the Hebrews
+Epistle of James
+First Epistle of Peter
+Second Epistle of Peter
+First Epistle of John
+Second Epistel of John
+Third Epistel of John
+Epistle of Jude
+Revelation
+family Bible
+Septuagint
+Vulgate
+Douay Bible
+Authorized Version
+Revised Version
+New English Bible
+American Standard Version
+Revised Standard Version
+Old Testament
+Torah
+Torah
+Tanakh
+Prophets
+Haftorah
+Hagiographa
+Testament
+New Testament
+Gospel
+Synoptic Gospels
+Word of God
+Book of Mormon
+prayer
+Agnus Dei
+Angelus
+Ave Maria
+Canticle of Simeon
+Evening Prayer
+Kol Nidre
+service book
+Book of Common Prayer
+Litany
+Lord's Prayer
+Paternoster
+Apocrypha
+Additions to Esther
+Prayer of Azariah and Song of the Three Children
+Susanna
+Bel and the Dragon
+Baruch
+Letter of Jeremiah
+Tobit
+Judith
+I Esdra
+II Esdras
+Ben Sira
+Wisdom of Solomon
+I Maccabees
+II Maccabees
+sapiential book
+Pseudepigrapha
+Koran
+sura
+Fatiha
+Talmudic literature
+Talmud
+Gemara
+Mishna
+Haggadah
+Halakah
+Sanskrit literature
+Hastinapura
+Purana
+Ramayana
+tantra
+Vedic literature
+Samhita
+Rig-Veda
+Sama-Veda
+Atharva-Veda
+Yajur-Veda
+Brahmana
+Aranyaka
+Vedanga
+Ayurveda
+Upanishad
+mantra
+psalm
+Psalm
+summary
+summarization
+argument
+capitulation
+compendium
+condensation
+conspectus
+curriculum vitae
+line score
+brief
+apercu
+epitome
+outline
+overview
+recapitulation
+roundup
+sketch
+summation
+document
+articles of incorporation
+ballot
+brevet
+capitulation
+certificate
+charter
+commercial document
+confession
+confession
+Augsburg Confession
+copula
+frequentative
+copyright
+enclosure
+form
+application form
+claim form
+order form
+questionnaire
+personality inventory
+self-report personality inventory
+California Personality Inventory
+Eysenck Personality Inventory
+Minnesota Multiphasic Personality Inventory
+Sixteen Personality Factor Questionnaire
+requisition
+tax form
+telegraph form
+absentee ballot
+certificate of incorporation
+bank charter
+Magna Carta
+royal charter
+card
+donor card
+keycard
+membership card
+union card
+library card
+ration card
+birth certificate
+diploma
+Higher National Diploma
+commission
+bill of health
+registration
+teaching certificate
+legal document
+derivative instrument
+futures contract
+stock-index futures
+negotiable instrument
+list
+item
+agenda item
+incidental
+inventory item
+line item
+news item
+place
+postposition
+preposition
+topicalization
+ammunition
+factoid
+factoid
+papyrus
+agenda
+A-list
+docket
+order of the day
+order paper
+network programming
+batting order
+cleanup
+bibliography
+bill
+bill of entry
+bill of goods
+blacklist
+calendar
+calorie chart
+canon
+catalog
+discography
+library catalog
+card catalog
+parts catalog
+seed catalog
+character set
+checklist
+class list
+clericalism
+codex
+contents
+corrigenda
+credits
+criminal record
+directory
+distribution list
+subdirectory
+enumeration
+FAQ
+free list
+grocery list
+grocery list
+hit list
+hit parade
+index
+concordance
+key
+key word
+key
+parts inventory
+inventory
+mailing list
+menu
+masthead
+menu
+drop-down menu
+hierarchical menu
+necrology
+playlist
+portfolio
+posting
+price list
+push-down list
+queue
+roll
+death-roll
+schedule
+shopping list
+short list
+sick list
+slate
+standing
+wish list
+timetable
+timetable
+muster roll
+church roll
+rota
+waiting list
+a la carte
+prix fixe
+table d'hote
+alphabet
+Roman alphabet
+Hebrew alphabet
+Greek alphabet
+Cyrillic alphabet
+Arabic alphabet
+alphanumerics
+phonetic alphabet
+visible speech
+manual alphabet
+passport
+patent
+platform
+plank
+ship's papers
+manifest
+push-down queue
+cadaster
+written record
+blotter
+casebook
+chronology
+Domesday Book
+dossier
+entry
+log
+logbook
+log
+bell book
+note
+paper trail
+timecard
+timeline
+time sheet
+nolle prosequi
+notebook entry
+transcript
+memorabilia
+jotting
+marginalia
+scholium
+memo
+minute
+aide-memoire
+corker
+reminder
+check register
+register
+studbook
+rent-roll
+won-lost record
+blue book
+stub
+card
+minutes
+minute book
+Congressional Record
+Hansard
+file
+Combined DNA Index System
+computer file
+backup file
+binary file
+master file
+disk file
+transaction file
+input file
+output file
+read-only file
+text file
+ASCII text file
+mug file
+resignation
+abdication
+resolution
+Declaration of Independence
+joint resolution
+application
+job application
+credit application
+loan application
+mortgage application
+patent application
+request
+memorial
+solicitation
+whip-round
+history
+ancient history
+etymology
+folk etymology
+case history
+family history
+medical history
+historical document
+annals
+biography
+autobiography
+hagiography
+profile
+memoir
+statement
+bank statement
+bill
+electric bill
+hotel bill
+medical bill
+phone bill
+reckoning
+tax bill
+check
+coupon
+book token
+meal ticket
+twofer
+ticket
+commutation ticket
+plane ticket
+pass
+transfer
+railroad ticket
+theater ticket
+bus ticket
+round-trip ticket
+day return
+receipt
+stub
+rain check
+bill of lading
+contract
+adhesion contract
+aleatory contract
+bilateral contract
+charter
+conditional contract
+cost-plus contract
+gambling contract
+lease
+marriage contract
+output contract
+policy
+purchase contract
+quasi contract
+requirements contract
+sealed instrument
+service contract
+severable contract
+subcontract
+conspiracy
+fair-trade agreement
+conspiracy of silence
+covenant
+unilateral contract
+debenture
+floater
+partnership
+articles of agreement
+concession
+franchise
+labor contract
+yellow-dog contract
+employment contract
+distribution agreement
+licensing agreement
+merger agreement
+sale
+conditional sale
+sale in gross
+sheriff's sale
+appraisal
+overestimate
+order
+credit order
+open account
+indent
+market order
+production order
+reorder
+stop order
+stop payment
+mail order
+power of attorney
+stock power
+proxy
+stock symbol
+letters of administration
+letters testamentary
+working papers
+act
+law
+nullity
+anti-drug law
+anti-racketeering law
+antitrust legislation
+statute of limitations
+fundamental law
+Articles of Confederation
+United States Constitution
+public law
+Roman law
+Salic law
+case law
+legislation
+enabling legislation
+occupational safety and health act
+advice and consent
+statute book
+translation
+worksheet
+bill
+appropriation bill
+bill of attainder
+bottle bill
+farm bill
+trade bill
+bylaw
+blue law
+blue sky law
+gag law
+game law
+homestead law
+poor law
+Riot Act
+riot act
+criminal law
+court order
+decree
+consent decree
+curfew
+decree nisi
+divestiture
+imperial decree
+ukase
+legal separation
+pragmatic sanction
+programma
+prohibition
+prohibition
+stay
+stay of execution
+banning-order
+injunction
+mandatory injunction
+permanent injunction
+temporary injunction
+brief
+amicus curiae brief
+will
+probate
+codicil
+living will
+deed
+assignment
+bill of sale
+deed poll
+enfeoffment
+mortgage deed
+title deed
+trust deed
+conveyance
+quitclaim
+muniments
+warrant
+search warrant
+bench warrant
+pickup
+death warrant
+cachet
+reprieve
+commutation
+tax return
+amended return
+declaration of estimated tax
+false return
+information return
+joint return
+license
+building permit
+driver's license
+fishing license
+hunting license
+learner's permit
+letter of marque
+liquor license
+on-license
+marriage license
+occupation license
+patent
+opinion
+concurring opinion
+dissenting opinion
+majority opinion
+pardon
+acquittance
+writ
+assize
+certiorari
+execution
+execution
+habeas corpus
+venire facias
+mandamus
+attachment
+fieri facias
+scire facias
+sequestration
+writ of detinue
+writ of election
+writ of error
+writ of prohibition
+writ of right
+mandate
+summons
+subpoena
+subpoena duces tecum
+gag order
+garnishment
+interdict
+citation
+monition
+ticket
+speeding ticket
+parking ticket
+bill of Particulars
+pleading
+affirmative pleading
+alternative pleading
+answer
+evasive answer
+nolo contendere
+plea
+counterplea
+dilatory plea
+insanity plea
+charge
+complaint
+libel
+defective pleading
+demurrer
+rebutter
+replication
+rejoinder
+special pleading
+surrebutter
+surrejoinder
+plea bargain
+legislative act
+fair-trade act
+Stamp Act
+enabling act
+Foreign Intelligence Surveillance Act
+ordinance
+special act
+software
+alpha software
+authoring language
+beta software
+compatible software
+compatible software
+computer-aided design
+freeware
+groupware
+operating system
+DOS
+MS-DOS
+UNIX
+Linux
+program
+anti-virus program
+application
+active application
+applet
+frame
+binary
+browser
+Internet Explorer
+Konqueror
+lynx
+Mosaic
+Netscape
+Opera
+natural language processor
+disambiguator
+job
+word processor
+loop
+malevolent program
+patch
+assembler
+checking program
+compiler
+C compiler
+Fortran compiler
+LISP compiler
+Pascal compiler
+debugger
+driver
+diagnostic program
+editor program
+input program
+interface
+command line interface
+graphical user interface
+interpreter
+job control
+library program
+linkage editor
+monitor program
+text editor
+object program
+source program
+output program
+parser
+tagger
+sense tagger
+part-of-speech tagger
+relocatable program
+reusable program
+Web Map Service
+MapQuest
+search engine
+Google
+Yahoo
+Ask Jeeves
+self-adapting program
+snapshot program
+spider
+spreadsheet
+sort program
+stored program
+supervisory program
+syntax checker
+system program
+trace program
+text-matching
+translator
+utility program
+Windows
+decision table
+flow chart
+logic diagram
+routine
+call
+function call
+cataloged procedure
+contingency procedure
+dump routine
+input routine
+library routine
+output routine
+random number generator
+recursive routine
+reusable routine
+supervisory routine
+tracing routine
+utility routine
+instruction
+logic bomb
+trojan
+virus
+worm
+command line
+link
+hyperlink
+macro
+system error
+system call
+toggle
+shareware
+shrink-wrapped software
+spyware
+supervisory software
+software documentation
+electronic database
+database management system
+relational database management system
+object-oriented database management system
+hypertext system
+publication
+read
+impression
+edition
+limited edition
+variorum
+proof
+galley proof
+foundry proof
+mackle
+collection
+anthology
+album
+concept album
+rock opera
+tribute album
+divan
+florilegium
+omnibus
+archives
+compilation
+periodical
+digest
+pictorial
+series
+semiweekly
+weekly
+semimonthly
+monthly
+quarterly
+bimonthly
+biweekly
+organ
+house organ
+magazine
+tip sheet
+dope sheet
+colour supplement
+comic book
+news magazine
+pulp
+slick
+trade magazine
+issue
+edition
+extra
+journal
+annals
+review
+literary review
+reading
+bumf
+perusal
+browse
+skim
+message
+latent content
+subject
+bone of contention
+precedent
+didacticism
+digression
+declarative sentence
+run-on sentence
+topic sentence
+meaning
+lexical meaning
+grammatical meaning
+symbolization
+sense
+word meaning
+intension
+referent
+referent
+relatum
+referent
+antecedent
+denotatum
+designatum
+effect
+alpha and omega
+ambiguity
+loophole
+amphibology
+parisology
+euphemism
+dysphemism
+shucks
+double entendre
+intent
+moral
+nuance
+overtone
+bottom line
+crux
+point
+rallying point
+talking point
+nonsense
+absurdity
+amphigory
+balderdash
+buzzword
+cobblers
+crock
+fa la
+gibberish
+incoherence
+word salad
+jabberwocky
+mummery
+palaver
+rigmarole
+shmegegge
+stuff
+abracadabra
+babble
+blather
+double Dutch
+bill of goods
+humbug
+double talk
+jabber
+baloney
+bullshit
+bunk
+chickenshit
+folderol
+pap
+drivel
+mumbo jumbo
+analects
+clipping
+cut
+quotation
+epigraph
+mimesis
+misquotation
+movie
+telefilm
+scene
+outtake
+feature
+final cut
+travelogue
+home movie
+attraction
+counterattraction
+collage film
+coming attraction
+Western
+shoot-'em-up
+short subject
+cartoon
+newsreel
+documentary
+cinema verite
+film noir
+skin flick
+peepshow
+rough cut
+silent movie
+slow motion
+dissolve
+cut
+jump
+jump cut
+spaghetti Western
+talking picture
+three-D
+show
+broadcast
+rebroadcast
+news program
+rerun
+talk show
+phone-in
+television program
+colorcast
+pilot program
+game show
+quiz program
+film clip
+serial
+cliffhanger
+episode
+sustaining program
+soap opera
+tetralogy
+radio broadcast
+simulcast
+telecast
+telegram
+night letter
+airmail
+air mail
+surface mail
+registered mail
+special delivery
+correspondence
+Kamasutra
+sutra
+letter
+business letter
+covering letter
+crank letter
+encyclical
+fan letter
+personal letter
+form letter
+open letter
+chain letter
+pastoral
+round robin
+airmail letter
+epistle
+note
+excuse
+love letter
+dead letter
+letter of intent
+card
+birthday card
+get-well card
+greeting card
+Christmas card
+Easter card
+Valentine
+postcard
+lettercard
+picture postcard
+sympathy card
+Mass card
+spiritual bouquet
+acknowledgment
+farewell
+adieu
+bon voyage
+greeting
+well-wishing
+regard
+reception
+hail
+pax
+welcome
+cordial reception
+inhospitality
+glad hand
+aloha
+handshake
+salute
+hello
+good morning
+good afternoon
+good night
+salute
+calling card
+apology
+mea culpa
+condolence
+congratulation
+refusal
+declination
+information
+misinformation
+blowback
+disinformation
+material
+rehash
+details
+dope
+fact
+record
+format
+high-level formatting
+low-level formatting
+gen
+database
+relational database
+Medical Literature Analysis and Retrieval System
+object-oriented database
+subdata base
+lexical database
+machine readable dictionary
+WordNet
+wordnet
+basics
+index
+body mass index
+business index
+Dow Jones
+Standard and Poor's
+leading indicator
+price index
+retail price index
+producer price index
+consumer price index
+short account
+stock index
+news
+news
+nuts and bolts
+intelligence
+military intelligence
+good word
+latest
+update
+evidence
+clue
+DNA fingerprint
+face recognition
+fingerprint
+finger scan
+loop
+thumbprint
+footprint
+footprint evidence
+iris scanning
+signature recognition
+retinal scanning
+voiceprint
+sign
+token
+trace
+footprint
+trace
+record
+proof
+mathematical proof
+logical proof
+demonstration
+testimony
+good authority
+testament
+argument
+counterargument
+pro
+con
+case
+clincher
+adducing
+last word
+attestation
+confirmation
+reinforcement
+documentation
+guidance
+career counseling
+cynosure
+genetic counseling
+marriage counseling
+tip
+insider information
+rule
+rule
+rubric
+rubric
+order
+interpellation
+rule of evidence
+best evidence rule
+estoppel
+exclusionary rule
+fruit of the poisonous tree
+hearsay rule
+parol evidence rule
+res ipsa loquitur
+standing order
+Miranda rule
+principle
+higher law
+moral principle
+golden rule
+GIGO
+categorical imperative
+hypothetical imperative
+policy
+economic policy
+fiscal policy
+New Deal
+control
+price control
+ceiling
+glass ceiling
+floor
+price floor
+wage floor
+perestroika
+protectionism
+social policy
+apartheid
+glasnost
+social action
+affirmative action
+fence mending
+trade barrier
+quota
+embargo
+nativism
+party line
+foreign policy
+brinkmanship
+imperialism
+intervention
+nonintervention
+nonaggression
+manifest destiny
+isolationism
+Monroe Doctrine
+Truman doctrine
+neutralism
+regionalism
+trade policy
+open-door policy
+zero-tolerance policy
+Zionism
+ethic
+caveat emptor
+dictate
+regulation
+age limit
+assize
+speed limit
+canon
+etiquette
+protocol
+protocol
+file transfer protocol
+anonymous ftp
+hypertext transfer protocol
+musical instrument digital interface
+transmission control protocol
+transmission control protocol/internet protocol
+punctilio
+closure
+closure by compartment
+point of order
+code
+Bushido
+legal code
+penal code
+United States Code
+building code
+dress code
+fire code
+omerta
+sanitary code
+Highway Code
+double standard
+double standard of sexual behavior
+equation
+linear equation
+quadratic equation
+biquadratic equation
+differential equation
+Maxwell's equations
+partial differential equation
+Schrodinger equation
+simultaneous equations
+wave equation
+advice
+recommendation
+indication
+referral
+admonition
+example
+secret
+secret
+confidence
+esoterica
+cabala
+open secret
+password
+trade secret
+propaganda
+agitprop
+course catalog
+source
+specification
+source materials
+voucher
+working papers
+well
+copy
+filler
+course of study
+crash course
+reading program
+degree program
+printing
+typography
+print
+print
+small print
+relief printing
+intaglio printing
+process printing
+photogravure
+rotogravure
+planographic printing
+collotype
+lithography
+photolithography
+chromolithography
+photo-offset printing
+offset
+offset lithography
+letterset printing
+carbon process
+news
+business news
+report
+newsletter
+market letter
+bulletin
+news bulletin
+information bulletin
+dispatch
+urban legend
+exclusive
+newscast
+radio news
+sportscast
+television news
+coverage
+hard news
+soft news
+stop press
+commitment
+oath
+affirmation
+profession
+giving
+guarantee
+security
+deposit
+stock warrant
+guarantee
+safety net
+full faith and credit
+approval
+approbation
+sanction
+O.K.
+visa
+nihil obstat
+recognition
+memorial
+ovation
+salute
+connivance
+permission
+all clear
+consent
+dismissal
+green light
+leave
+pass
+pass
+boarding card
+hall pass
+ticket-of-leave
+pass
+safe-conduct
+encouragement
+acclaim
+applause
+hand
+handclap
+round
+cheer
+banzai
+bravo
+hurrah
+salvo
+praise
+praise
+hallelujah
+rave
+superlative
+encomium
+eulogy
+recommendation
+character
+puff
+compliment
+trade-last
+flattery
+adulation
+blandishment
+blarney
+puffery
+unction
+award
+aliyah
+tribute
+academic degree
+associate degree
+Associate in Arts
+Associate in Applied Science
+Associate in Nursing
+bachelor's degree
+Bachelor of Arts
+Bachelor of Arts in Library Science
+Bachelor of Arts in Nursing
+Bachelor of Divinity
+Bachelor of Literature
+Bachelor of Medicine
+Bachelor of Music
+Bachelor of Naval Science
+Bachelor of Science
+Bachelor of Science in Architecture
+Bachelor of Science in Engineering
+Bachelor of Theology
+honours
+first
+double first
+master's degree
+Master of Architecture
+Master of Arts
+Master of Arts in Library Science
+Master of Arts in Teaching
+Master in Business
+Master of Divinity
+Master of Education
+Master of Fine Arts
+Master of Literature
+Master of Library Science
+Master in Public Affairs
+Master of Science
+Master of Science in Engineering
+Master of Theology
+doctor's degree
+Doctor of Dental Medicine
+Doctor of Dental Surgery
+Doctor of Divinity
+Doctor of Education
+Doctor of Medicine
+Doctor of Music
+Doctor of Musical Arts
+Doctor of Optometry
+Doctor of Osteopathy
+Doctor of Arts
+Doctor of Philosophy
+Ph.D.
+DPhil
+Doctor of Public Health
+Doctor of Theology
+Doctor of Sacred Theology
+law degree
+Bachelor of Laws
+Master of Laws
+honorary degree
+Doctor of Arts
+Doctor of Fine Arts
+Doctor of Humane Letters
+Doctor of Humanities
+Doctor of Laws
+Doctor of Science
+pennant
+cachet
+citation
+mention
+letter
+decoration
+Medal of Honor
+Distinguished Service Medal
+Distinguished Service Cross
+Navy Cross
+Distinguished Flying Cross
+Air Medal
+Silver Star Medal
+Bronze Star Medal
+Order of the Purple Heart
+Oak Leaf Cluster
+Victoria Cross
+Distinguished Conduct Medal
+Distinguished Service Order
+Croix de Guerre
+Medaille Militaire
+trophy
+disapproval
+disapprobation
+censure
+demonization
+interdict
+criticism
+brickbat
+faultfinding
+fire
+thrust
+potshot
+counterblast
+rebuke
+sermon
+slating
+static
+stricture
+chiding
+what for
+wig
+castigation
+berating
+reproach
+self-reproach
+blame
+lecture
+curtain lecture
+correction
+admonition
+respects
+ad-lib
+courtesy
+disrespect
+abuse
+derision
+ridicule
+contempt
+fleer
+jeer
+sneer
+sneer
+put-down
+stultification
+disparagement
+cold water
+denigration
+aspersion
+ethnic slur
+detraction
+sour grapes
+condescension
+defamation
+character assassination
+mud
+smear
+libel
+slander
+name calling
+name
+smear word
+low blow
+scurrility
+stinger
+vituperation
+impudence
+sass
+interpolation
+statement
+statement
+amendment
+thing
+truth
+gospel
+antinomy
+paradox
+description
+job description
+specification
+computer architecture
+neural network
+network architecture
+declaration
+announcement
+bastardization
+edict
+bull
+promulgation
+confession
+manifesto
+Communist Manifesto
+pronouncement
+Bill of Rights
+First Amendment
+Fifth Amendment
+Fourteenth Amendment
+Eighteenth Amendment
+Nineteenth Amendment
+assertion
+claim
+cause of action
+dibs
+pretension
+claim
+accusation
+countercharge
+allegation
+contention
+submission
+ipse dixit
+formula
+formula
+mathematical statement
+avowal
+reassertion
+testimony
+profession
+protestation
+postulation
+threat
+commination
+menace
+evidence
+exhibit
+testimony
+witness
+corpus delicti
+direct evidence
+res gestae
+circumstantial evidence
+corroborating evidence
+hearsay evidence
+state's evidence
+declaration
+attestation
+affidavit
+verification
+subornation
+bid
+contract
+takeout
+overbid
+preemptive bid
+word
+explanation
+explicandum
+explanans
+simplification
+oversimplification
+accounting
+value statement
+representation
+reason
+justification
+cause
+defense
+apology
+alibi
+excuse
+extenuation
+exposition
+exposition
+exposition
+construal
+philosophizing
+moralizing
+preachification
+explication
+solution
+denouement
+gloss
+deriving
+definition
+contextual definition
+dictionary definition
+explicit definition
+ostensive definition
+recursive definition
+redefinition
+stipulative definition
+answer
+rescript
+feedback
+announcement
+advisory
+Annunciation
+banns
+handout
+notice
+caveat
+obituary
+Parallel Lives
+program
+playbill
+racecard
+prediction
+extropy
+fortunetelling
+horoscope
+meteorology
+prognosis
+prophecy
+oracle
+financial forecast
+weather forecast
+proposition
+particular
+universal
+negation
+converse
+lemma
+term
+theorem
+categorem
+syncategorem
+conclusion
+postulate
+axiom
+premise
+major premise
+minor premise
+major term
+minor term
+middle term
+specious argument
+vicious circle
+thesis
+condition
+boundary condition
+provision
+scenario
+quotation
+falsehood
+dodge
+lie
+fib
+fairytale
+jactitation
+whopper
+white lie
+fabrication
+canard
+misrepresentation
+half-truth
+facade
+exaggeration
+understatement
+snow job
+pretense
+bluff
+pretext
+putoff
+hypocrisy
+crocodile tears
+subterfuge
+trickery
+fraudulence
+evasion
+circumlocution
+doublespeak
+hedge
+quibble
+fine print
+weasel word
+reservation
+cautious statement
+comment
+Midrash
+note
+citation
+footnote
+nota bene
+postscript
+photo credit
+cross-reference
+remark
+gambit
+fatwah
+obiter dictum
+obiter dictum
+mention
+allusion
+retrospection
+name-dropping
+observation
+Parkinson's law
+Parkinson's law
+rib
+wisecrack
+shot
+cheap shot
+conversation stopper
+rhetorical question
+misstatement
+restatement
+demythologization
+mythologization
+error
+corrigendum
+misprint
+malapropism
+slip of the tongue
+spoonerism
+agreement
+condition
+bargain
+working agreement
+gentlemen's agreement
+written agreement
+submission
+submission
+covenant
+entente
+oral contract
+indenture
+indenture
+obligation
+debt
+treaty
+alliance
+commercial treaty
+peace
+Peace of Westphalia
+convention
+Chemical Weapons Convention
+Geneva Convention
+Lateran Treaty
+North Atlantic Treaty
+SALT I
+SALT II
+Treaty of Versailles
+sentimentalism
+treacle
+wit
+jeu d'esprit
+bon mot
+esprit de l'escalier
+pungency
+sarcasm
+repartee
+banter
+badinage
+persiflage
+joke
+punch line
+belly laugh
+dirty joke
+ethnic joke
+funny story
+in-joke
+one-liner
+shaggy dog story
+sick joke
+sight gag
+caricature
+parody
+cartoon
+fun
+jocosity
+waggery
+drollery
+pun
+ribaldry
+topper
+opinion
+adverse opinion
+guess
+divination
+side
+approximation
+estimate
+question
+problem
+question of fact
+question of law
+puzzle
+case
+homework problem
+riddle
+poser
+Gordian knot
+crossword puzzle
+koan
+sudoku
+word square
+pons asinorum
+rebus
+direction
+misdirection
+address
+return address
+markup
+markup language
+standard generalized markup language
+hypertext markup language
+toponymy
+prescription
+recipe
+rule
+stage direction
+style
+religious doctrine
+ahimsa
+dogma
+ecumenism
+Immaculate Conception
+Incarnation
+Nicene Creed
+real presence
+signal
+starting signal
+storm signal
+storm cone
+radio beam
+tickler
+ticktack
+time signal
+sign
+poster
+show bill
+flash card
+street sign
+address
+signpost
+fingerpost
+mark
+demerit
+dog-ear
+bar sinister
+earmark
+brand
+cloven hoof
+token
+type
+postage
+trading stamp
+animal communication
+birdcall
+bell-like call
+two-note call
+indication
+indication
+contraindication
+symptom
+signalization
+pointing out
+manifestation
+mark
+mintmark
+stroke
+downstroke
+upstroke
+flick
+hoofprint
+line
+dotted line
+ascender
+bar line
+descender
+squiggle
+spectrum line
+trend line
+underscore
+contour
+isometric line
+thalweg
+graduation
+guideline
+hairline
+hair stroke
+glimpse
+harbinger
+hint
+smoke
+air alert
+alarm
+burglar alarm
+distress signal
+SOS
+Mayday
+all clear
+bugle call
+recall
+taps
+curfew
+reveille
+retreat
+retreat
+drumbeat
+tattle
+tattoo
+telegraphic signal
+dot
+dash
+whistle
+high sign
+symbol
+nose
+numeral
+Arabic numeral
+Roman numeral
+symbolism
+crossbones
+horn of plenty
+death's head
+lingam
+notation
+mathematical notation
+numeration system
+oriflamme
+positional notation
+pound
+binary notation
+binary numeration system
+octal numeration system
+decimal notation
+octal notation
+algorism
+decimal numeration system
+duodecimal notation
+duodecimal number system
+hexadecimal notation
+hexadecimal number system
+sign
+equal sign
+plus sign
+minus sign
+radical sign
+decimal point
+exponent
+logarithm
+antilogarithm
+common logarithm
+natural logarithm
+mantissa
+characteristic
+fixed-point notation
+floating-point notation
+infix notation
+parenthesis-free notation
+prefix notation
+postfix notation
+musical notation
+lead sheet
+piano music
+score
+obbligato
+sheet music
+tablature
+choreography
+Labanotation
+chemical notation
+formula
+molecular formula
+structural formula
+empirical formula
+written symbol
+mark
+arrow
+broad arrow
+call mark
+caret
+check mark
+character
+allograph
+readout
+check character
+superscript
+subscript
+ASCII character
+control character
+backspace character
+diacritical mark
+ditto mark
+dollar mark
+dollar
+shaft
+phonogram
+point
+accent
+stress mark
+acute accent
+grave accent
+breve
+cedilla
+circumflex
+hacek
+macron
+tilde
+umlaut
+ligature
+monogram
+capital
+small letter
+small capital
+type
+type family
+font
+unicameral script
+bicameral script
+typewriter font
+proportional font
+font cartridge
+Gothic
+modern
+old style
+boldface
+italic
+roman
+screen font
+sans serif
+serif
+percent sign
+asterisk
+dagger
+double dagger
+letter
+ascender
+descender
+digraph
+initial
+A
+B
+C
+D
+E
+F
+G
+H
+I
+J
+K
+L
+M
+N
+O
+P
+Q
+R
+S
+T
+U
+V
+W
+X
+Y
+Z
+alpha
+beta
+gamma
+delta
+epsilon
+zeta
+eta
+theta
+iota
+kappa
+lambda
+mu
+nu
+xi
+omicron
+pi
+rho
+sigma
+tau
+upsilon
+phi
+chi
+psi
+omega
+aleph
+beth
+gimel
+daleth
+he
+waw
+zayin
+heth
+teth
+yodh
+kaph
+lamedh
+mem
+nun
+samekh
+ayin
+pe
+sadhe
+qoph
+resh
+sin
+shin
+taw
+space
+polyphone
+block letter
+scarlet letter
+phonetic symbol
+mathematical symbol
+rune
+thorn
+pictograph
+ideogram
+logogram
+radical
+stenograph
+punctuation
+ampersand
+apostrophe
+brace
+bracket
+bracket
+colon
+comma
+exclamation mark
+hyphen
+parenthesis
+period
+suspension point
+question mark
+quotation mark
+single quote
+double quotes
+scare quote
+semicolon
+solidus
+swung dash
+company name
+domain name
+trade name
+label
+trademark
+authentication
+stamp
+imprint
+imprint
+revenue stamp
+seal
+phylactery
+white feather
+scale
+flourish
+glissando
+swoop
+gamut
+roulade
+tonic
+supertonic
+mediant
+subdominant
+dominant
+submediant
+subtonic
+pedal point
+interval
+tone
+semitone
+quarter tone
+octave
+third
+fourth
+fifth
+sixth
+seventh
+trill
+diatonic scale
+ecclesiastical mode
+Greek mode
+major scale
+minor scale
+chromatic scale
+gapped scale
+pentatonic scale
+mode
+staff
+staff line
+space
+ledger line
+clef
+treble clef
+bass clef
+alto clef
+C clef
+soprano clef
+tenor clef
+key signature
+key
+atonality
+major key
+minor key
+tonic key
+time signature
+measure
+double bar
+alla breve
+rest
+note
+slur
+tie
+C
+C major
+sharp
+double sharp
+flat
+double flat
+natural
+accidental
+fermata
+solmization
+tonic solfa
+solfa syllable
+do
+re
+mi
+fa
+sol
+la
+ti
+segno
+sforzando
+arpeggio
+sforzando
+middle C
+chord
+common chord
+seventh chord
+passing note
+whole note
+whole rest
+half note
+half rest
+quarter note
+quarter rest
+eighth note
+sixteenth note
+thirty-second note
+sixty-fourth note
+grace note
+singing voice
+bass
+basso profundo
+baritone
+tenor
+countertenor
+contralto
+mezzo-soprano
+soprano
+visual communication
+visual signal
+watch fire
+light
+traffic light
+green light
+red light
+red light
+idiot light
+yellow light
+flare
+flag
+pennant
+code flag
+blue peter
+sign language
+finger spelling
+ASL
+sign
+gesture
+gesticulation
+body language
+beck
+facial expression
+gape
+rictus
+grimace
+pout
+frown
+simper
+smile
+laugh
+smirk
+snarl
+straight face
+wink
+wince
+demonstration
+display
+eye contact
+big stick
+gaudery
+expression
+exemplification
+emblem
+cupid
+donkey
+dove
+eagle
+elephant
+fasces
+national flag
+hammer and sickle
+red flag
+Star of David
+badge
+merit badge
+insignia
+Agnus Dei
+maple-leaf
+medallion
+spread eagle
+swastika
+mantle
+Crown
+British Crown
+caduceus
+insignia of rank
+shoulder flash
+service stripe
+identification
+positive identification
+negative identification
+facial profiling
+fingerprint
+linguistic profiling
+profiling
+green card
+ID
+personal identification number
+projection
+display
+acting out
+array
+screening
+preview
+preview
+sneak preview
+sight
+spectacle
+ostentation
+bravado
+exhibitionism
+ritz
+splurge
+pedantry
+flourish
+flourish
+flourish
+flourish
+paraph
+flaunt
+presentation
+unveiling
+performance
+act
+show-stopper
+benefit
+benefit concert
+concert
+rock concert
+pianism
+play reading
+premiere
+recital
+rendition
+song and dance
+theatrical performance
+matinee
+spectacular
+world premiere
+artificial language
+Antido
+Arulo
+Basic English
+Blaia Zimondal
+Esperantido
+Esperanto
+Europan
+Idiom Neutral
+Interlingua
+Ido
+Latinesce
+Latino
+Latino sine flexione
+Lingualumina
+Lingvo Kosmopolita
+Monario
+Nov-Esperanto
+Novial
+Nov-Latin
+Occidental
+Optez
+Pasigraphy
+Ro
+Romanal
+Solresol
+Volapuk
+programming language
+algebraic language
+algorithmic language
+application-oriented language
+assembly language
+command language
+computer language
+high-level language
+job-control language
+metalanguage
+multidimensional language
+object language
+object-oriented programming language
+Java
+one-dimensional language
+stratified language
+syntax language
+unstratified language
+ALGOL
+LISP
+LISP program
+Prolog
+FORTRAN
+FORTRAN program
+COBOL
+C
+C program
+BASIC
+Pascal
+upgrade
+native language
+indigenous language
+substrate
+superstrate
+natural language
+mother tongue
+tone language
+contour language
+register language
+creole
+Haitian Creole
+pidgin
+Chinook Jargon
+Sango
+lingua franca
+Amerind
+Algonquian
+Atakapa
+Athapaskan
+Abnaki
+Algonkian
+Arapaho
+Biloxi
+Blackfoot
+Catawba
+Cheyenne
+Chiwere
+Iowa
+Missouri
+Oto
+Cree
+Crow
+Dakota
+Delaware
+Dhegiha
+Fox
+Hidatsa
+Hunkpapa
+Illinois
+Haida
+Kansa
+Kickapoo
+Malecite
+Massachuset
+Menomini
+Micmac
+Mohican
+Nanticoke
+Ofo
+Oglala
+Ojibwa
+Omaha
+Osage
+Pamlico
+Ponca
+Potawatomi
+Powhatan
+Quapaw
+Shawnee
+Alabama
+Chickasaw
+Choctaw
+Hitchiti
+Koasati
+Muskogee
+Santee
+Seminole
+Tlingit
+Tutelo
+Winnebago
+Muskhogean
+Na-Dene
+Mosan
+Chemakuan
+Chemakum
+Salish
+Skagit
+Wakashan
+Kwakiutl
+Nootka
+Shoshone
+Comanche
+Hopi
+Paiute
+Ute
+Shoshonean
+Caddo
+Arikara
+Pawnee
+Wichita
+Cherokee
+Cayuga
+Mohawk
+Seneca
+Oneida
+Onondaga
+Tuscarora
+Iroquoian
+Quechua
+Guarani
+Maraco
+Tupi
+Tupi-Guarani
+Arawak
+Carib
+Eskimo-Aleut
+Eskimo
+Aleut
+Uto-Aztecan
+Pima
+Aztecan
+Nahuatl
+Cahita
+Tatahumara
+Zapotec
+Maya
+Apache
+Chiricahua Apache
+San Carlos Apache
+Navaho
+Hupa
+Mattole
+Chipewyan
+Siouan
+Tanoan
+Kiowa
+Hokan
+Chimariko
+Esselen
+Kulanapan
+Pomo
+Quoratean
+Karok
+Shastan
+Achomawi
+Atsugewi
+Shasta
+Yuman
+Akwa'ala
+Cochimi
+Cocopa
+Diegueno
+Havasupai
+Kamia
+Kiliwa
+Maricopa
+Mohave
+Walapai
+Yavapai
+Yuma
+Yanan
+Yahi
+Yana
+Penutian
+Copehan
+Patwin
+Wintun
+Costanoan
+Mariposan
+Moquelumnan
+Pujunan
+Chinookan
+Kalapooian
+Kusan
+Shahaptian
+Nez Perce
+Takilman
+Tsimshian
+Kekchi
+Mam
+Yucatec
+Quiche
+Cakchiquel
+Altaic
+Turki
+Turkish
+Turkmen
+Azerbaijani
+Kazak
+Tatar
+Uzbek
+Uighur
+Yakut
+Kirghiz
+Karakalpak
+Chuvash
+Chagatai
+Chukchi
+Tungusic
+Tungus
+Manchu
+Mongolian
+Khalkha
+Korean
+Japanese
+Ryukyuan
+Sinitic
+Chinese
+Mandarin
+Wu
+Yue
+Min
+Hakka
+Sino-Tibetan
+Tibeto-Burman
+Qiang
+Bai
+Himalayish
+Kamarupan
+Karen
+Lolo-Burmese
+Burmese
+Loloish
+Lisu
+Hani
+Lahu
+Lolo
+Kachin
+Jinghpo
+Kuki
+Naga
+Mikir-Meithei
+Bodo-Garo
+Miri
+Tibetan
+Newari
+Kadai
+Kam-Sui
+Tai
+White Tai
+Red Tai
+Tai Dam
+Tai Nuea
+Tai Long
+Tai Lue
+Tai Yuan
+Khuen
+Lao
+Khamti
+Southern Tai
+Tay
+Nung
+Tho
+Thai
+Bouyei
+Zhuang
+Yay
+Saek
+Austro-Asiatic
+Munda
+Mon-Khmer
+Hmong
+Vietnamese
+Khmer
+Mon
+Austronesian
+Malayo-Polynesian
+Oceanic
+Tongan
+Tahitian
+Maori
+Hawaiian
+Fijian
+Western Malayo-Polynesian
+Malay
+Malaysian
+Indonesian
+Javanese
+Sundanese
+Balinese
+Philippine
+Tagalog
+Cebuan
+Australian
+Dyirbal
+Walbiri
+Formosan
+Tayalic
+Tsouic
+Paiwanic
+Papuan
+Khoisan
+Khoikhoin
+Indo-European
+Proto-Indo European
+Albanian
+Gheg
+Tosk
+Armenian
+Illyrian
+Thraco-Phrygian
+Thracian
+Phrygian
+Balto-Slavic
+Slavic
+Old Church Slavonic
+Russian
+Belarusian
+Ukrainian
+Polish
+Slovak
+Czech
+Slovene
+Serbo-Croat
+Sorbian
+Macedonian
+Bulgarian
+Baltic
+Old Prussian
+Lithuanian
+Latvian
+Germanic
+West Germanic
+English
+American English
+African American Vernacular English
+cockney
+geordie
+King's English
+Received Pronunciation
+Middle English
+East Midland
+West Midland
+Northern
+Kentish
+Southwestern
+Modern English
+Old English
+West Saxon
+Anglian
+Kentish
+Oxford English
+Scottish
+Lallans
+German
+Old High German
+Middle High German
+Yiddish
+Pennsylvania Dutch
+Low German
+Old Saxon
+Middle Low German
+Dutch
+Flemish
+Afrikaans
+Proto-Norse
+Old Norse
+Old Icelandic
+Edda
+Scandinavian
+Danish
+Icelandic
+Norwegian
+Bokmal
+Riksmal
+Nynorsk
+Swedish
+Faroese
+Frisian
+Old Frisian
+East Germanic
+Gothic
+Ural-Altaic
+Uralic
+Finno-Ugric
+Fennic
+Udmurt
+Permic
+Komi
+Volgaic
+Cheremis
+Mordva
+Baltic-Finnic
+Livonian
+Estonian
+Karelian
+Ludian
+Finnish
+Veps
+Ingrian
+Ugric
+Hungarian
+Khanty
+Mansi
+Lappic
+Lapp
+Samoyedic
+Nenets
+Enets
+Nganasan
+Selkup
+Celtic
+Gaelic
+Irish
+Old Irish
+Middle Irish
+Scottish Gaelic
+Manx
+Brythonic
+Welsh
+Cornish
+Breton
+Italic
+Osco-Umbrian
+Umbrian
+Oscan
+Sabellian
+Latin
+Old Latin
+classical Latin
+Low Latin
+Vulgar Latin
+Late Latin
+Medieval Latin
+Neo-Latin
+Romance
+Italian
+Old Italian
+Sardinian
+Tuscan
+French
+Langue d'oil
+Langue d'oc
+Old French
+Norman-French
+Anglo-French
+Canadian French
+Walloon
+Provencal
+Portuguese
+Galician
+Basque
+Spanish
+Castilian
+Judeo-Spanish
+Mexican Spanish
+Catalan
+Rhaeto-Romance
+Friulian
+Ladin
+Romansh
+Romanian
+Elamitic
+Kassite
+Tocharian
+Turfan
+Kuchean
+Sanskrit
+Sindhi
+Romany
+Urdu
+Hindi
+Hindustani
+Bihari
+Magadhan
+Assamese
+Bengali
+Oriya
+Marathi
+Gujarati
+Punjabi
+Sinhalese
+Indo-Iranian
+Indic
+Dard
+Shina
+Khowar
+Kafiri
+Kashmiri
+Nepali
+Prakrit
+Pali
+Prakrit
+Iranian
+Avestan
+Gathic
+Persian
+Dari
+Tajiki
+Kurdish
+Balochi
+Pahlavi
+Parthian
+Pashto
+Ossete
+Scythian
+Anatolian
+Hittite
+Lycian
+Luwian
+Lydian
+Palaic
+Greek
+Modern Greek
+Romaic
+Katharevusa
+Late Greek
+Medieval Greek
+Koine
+Ancient Greek
+Attic
+Aeolic
+Arcadic
+Doric
+Caucasian
+Chechen
+Circassian
+Abkhazian
+Georgian
+Ubykh
+Dravidian
+South Dravidian
+Irula
+Kota
+Toda
+Badaga
+Kannada
+Tulu
+Malayalam
+Tamil
+South-Central Dravidian
+Telugu
+Savara
+Gondi
+Pengo
+Manda
+Kui
+Kuvi
+Central Dravidian
+Kolami
+Naiki
+Parji
+Ollari
+Gadaba
+North Dravidian
+Kurux
+Malto
+Brahui
+Hausa
+Bole
+Angas
+Ron
+Bade
+Warji
+Zaar
+West Chadic
+Tera
+Bura
+Higi
+Mandara
+Matakam
+Sukur
+Daba
+Bata
+Kotoko
+Musgu
+Gidar
+Biu-Mandara
+Somrai
+Nancere
+Kera
+Dangla
+Mokulu
+Sokoro
+East Chadic
+Masa
+Chad
+Afroasiatic
+Semitic
+Hebrew
+Modern Hebrew
+Akkadian
+Assyrian Akkadian
+Amharic
+Arabic
+Aramaic
+Biblical Aramaic
+Assyrian Neo-Aramaic
+Mandaean
+Maltese
+Canaanitic
+Canaanite
+Phoenician
+Punic
+Ugaritic
+Hamitic
+Egyptian
+Demotic
+Coptic
+Berber
+Tuareg
+Cushitic
+Somali
+Omotic
+Niger-Kordofanian
+Kordofanian
+Niger-Congo
+Bantu
+Chichewa
+ChiMwini
+Chishona
+Fang
+Gikuyu
+Giriama
+Herero
+Kamba
+Kichaga
+Kinyarwanda
+Kiswahili
+Kongo
+Luba
+LuGanda
+Luyia
+Mashi
+Mwera
+Nguni
+Ndebele
+Swazi
+Xhosa
+Zulu
+Nyamwezi
+Pokomo
+Shona
+Sotho
+Umbundu
+Sesotho
+Tswana
+Swahili
+Tonga
+Gur
+West African
+Fula
+Serer
+Wolof
+Mande
+Kwa
+Yoruba
+Akan
+Ewe
+Nilo-Saharan
+Chari-Nile
+Nilotic
+Dinka
+Luo
+Masai
+Saharan
+Songhai
+artwork
+graphic design
+illustration
+picture
+figure
+chart
+plot
+graph
+frequency-response curve
+curve
+characteristic curve
+organization chart
+color chart
+color circle
+bar chart
+histogram
+eye chart
+flip chart
+pie chart
+star chart
+profile
+population profile
+tabulation
+drawing
+comic strip
+frame
+ballistocardiogram
+echoencephalogram
+echocardiogram
+electrocardiogram
+electroencephalogram
+electromyogram
+electroretinogram
+Laffer curve
+learning curve
+myogram
+radiation pattern
+lobe
+major lobe
+tachogram
+thermogram
+dramaturgy
+stage
+production
+theatrical production
+coup de theatre
+coup de theatre
+summer stock
+dramatic composition
+play
+afterpiece
+fragment
+Grand Guignol
+hiatus
+snatch
+theater of the absurd
+prologue
+playlet
+act
+scene
+script
+promptbook
+continuity
+dialogue
+duologue
+actor's line
+aside
+cue
+monologue
+soliloquy
+throwaway
+prompt
+libretto
+scenario
+screenplay
+shooting script
+line
+line
+orphan
+spiel
+string
+string of words
+substring
+act
+lipogram
+effusion
+acting out
+cry
+explosion
+flare
+collocation
+high-five
+closet drama
+comedy
+black comedy
+commedia dell'arte
+dark comedy
+farce
+high comedy
+low comedy
+melodrama
+seriocomedy
+tragedy
+tragicomedy
+situation comedy
+special
+situation comedy
+slapstick
+burlesque
+exode
+miracle play
+morality play
+mystery play
+Passion play
+satyr play
+play
+musical
+curtain raiser
+galanty show
+puppet show
+minstrel show
+revue
+follies
+Ziegfeld Follies
+variety show
+vaudeville
+dance
+choreography
+music
+pizzicato
+monophony
+polyphony
+polytonality
+popularism
+counterpoint
+black music
+classical music
+chamber music
+opera
+comic opera
+grand opera
+musical drama
+operetta
+harmony
+harmonization
+reharmonization
+four-part harmony
+preparation
+resolution
+tune
+leitmotiv
+theme song
+signature
+theme
+obbligato
+motif
+statement
+variation
+inversion
+augmentation
+diminution
+part
+part music
+homophony
+primo
+secondo
+voice part
+canto
+accompaniment
+descant
+vamp
+bass
+ground bass
+figured bass
+crossover
+religious music
+antiphon
+gradual
+Mass
+Mass
+Requiem
+Shema
+processional
+antiphonary
+chant
+Hallel
+Hare Krishna
+plainsong
+cantus firmus
+religious song
+spiritual
+carol
+hymn
+doxology
+chorale
+canticle
+Dies Irae
+hymeneal
+Internationale
+paean
+Magnificat
+recessional
+Te Deum
+musical composition
+musical arrangement
+orchestration
+instrumental music
+instrumentation
+realization
+recapitulation
+finale
+intermezzo
+allegro
+allegretto
+andante
+intermezzo
+introit
+prelude
+chorale prelude
+overture
+solo
+voluntary
+postlude
+duet
+trio
+quartet
+quintet
+sextet
+septet
+octet
+cantata
+Messiah
+bagatelle
+divertimento
+keen
+canon
+enigma canon
+concerto
+concerto grosso
+etude
+fugue
+pastorale
+rondo
+sonata
+piano sonata
+toccata
+fantasia
+sonatina
+symphony
+passage
+intro
+phrase
+ligature
+ostinato
+riff
+cadence
+plagal cadence
+cadenza
+movement
+largo
+larghetto
+scherzo
+suite
+partita
+partita
+symphonic poem
+medley
+nocturne
+adagio
+song
+study
+antiphony
+anthem
+national anthem
+Marseillaise
+The Star-Spangled Banner
+aria
+arietta
+ballad
+minstrelsy
+barcarole
+chantey
+refrain
+tra-la
+ditty
+dirge
+drinking song
+folk song
+blues
+fado
+blue note
+lied
+love song
+lullaby
+lyric
+stanza
+love lyric
+oldie
+partsong
+madrigal
+round
+prothalamion
+roundelay
+scolion
+serenade
+torch song
+work song
+shivaree
+ballet
+dance music
+beguine
+bolero
+carioca
+conga
+flamenco
+gavotte
+habanera
+hornpipe
+jig
+landler
+mazurka
+minuet
+paso doble
+pavane
+polka
+quadrille
+reel
+rumba
+samba
+saraband
+schottische
+serialism
+syncopation
+twelve-tone music
+tango
+tarantella
+techno
+waltz
+marching music
+military march
+quickstep
+pibroch
+processional march
+funeral march
+wedding march
+popular music
+disco
+macumba
+pop music
+folk music
+country music
+dance music
+ragtime
+jazz
+kwela
+gospel
+doo-wop
+soul
+bluegrass
+hillbilly music
+square-dance music
+zydeco
+jazz
+bop
+boogie
+cool jazz
+funk
+hot jazz
+modern jazz
+rap
+rhythm and blues
+rockabilly
+rock 'n' roll
+heavy metal
+progressive rock
+psychedelic rock
+punk rock
+trad
+swing
+reggae
+skiffle
+expressive style
+address
+catch
+analysis
+bathos
+black humor
+Gongorism
+conceit
+development
+device
+doctorspeak
+ecobabble
+eloquence
+euphuism
+Eurobabble
+flatness
+formulation
+gobbledygook
+grandiosity
+headlinese
+honorific
+jargon
+journalese
+legalese
+manner of speaking
+music genre
+officialese
+pathos
+prose
+psychobabble
+rhetoric
+saltiness
+self-expression
+articulation
+archaism
+boilerplate
+colloquialism
+mot juste
+verbalization
+verbalization
+parlance
+Americanism
+Anglicism
+Gallicism
+wording
+paralanguage
+tongue
+sharp tongue
+shibboleth
+tone
+note
+roundness
+undertone
+elocution
+barrage
+prosody
+modulation
+intonation
+intonation pattern
+monotone
+monotone
+singsong
+caesura
+enjambment
+stress
+accentuation
+tonic accent
+word stress
+sentence stress
+rhythm
+rhythm
+backbeat
+downbeat
+upbeat
+syncopation
+recitative
+arioso
+transition
+bombast
+sesquipedality
+sensationalism
+technobabble
+terseness
+turn of phrase
+conceit
+conciseness
+crispness
+brevity
+laconism
+vein
+verboseness
+verbiage
+prolixity
+circumlocution
+turgidity
+repetitiveness
+redundancy
+pleonasm
+tautology
+tautology
+abbreviation
+apocope
+acronym
+writing style
+form
+poetry
+heroic poetry
+poetry
+versification
+versification
+versification
+poetic rhythm
+meter
+catalexis
+scansion
+sprung rhythm
+common measure
+metrical foot
+dactyl
+iamb
+anapest
+amphibrach
+trochee
+spondee
+pyrrhic
+tetrameter
+pentameter
+hexameter
+octameter
+octosyllable
+decasyllable
+rhyme
+internal rhyme
+alliteration
+assonance
+consonance
+double rhyme
+rhyme royal
+ottava rima
+eye rhyme
+rhetorical device
+anacoluthia
+asyndeton
+repetition
+anadiplosis
+epanalepsis
+epanodos
+epanodos
+epiphora
+gemination
+ploce
+polyptoton
+epanaphora
+anaphora
+symploce
+anastrophe
+antiphrasis
+antithesis
+antinomasia
+apophasis
+aposiopesis
+apostrophe
+catachresis
+chiasmus
+climax
+conversion
+dramatic irony
+ecphonesis
+emphasis
+enallage
+epanorthosis
+epiplexis
+hendiadys
+hypallage
+hyperbaton
+hypozeugma
+hypozeuxis
+hysteron proteron
+litotes
+onomatopoeia
+paralepsis
+paregmenon
+polysyndeton
+prolepsis
+wellerism
+trope
+conceit
+irony
+hyperbole
+kenning
+metaphor
+dead metaphor
+mixed metaphor
+synesthetic metaphor
+metonymy
+metalepsis
+oxymoron
+personification
+simile
+synecdoche
+syllepsis
+zeugma
+auditory communication
+speech
+words
+utterance
+speech
+voice
+phone
+morphophoneme
+phoneme
+allophone
+ablaut
+grade
+diphthong
+vowel
+accentual system
+consonant system
+morphophonemic system
+phonemic system
+phonological system
+syllabicity
+tense system
+tone system
+vowel system
+schwa
+murmur vowel
+stem vowel
+semivowel
+palatal
+vowel
+vowel point
+consonant
+consonant
+alveolar consonant
+obstruent
+stop consonant
+implosion
+plosion
+affrication
+aspirate
+aspiration
+labial consonant
+labiodental consonant
+bilabial
+labial stop
+glottal stop
+epenthesis
+nasalization
+suction stop
+continuant consonant
+fricative consonant
+sibilant
+affricate
+nasal consonant
+orinasal phone
+lingual
+liquid
+geminate
+surd
+velar
+guttural
+sonant
+cry
+cry
+bellow
+blue murder
+catcall
+clamor
+halloo
+hoot
+hosanna
+noise
+scream
+whoop
+war cry
+yelling
+yodel
+boo
+blasphemy
+obscenity
+bawdry
+scatology
+curse
+croak
+exclamation
+devil
+ejaculation
+expostulation
+expletive
+groan
+hem
+howl
+laugh
+mumble
+cachinnation
+cackle
+chortle
+giggle
+guffaw
+hee-haw
+snicker
+titter
+paging
+profanity
+pronunciation
+pronunciation
+sibilation
+exultation
+sigh
+snarl
+speaking
+speech
+sputter
+whisper
+stage whisper
+rasp
+mispronunciation
+homograph
+homophone
+homophony
+accent
+drawl
+articulation
+retroflection
+enunciation
+mumbling
+syncope
+sandhi
+thickness
+tongue twister
+trill
+conversation
+crossfire
+phatic speech
+intercourse
+communion
+exchange
+chat
+chitchat
+gossiping
+scandalmongering
+talk
+cant
+dialogue
+heart-to-heart
+shmooze
+shop talk
+wind
+yak
+prate
+nothings
+sweet nothings
+commerce
+colloquy
+detail
+dilation
+discussion
+indirect discourse
+direct discourse
+consideration
+expatiation
+talk
+reconsideration
+exhortation
+expression
+cold turkey
+congratulation
+discussion
+argument
+logomachy
+parley
+rap
+rap session
+second-hand speech
+table talk
+telephone conversation
+tete-a-tete
+pillow talk
+deliberation
+conference
+bull session
+colloquy
+consultation
+sidebar
+consultation
+panel discussion
+postmortem
+public discussion
+huddle
+backgrounder
+press conference
+pretrial
+round table
+session
+teach-in
+teleconference
+sitting
+clinic
+reading clinic
+basketball clinic
+baseball clinic
+hockey clinic
+executive session
+hearing
+confirmation hearing
+skull session
+special session
+tutorial
+negotiation
+diplomacy
+dollar diplomacy
+power politics
+recognition
+shuttle diplomacy
+Strategic Arms Limitation Talks
+bargaining
+collective bargaining
+haggle
+holdout
+horse trading
+mediation
+arbitration
+conciliation
+umpirage
+saying
+anatomical reference
+southernism
+sound bite
+motto
+catchphrase
+mantra
+war cry
+maxim
+aphorism
+gnome
+Murphy's Law
+moralism
+epigram
+proverb
+platitude
+truism
+idiom
+ruralism
+agrapha
+sumpsimus
+non-standard speech
+baby talk
+baby talk
+dialect
+eye dialect
+patois
+localism
+regionalism
+idiolect
+monologue
+telegraphese
+vernacular
+slang
+rhyming slang
+slang
+spell
+incantation
+invocation
+hex
+dictation
+soliloquy
+speech act
+proposal
+contract offer
+marriage proposal
+proposition
+question
+proposal
+counterproposal
+hypothesis
+suggestion
+introduction
+re-introduction
+first reading
+second reading
+motion
+previous question
+hint
+touch
+overture
+offer
+counteroffer
+bid
+overbid
+buyout bid
+prospectus
+preliminary prospectus
+tender offer
+reward
+rights offering
+special
+price
+peace offering
+twofer
+presentation
+submission
+filing
+command
+countermand
+order
+marching orders
+summons
+word
+call up
+commission
+misdirection
+commandment
+Decalogue
+directive
+Presidential Directive
+injunction
+behest
+open sesame
+interpretation
+clarification
+disambiguation
+lexical disambiguation
+eisegesis
+exegesis
+ijtihad
+text
+expansion
+embellishment
+literal interpretation
+letter
+version
+reading
+construction
+reconstruction
+popularization
+misinterpretation
+imbroglio
+misconstrual
+misreading
+agreement
+assent
+informed consent
+acceptance
+concession
+bye
+concurrence
+accord
+connivance
+cahoot
+accession
+accommodation
+conclusion
+reservation
+settlement
+out-of-court settlement
+property settlement
+accord and satisfaction
+severance agreement
+golden handshake
+suicide pact
+modus vivendi
+compromise
+Missouri Compromise
+subscription
+ratification
+harmony
+second
+citation
+disagreement
+confrontation
+dissidence
+dissent
+nonconformity
+discord
+confrontation
+division
+dispute
+straw man
+argy-bargy
+firestorm
+sparring
+special pleading
+collision
+controversy
+polemic
+gap
+generation gap
+quarrel
+fight
+affray
+batrachomyomachia
+bicker
+bust-up
+offer
+request
+notification
+wish
+invitation
+bidding
+invite
+entreaty
+adjuration
+demagoguery
+flag waving
+supplication
+solicitation
+beggary
+touch
+importunity
+suit
+courtship
+bundling
+prayer
+benediction
+benison
+collect
+commination
+deprecation
+grace
+intercession
+invocation
+rogation
+requiescat
+call
+recall
+charge
+presentment
+demand
+challenge
+ultimatum
+insistence
+purism
+call
+requisition
+call
+margin call
+wage claim
+trick or treat
+questioning
+challenge
+question
+interrogation
+catechism
+deposition
+inquisition
+third degree
+cross-examination
+direct examination
+redirect examination
+cross-question
+leading question
+yes-no question
+interview
+job interview
+telephone interview
+question
+examination
+bar examination
+comprehensive examination
+entrance examination
+final examination
+litmus test
+midterm examination
+pop quiz
+oral
+preliminary examination
+quiz
+test paper
+tripos
+reply
+non sequitur
+rejoinder
+echo
+echolalia
+answer
+Urim and Thummim
+refutation
+confutation
+rebuttal
+description
+characterization
+word picture
+epithet
+portrayal
+label
+particularization
+sketch
+affirmation
+representation
+say-so
+affirmative
+yes
+yea
+declaration
+denial
+denial
+abnegation
+naysaying
+negative
+no
+nay
+double negative
+double negative
+refusal
+repudiation
+disavowal
+retraction
+withdrawal
+negation
+contradiction
+self-contradiction
+contradiction
+cancellation
+rejection
+repudiation
+disclaimer
+disownment
+rebuff
+short shrift
+objection
+challenge
+complaint
+complaint
+demur
+dissent
+exception
+caption
+exclamation
+gripe
+protest
+protest
+grievance
+growling
+grumble
+jeremiad
+kvetch
+pet peeve
+whimper
+lament
+informing
+telling
+notice
+warning
+dismissal
+revelation
+disclosure
+display
+histrionics
+production
+sackcloth and ashes
+divulgence
+discovery
+discovery
+giveaway
+informing
+leak
+exposure
+expose
+muckraking
+admission
+confession
+self-accusation
+concession
+sop
+stipulation
+takeaway
+wage concession
+presentation
+debut
+reintroduction
+briefing
+report
+megillah
+report
+skinny
+stuff
+assay
+case study
+white book
+blue book
+green paper
+progress report
+position paper
+medical report
+report card
+debriefing
+anecdote
+narration
+narrative
+Canterbury Tales
+recital
+tall tale
+folktale
+Arabian Nights' Entertainment
+sob story
+fairytale
+nursery rhyme
+relation
+earful
+gossip
+rumor
+grapevine
+scandal
+talk
+warning
+wake-up call
+alarmism
+alert
+Emergency Alert System
+caution
+false alarm
+forewarning
+heads-up
+strategic warning
+tactical warning
+threat
+warning of attack
+warning of war
+promise
+oath
+bayat
+Hippocratic oath
+parole
+assurance
+clean bill of health
+assurance
+plight
+betrothal
+pinning
+ringing
+rain check
+vow
+thanks
+appreciation
+thank you
+bow
+boast
+brag
+braggadocio
+vaunt
+self-assertion
+naming
+acrophony
+numeration
+indication
+specification
+challenge
+dare
+confrontation
+call-out
+defiance
+calling into question
+demand for identification
+gauntlet
+explanation
+elucidation
+explication
+denunciation
+excoriation
+fulmination
+tirade
+damnation
+execration
+anathema
+imprecation
+accusation
+recrimination
+recital
+recitation
+recitation
+indictment
+murder charge
+true bill
+impeachment
+arraignment
+allegation
+blame game
+grievance
+lodgment
+plaint
+imprecation
+imputation
+finger-pointing
+indictment
+information
+preferment
+incrimination
+implication
+unspoken accusation
+insinuation
+self-incrimination
+address
+allocution
+colloquium
+dithyramb
+Gettysburg Address
+impromptu
+impromptu
+inaugural address
+keynote
+keynote speech
+lecture
+litany
+nominating speech
+oratory
+oration
+peroration
+public speaking
+debate
+declamation
+declamation
+epideictic oratory
+harangue
+screed
+raving
+stump speech
+salutatory address
+valediction
+sermon
+baccalaureate
+kerygma
+Sermon on the Mount
+evangelism
+televangelism
+homily
+persuasion
+arm-twisting
+dissuasion
+electioneering
+exhortation
+pep talk
+proselytism
+sloganeering
+suggestion
+expostulation
+weapon
+promotion
+buildup
+sensationalism
+shocker
+public relations
+endorsement
+book jacket
+ballyhoo
+sales talk
+ad
+advertorial
+mailer
+newspaper ad
+classified ad
+sales promotion
+want ad
+commercial
+infomercial
+circular
+stuffer
+teaser
+top billing
+white pages
+yellow pages
+abetment
+cheering
+promotion
+fostering
+goad
+provocation
+subornation
+subornation of perjury
+vote of confidence
+discouragement
+disheartenment
+dissuasion
+determent
+resignation
+abdication
+renunciation
+relinquishment
+giving up
+prohibition
+interdiction
+ban
+test ban
+psychic communication
+telepathy
+telegnosis
+psychic phenomena
+clairvoyance
+precognition
+telekinesis
+table rapping
+table tipping
+windsock
+post
+starting post
+winning post
+reference point
+reference
+republication
+benchmark
+landmark
+merestone
+lubber's line
+rule
+universal
+grammatical rule
+transformation
+morphological rule
+standard
+benchmark
+earned run average
+grade point average
+procrustean standard
+yardstick
+target
+clout
+drogue
+white line
+indicator
+blinker
+armband
+rocket
+electronic signal
+blip
+radar echo
+clutter
+radar beacon
+radio beacon
+beacon
+star shell
+Bengal light
+Very light
+signal fire
+input signal
+output signal
+printout
+readout
+fire alarm
+foghorn
+horn
+red flag
+siren
+tocsin
+stoplight
+buoy
+acoustic buoy
+bell buoy
+whistle buoy
+can
+conical buoy
+spar buoy
+barber's pole
+staff
+crosier
+mace
+scepter
+bauble
+tipstaff
+cordon
+wings
+black belt
+blue ribbon
+button
+Emmy
+Nobel prize
+Academy Award
+Prix de Rome
+Prix Goncourt
+chevron
+stripe
+icon
+marker
+identifier
+postmark
+watermark
+broad arrow
+milestone
+variable
+placeholder
+unknown
+peg
+spot
+logo
+label
+bookplate
+gummed label
+dog tag
+dog tag
+name tag
+price tag
+tag
+tag
+title bar
+cairn
+shrug
+wave
+V sign
+nod
+bow
+sign of the cross
+curtsy
+genuflection
+kowtow
+scrape
+salaam
+ground rule
+sign
+system command
+walking papers
+wanted notice
+International Wanted Notice
+plagiarism
+transcript
+voice
+Bach
+Beethoven
+Brahms
+Chopin
+Gilbert and Sullivan
+Handel
+Haydn
+Mozart
+Stravinsky
+Wagner
+language system
+contact
+traffic
+order
+short order
+recall
+uplink
+capriccio
+interrogation
+motet
+negation
+packet
+program music
+incidental music
+slanguage
+Ta'ziyeh
+sprechgesang
+vocal music
+voice over
+walk-through
+yearbook
+zinger
+Das Kapital
+Erewhon
+Utopia
+might-have-been
+nonevent
+happening
+accompaniment
+associate
+avalanche
+background
+experience
+appalling
+augury
+war cloud
+omen
+auspice
+foreboding
+death knell
+flash
+good time
+loss
+near-death experience
+ordeal
+out-of-body experience
+taste
+time
+trip
+vision
+social event
+miracle
+trouble
+treat
+miracle
+wonder
+thing
+episode
+feast
+drama
+night terror
+eventuality
+beginning
+casus belli
+ending
+end
+endgame
+endgame
+homestretch
+passing
+result
+denouement
+deal
+fair deal
+raw deal
+decision
+decision
+split decision
+consequence
+corollary
+deserts
+fruit
+sequella
+train
+poetic justice
+offspring
+separation
+sequel
+wages
+foregone conclusion
+worst
+one-off
+periodic event
+change
+avulsion
+break
+mutation
+sublimation
+surprise
+bombshell
+coup de theatre
+eye opener
+peripeteia
+shock
+blip
+stunner
+error
+hardware error
+disk error
+software error
+semantic error
+syntax error
+algorithm error
+accident
+accident
+collision
+near miss
+crash
+prang
+derailment
+ground loop
+collision
+fire
+backfire
+bonfire
+brush fire
+campfire
+conflagration
+forest fire
+grassfire
+smoulder
+smudge
+crown fire
+ground fire
+surface fire
+wildfire
+misfortune
+pity
+affliction
+convulsion
+embarrassment
+disembarrassment
+hell
+calvary
+onslaught
+scandal
+skeleton
+Teapot Dome
+Watergate
+chapter
+idyll
+incident
+cause celebre
+discharge
+electrical discharge
+nerve impulse
+action potential
+spike
+explosion
+case
+humiliation
+piece
+time
+movement
+crustal movement
+approach
+passing
+deflection
+bending
+change of location
+fender-bender
+ascension
+Ascension
+Resurrection
+circulation
+creep
+migration
+migration
+shrinking
+compression
+constriction
+injury
+rupture
+schism
+hap
+mishap
+puncture
+calamity
+act of God
+apocalypse
+famine
+the Irish Famine
+kiss of death
+meltdown
+plague
+visitation
+break
+coincidence
+lottery
+pileup
+smash
+slip
+failure
+downfall
+flame-out
+malfunction
+blowout
+stall
+success
+barnburner
+Godspeed
+miscarriage
+miss
+emergence
+eruption
+birth
+delivery
+live birth
+blessed event
+posthumous birth
+posthumous birth
+reincarnation
+transmigration
+cycle of rebirth
+moksa
+appearance
+reappearance
+egress
+ingress
+Second Coming
+makeup
+materialization
+manifestation
+apparition
+epiphany
+theophany
+Word of God
+origin
+germination
+genesis
+ground floor
+emergence
+rise
+crime wave
+start
+adrenarche
+menarche
+thelarche
+onset
+dawn
+flying start
+opener
+cause
+antecedent
+preliminary
+emanation
+etiology
+factor
+fundamental
+parameter
+unknown quantity
+wild card
+producer
+creation
+alpha
+opening
+kickoff
+racing start
+flying start
+destiny
+inevitable
+karma
+kismet
+predestination
+annihilation
+eradication
+debilitation
+separation
+diffusion
+dispersion
+Diaspora
+dissipation
+invasion
+irradiation
+extinction
+Crucifixion
+fatality
+finish
+martyrdom
+megadeath
+passing
+wrongful death
+doom
+destruction
+ravage
+razing
+ruin
+devastation
+wrack
+disappearance
+evanescence
+vanishing
+receding
+disappearance
+adversity
+hardship
+knock
+vagary
+variation
+vicissitude
+allomerism
+engagement
+flick
+impact
+blow
+slam
+jolt
+contact
+damage
+battle damage
+operational damage
+casualty
+wound
+blighty wound
+flesh wound
+personnel casualty
+sacrifice
+cycle
+cardiac cycle
+Carnot cycle
+pass
+repeat
+sequence
+cycle
+merry-go-round
+samsara
+replay
+recurrence
+atavism
+flashback
+sunrise
+sunset
+ground swell
+surf
+wake
+swash
+ripple
+gravity wave
+sine wave
+oscillation
+ripple
+wave
+jitter
+fluctuation
+seiche
+soliton
+standing wave
+traveling wave
+sound wave
+air wave
+transient
+wave form
+shock wave
+sonic boom
+swell
+lift
+billow
+tidal wave
+tidal wave
+tidal wave
+tsunami
+roller
+periodic motion
+harmonic motion
+heave
+recoil
+bounce
+resilience
+recoil
+seek
+squeeze
+throw
+instroke
+outstroke
+turning
+twist
+undulation
+wave
+comber
+whitecap
+wave
+shipwreck
+capsizing
+finish
+draw
+dead heat
+stalemate
+photo finish
+second-place finish
+third-place finish
+win
+first-place finish
+omega
+conversion
+Christianization
+death
+decrease
+sinking
+destabilization
+increase
+attrition
+easing
+breath of fresh air
+improvement
+refinement
+Assumption
+deformation
+Transfiguration
+transition
+ground swell
+leap
+quantum leap
+quantum jump
+transformation
+population shift
+pyrolysis
+sea change
+sublimation
+tin pest
+infection
+scene
+sideshow
+collapse
+cave in
+killing
+fatal accident
+collateral damage
+cessation
+settling
+drop
+free fall
+gravitation
+levitation
+lightening
+descent
+set
+shower
+sinking
+submergence
+dip
+foundering
+wobble
+shimmy
+flop
+turkey
+debacle
+implosion
+gravitational collapse
+stop
+stand
+deviation
+discrepancy
+driftage
+inflection
+malformation
+monstrosity
+dislocation
+break
+snap
+interruption
+punctuation
+suspension
+defervescence
+eclipse
+solar eclipse
+lunar eclipse
+annular eclipse
+total eclipse
+partial eclipse
+augmentation
+adjustment
+shakedown
+entrance
+fall
+climb
+elevation
+heave
+liftoff
+sound
+fuss
+headway
+trial
+union
+amphimixis
+fusion
+combining
+recombination
+recombination
+consolidation
+mix
+concoction
+conglomeration
+blend
+rapid climb
+takeoff
+upheaval
+uplifting
+baa
+bang
+bong
+banging
+bark
+bark
+bay
+beat
+beep
+bell
+blare
+boom
+bleat
+bray
+bow-wow
+buzz
+cackle
+caterwaul
+caw
+chatter
+chatter
+cheep
+chink
+chirp
+chirrup
+chorus
+chug
+clack
+clang
+clatter
+click-clack
+clickety-clack
+clip-clop
+cluck
+cock-a-doodle-doo
+coo
+crack
+crackle
+creak
+crepitation rale
+crow
+crunch
+cry
+decrepitation
+ding
+drip
+drum
+ding-dong
+explosion
+footfall
+gargle
+gobble
+grate
+grinding
+growl
+grunt
+gurgle
+hiss
+honk
+howl
+howl
+hubbub
+hum
+jingle
+knell
+knock
+meow
+moo
+mutter
+neigh
+noise
+pant
+paradiddle
+pat
+patter
+peal
+ping
+pitter-patter
+plonk
+plop
+plump
+plunk
+pop
+purr
+quack
+quaver
+racket
+rat-a-tat-tat
+rattle
+report
+rhonchus
+ring
+roar
+rub-a-dub
+rumble
+rustle
+scrape
+screech
+scrunch
+shrilling
+sigh
+sizzle
+skirl
+slam
+snap
+snore
+song
+spatter
+splash
+splat
+squawk
+squeak
+squeal
+squish
+stridulation
+strum
+susurration
+swish
+swoosh
+tapping
+throbbing
+thump
+thrum
+thunder
+thunderclap
+thunk
+tick
+ticktock
+ting
+toot
+tootle
+tramp
+trample
+twang
+tweet
+vibrato
+tremolo
+voice
+vroom
+water hammer
+whack
+whir
+whistle
+whiz
+yip
+zing
+news event
+pulse
+diastole
+systole
+extrasystole
+throb
+high tide
+ebb
+low tide
+ebbtide
+tide
+direct tide
+flood tide
+neap tide
+springtide
+leeward tide
+slack water
+tidal bore
+tidal flow
+undertow
+riptide
+rip
+undertide
+slide
+avalanche
+lahar
+landslide
+mudslide
+Plinian eruption
+rockslide
+flow
+backflow
+regurgitation
+airflow
+current
+freshet
+overflow
+dripping
+torrent
+discharge
+flux
+airburst
+blast
+bomb blast
+nuclear explosion
+backblast
+backfire
+big bang
+blowback
+fragmentation
+inflation
+ricochet
+touch
+concussion
+rap
+knock
+pounding
+sideswipe
+slap
+deflection
+simple harmonic motion
+reversal
+yaw
+concussion
+twinkle
+shimmer
+flash
+flicker
+gleam
+glitter
+heat flash
+lightning
+heat lightning
+sheet lighting
+streak
+brush
+stroke
+concentration
+explosion
+jump
+runup
+waxing
+convergence
+meeting
+conjunction
+inferior conjunction
+superior conjunction
+conversion
+glycogenesis
+isomerization
+rectification
+transmutation
+juncture
+climax
+conjuncture
+emergency
+crisis
+landmark
+Fall of Man
+road to Damascus
+milestone
+pass
+reality check
+compaction
+rarefaction
+conservation
+recovery
+remission
+resolution
+curse
+fire
+detriment
+expense
+damage
+pulsation
+breakdown
+brake failure
+engine failure
+misfire
+outage
+power outage
+fault
+blackout
+flame-out
+dwindling
+waning
+fading away
+turn
+development
+phenomenon
+complication
+revolution
+Cultural Revolution
+green revolution
+mutation
+sex change
+deletion
+inversion
+transposition
+mutagenesis
+insertional mutagenesis
+point mutation
+reversion
+saltation
+degeneration
+atrophy
+strengthening
+weakening
+attenuation
+fall
+anticlimax
+abiotrophy
+cataplasia
+perturbation
+magnetic storm
+earthquake
+shock
+tremor
+aftershock
+foreshock
+seaquake
+invasion
+noise
+background
+background noise
+surface noise
+background radiation
+crosstalk
+fadeout
+jitter
+static
+white noise
+radio noise
+seepage
+exudation
+drip
+intravenous drip
+eddy
+whirlpool
+Charybdis
+dismemberment
+mutilation
+emission
+distortion
+warp
+plunge
+precipitation
+fertilization
+top dressing
+dissilience
+outburst
+salvo
+outbreak
+epidemic
+pandemic
+recrudescence
+jet
+rush
+volcanic eruption
+escape
+fertilization
+pollination
+cross-fertilization
+allogamy
+self-fertilization
+superfecundation
+superfetation
+autogamy
+cross-pollination
+self-pollination
+cleistogamy
+flap
+flush
+radiation
+adaptive radiation
+rush
+debris surge
+onrush
+springtide
+rotation
+dextrorotation
+levorotation
+axial rotation
+orbital rotation
+whirl
+spin
+backspin
+English
+topspin
+wallow
+run
+relaxation
+thaw
+substitution
+business cycle
+daily variation
+diurnal variation
+tide
+shift
+amplitude
+luxation
+subluxation
+progress
+rise
+spread
+stampede
+translation
+spray
+spritz
+angelus bell
+bell ringing
+return
+volution
+affair
+party
+bash
+birthday party
+bunfight
+ceilidh
+cocktail party
+dance
+ball
+cotillion
+masked ball
+promenade
+barn dance
+hop
+rave
+fete
+luau
+house party
+jolly
+tea party
+whist drive
+celebration
+ceremony
+circumstance
+funeral
+burial
+sky burial
+wedding
+pageant
+dedication
+rededication
+opening
+commemoration
+military ceremony
+initiation
+coronation
+bar mitzvah
+bat mitzvah
+exercise
+fire walking
+commencement
+formality
+Maundy
+potlatch
+fundraiser
+photo opportunity
+sleepover
+contest
+athletic contest
+bout
+decathlon
+Olympic Games
+Special Olympics
+Winter Olympic Games
+preliminary
+pentathlon
+championship
+chicken
+cliffhanger
+dogfight
+race
+automobile race
+Grand Prix
+rally
+bicycle race
+Tour de France
+boat race
+burnup
+chariot race
+dog racing
+sailing-race
+footrace
+funrun
+marathon
+freestyle
+cross country
+Iditarod
+three-day event
+heat
+horse race
+claiming race
+selling race
+harness race
+Kentucky Derby
+Preakness
+Belmont Stakes
+stake race
+steeplechase
+Grand National
+obstacle race
+steeplechase
+thoroughbred race
+potato race
+sack race
+scratch race
+ski race
+downhill
+slalom
+relay
+repechage
+torch race
+World Cup
+tournament
+elimination tournament
+open
+playoff
+series
+home stand
+World Series
+boxing match
+chess match
+cockfight
+cricket match
+diving
+field event
+final
+cup final
+quarterfinal
+semifinal
+round robin
+field trial
+meet
+gymkhana
+race meeting
+regatta
+swimming meet
+track meet
+track event
+dash
+hurdles
+mile
+high jump
+long jump
+pole vault
+shot put
+hammer throw
+discus
+javelin
+swimming event
+match
+tennis match
+test match
+wrestling match
+fall
+takedown
+sparring match
+prizefight
+triple jump
+tug-of-war
+tournament
+joust
+race
+arms race
+political campaign
+governor's race
+senate campaign
+victory
+independence
+landslide
+last laugh
+Pyrrhic victory
+slam
+grand slam
+little slam
+checkmate
+runaway
+service break
+defeat
+walk-in
+reverse
+whammy
+heartbreaker
+lurch
+rout
+shutout
+thrashing
+waterloo
+whitewash
+spelling bee
+trial
+bite
+boom
+crash
+loss of consciousness
+faint
+Fall
+shipwreck
+crash
+head crash
+spike
+supervention
+zap
+zizz
+affect
+emotion
+thing
+glow
+faintness
+soul
+passion
+infatuation
+wildness
+ardor
+storminess
+zeal
+sentiment
+sentimentality
+mawkishness
+razbliuto
+complex
+Oedipus complex
+Electra complex
+inferiority complex
+ambivalence
+conflict
+apathy
+emotionlessness
+languor
+desire
+ambition
+American Dream
+emulation
+nationalism
+bloodlust
+temptation
+craving
+appetite
+stomach
+sweet tooth
+addiction
+wish
+velleity
+longing
+hankering
+pining
+wishfulness
+wistfulness
+nostalgia
+lovesickness
+homesickness
+sex
+sexual desire
+love
+aphrodisia
+anaphrodisia
+passion
+sensuality
+amorousness
+fetish
+libido
+lecherousness
+nymphomania
+satyriasis
+the hots
+prurience
+urge
+caprice
+pleasure
+delight
+entrancement
+amusement
+Schadenfreude
+enjoyment
+joie de vivre
+gusto
+pleasantness
+afterglow
+comfort
+consolation
+cold comfort
+silver lining
+relief
+sexual pleasure
+algolagnia
+sadism
+sadomasochism
+masochism
+pain
+growing pains
+unpleasantness
+pang
+guilt pang
+mental anguish
+suffering
+agony
+throes
+discomfort
+chafing
+intertrigo
+distress
+anguish
+self-torture
+tsoris
+wound
+liking
+fondness
+captivation
+preference
+acquired taste
+weakness
+mysophilia
+inclination
+leaning
+stomach
+undertow
+friendliness
+amicability
+good will
+brotherhood
+approval
+favor
+approbation
+admiration
+Anglophilia
+hero worship
+philhellenism
+philogyny
+worship
+dislike
+disinclination
+Anglophobia
+unfriendliness
+alienation
+isolation
+antipathy
+disapproval
+contempt
+disgust
+abhorrence
+creepy-crawlies
+scunner
+repugnance
+nausea
+technophobia
+gratitude
+gratefulness
+ingratitude
+concern
+care
+solicitude
+softheartedness
+unconcern
+indifference
+distance
+withdrawal
+heartlessness
+cruelty
+shame
+conscience
+self-disgust
+embarrassment
+self-consciousness
+shamefacedness
+chagrin
+confusion
+abashment
+discomfiture
+pride
+self-esteem
+ego
+amour propre
+humility
+meekness
+self-depreciation
+astonishment
+devastation
+wonder
+awe
+surprise
+stupefaction
+daze
+expectation
+anticipation
+suspense
+fever
+buck fever
+gold fever
+hope
+levity
+gaiety
+gravity
+earnestness
+sensitivity
+oversensitiveness
+sensibility
+feelings
+insight
+sensuousness
+agitation
+unrest
+fidget
+impatience
+stewing
+stir
+tumult
+electricity
+sensation
+calmness
+placidity
+coolness
+tranquillity
+peace
+easiness
+languor
+anger
+dudgeon
+wrath
+fury
+lividity
+infuriation
+umbrage
+indignation
+huffiness
+dander
+bad temper
+annoyance
+pique
+frustration
+aggravation
+harassment
+fear
+alarm
+creeps
+frisson
+horror
+hysteria
+panic
+swivet
+fear
+scare
+stage fright
+apprehension
+trepidation
+foreboding
+shadow
+presage
+suspense
+timidity
+cold feet
+shyness
+diffidence
+hesitance
+unassertiveness
+intimidation
+anxiety
+worry
+concern
+anxiousness
+insecurity
+edginess
+willies
+sinking
+scruple
+jitteriness
+angst
+fearlessness
+security
+confidence
+happiness
+bonheur
+gladness
+joy
+elation
+exultation
+triumph
+exhilaration
+bang
+intoxication
+titillation
+euphoria
+gaiety
+hilarity
+rejoicing
+jocundity
+belonging
+comfortableness
+closeness
+togetherness
+cheerfulness
+buoyancy
+carefreeness
+contentment
+satisfaction
+pride
+complacency
+smugness
+fulfillment
+gloat
+sadness
+dolefulness
+heaviness
+melancholy
+gloom
+heavyheartedness
+pensiveness
+world-weariness
+woe
+misery
+forlornness
+weepiness
+sorrow
+attrition
+broken heart
+grief
+mournfulness
+plaintiveness
+dolor
+sorrow
+compunction
+guilt
+survivor guilt
+repentance
+cheerlessness
+chill
+joylessness
+depression
+downheartedness
+demoralization
+helplessness
+self-pity
+despondency
+oppression
+weight
+discontentment
+disgruntlement
+dysphoria
+dissatisfaction
+boredom
+blahs
+fatigue
+displeasure
+disappointment
+frustration
+hope
+hopefulness
+encouragement
+optimism
+sanguinity
+despair
+hopelessness
+resignation
+defeatism
+discouragement
+intimidation
+pessimism
+cynicism
+love
+agape
+agape
+filial love
+ardor
+amorousness
+puppy love
+devotion
+affection
+attachment
+protectiveness
+regard
+soft spot
+benevolence
+beneficence
+heartstrings
+lovingness
+warmheartedness
+loyalty
+hate
+misanthropy
+misogamy
+misogyny
+misology
+misoneism
+misocainea
+misopedia
+murderousness
+despisal
+hostility
+animosity
+class feeling
+antagonism
+aggression
+belligerence
+warpath
+resentment
+heartburning
+sulkiness
+grudge
+envy
+covetousness
+jealousy
+penis envy
+malevolence
+maleficence
+malice
+vindictiveness
+temper
+peeve
+sulk
+good humor
+jollity
+ill humor
+moodiness
+moroseness
+irascibility
+irritability
+testiness
+pet
+sympathy
+kindheartedness
+compassion
+commiseration
+mellowness
+tenderness
+mercifulness
+forgiveness
+compatibility
+empathy
+enthusiasm
+eagerness
+ardor
+exuberance
+technophilia
+food
+comfort food
+comestible
+tuck
+course
+dainty
+dish
+fast food
+finger food
+ingesta
+kosher
+fare
+diet
+diet
+dietary
+allergy diet
+balanced diet
+bland diet
+clear liquid diet
+diabetic diet
+dietary supplement
+carbohydrate loading
+fad diet
+gluten-free diet
+high-protein diet
+high-vitamin diet
+leftovers
+light diet
+liquid diet
+low-calorie diet
+low-fat diet
+low-sodium diet
+macrobiotic diet
+reducing diet
+soft diet
+vegetarianism
+menu
+chow
+board
+training table
+mess
+ration
+field ration
+K ration
+C-ration
+foodstuff
+starches
+breadstuff
+coloring
+concentrate
+tomato concentrate
+meal
+kibble
+cornmeal
+farina
+matzo meal
+oatmeal
+pea flour
+pinole
+roughage
+bran
+flour
+plain flour
+wheat flour
+whole wheat flour
+soybean meal
+semolina
+blood meal
+gluten
+corn gluten
+corn gluten feed
+wheat gluten
+nutriment
+cuisine
+dim sum
+haute cuisine
+nouvelle cuisine
+rechauffe
+gastronomy
+commissariat
+food cache
+larder
+fresh food
+frozen food
+canned food
+canned meat
+Fanny Adams
+Spam
+dehydrated food
+square meal
+meal
+potluck
+refection
+refreshment
+breakfast
+continental breakfast
+brunch
+lunch
+business lunch
+high tea
+tea
+dinner
+supper
+buffet
+TV dinner
+picnic
+cookout
+barbecue
+clambake
+fish fry
+wiener roast
+bite
+nosh
+nosh-up
+ploughman's lunch
+coffee break
+banquet
+helping
+taste
+morsel
+swallow
+chew
+entree
+piece de resistance
+plate
+adobo
+side dish
+special
+casserole
+chicken casserole
+chicken cacciatore
+roast
+confit
+antipasto
+appetizer
+canape
+cocktail
+fruit cocktail
+crab cocktail
+shrimp cocktail
+hors d'oeuvre
+relish
+dip
+bean dip
+cheese dip
+clam dip
+guacamole
+soup
+soup du jour
+alphabet soup
+consomme
+madrilene
+bisque
+borsch
+broth
+liquor
+barley water
+bouillon
+beef broth
+chicken broth
+broth
+stock cube
+chicken soup
+cock-a-leekie
+gazpacho
+gumbo
+julienne
+marmite
+mock turtle soup
+mulligatawny
+oxtail soup
+pea soup
+pepper pot
+petite marmite
+potage
+pottage
+turtle soup
+eggdrop soup
+chowder
+corn chowder
+clam chowder
+Manhattan clam chowder
+New England clam chowder
+fish chowder
+won ton
+split-pea soup
+green pea soup
+lentil soup
+Scotch broth
+vichyssoise
+stew
+bigos
+Brunswick stew
+burgoo
+burgoo
+olla podrida
+mulligan stew
+purloo
+goulash
+hotchpotch
+hot pot
+beef goulash
+pork-and-veal goulash
+porkholt
+Irish stew
+oyster stew
+lobster stew
+lobscouse
+fish stew
+bouillabaisse
+matelote
+paella
+fricassee
+chicken stew
+turkey stew
+beef stew
+stew meat
+ragout
+ratatouille
+salmi
+pot-au-feu
+slumgullion
+smorgasbord
+viand
+convenience food
+ready-mix
+brownie mix
+cake mix
+lemonade mix
+self-rising flour
+delicatessen
+takeout
+choice morsel
+savory
+calf's-foot jelly
+caramel
+lump sugar
+sugarloaf
+cane sugar
+castor sugar
+powdered sugar
+granulated sugar
+icing sugar
+beet sugar
+corn sugar
+brown sugar
+demerara
+sweet
+confectionery
+confiture
+sweetmeat
+candy
+candy bar
+carob
+carob bar
+hardbake
+hard candy
+barley-sugar
+brandyball
+jawbreaker
+lemon drop
+sourball
+patty
+peppermint patty
+bonbon
+brittle
+peanut brittle
+chewing gum
+gum ball
+bubble gum
+butterscotch
+candied fruit
+candied apple
+crystallized ginger
+grapefruit peel
+lemon peel
+orange peel
+candied citrus peel
+candy cane
+candy corn
+caramel
+chocolate
+bitter chocolate
+chocolate candy
+center
+chocolate liquor
+cocoa butter
+cocoa powder
+choc
+chocolate bar
+Hershey bar
+bittersweet chocolate
+couverture
+Dutch-processed cocoa
+jimmies
+milk chocolate
+white chocolate
+nonpareil
+comfit
+cotton candy
+dragee
+dragee
+fondant
+fudge
+chocolate fudge
+divinity
+penuche
+gumdrop
+jujube
+honey crisp
+mint
+horehound
+peppermint
+jelly bean
+kiss
+molasses kiss
+meringue kiss
+chocolate kiss
+Scotch kiss
+licorice
+Life Saver
+lollipop
+lozenge
+cachou
+cough drop
+marshmallow
+marzipan
+nougat
+nougat bar
+nut bar
+peanut bar
+popcorn ball
+praline
+rock candy
+rock candy
+sugar candy
+sugarplum
+taffy
+molasses taffy
+truffle
+Turkish Delight
+dessert
+ambrosia
+ambrosia
+baked Alaska
+blancmange
+charlotte
+compote
+dumpling
+flan
+frozen dessert
+junket
+mousse
+mousse
+pavlova
+peach melba
+whip
+prune whip
+pudding
+pudding
+syllabub
+tiramisu
+trifle
+tipsy cake
+jello
+charlotte russe
+apple dumpling
+ice
+water ice
+ice cream
+ice-cream cone
+chocolate ice cream
+choc-ice
+Neapolitan ice cream
+peach ice cream
+sherbert
+strawberry ice cream
+tutti-frutti
+vanilla ice cream
+ice lolly
+ice milk
+frozen yogurt
+snowball
+snowball
+parfait
+ice-cream sundae
+split
+banana split
+frozen pudding
+frozen custard
+pudding
+flummery
+fish mousse
+chicken mousse
+chocolate mousse
+plum pudding
+carrot pudding
+corn pudding
+steamed pudding
+duff
+vanilla pudding
+chocolate pudding
+brown Betty
+Nesselrode
+pease pudding
+custard
+creme caramel
+creme anglais
+creme brulee
+fruit custard
+quiche
+quiche Lorraine
+tapioca
+tapioca pudding
+roly-poly
+suet pudding
+spotted dick
+Bavarian cream
+maraschino
+frosting
+glaze
+meringue
+nonpareil
+whipped cream
+zabaglione
+garnish
+topping
+streusel
+baked goods
+crumb
+breadcrumb
+cracker crumbs
+pastry
+pastry
+pie crust
+dowdy
+frangipane
+streusel
+tart
+apple tart
+tart
+apple tart
+lobster tart
+tartlet
+turnover
+apple turnover
+knish
+pirogi
+samosa
+timbale
+timbale
+pie
+deep-dish pie
+shoofly pie
+mince pie
+apple pie
+lemon meringue pie
+blueberry pie
+rhubarb pie
+pecan pie
+pumpkin pie
+squash pie
+French pastry
+napoleon
+patty shell
+patty
+sausage roll
+toad-in-the-hole
+vol-au-vent
+strudel
+baklava
+puff paste
+phyllo
+puff batter
+profiterole
+puff
+cream puff
+eclair
+chocolate eclair
+cake
+applesauce cake
+baba
+baba au rhum
+birthday cake
+cheesecake
+chiffon cake
+chocolate cake
+coconut cake
+coffeecake
+babka
+crumb cake
+crumpet
+cupcake
+devil's food
+Eccles cake
+fruitcake
+Christmas cake
+simnel
+gateau
+ice-cream cake
+sponge cake
+angel cake
+jellyroll
+Madeira cake
+Twinkie
+wedding cake
+white cake
+spice cake
+gingerbread
+pound cake
+layer cake
+torte
+petit four
+prune cake
+jumble
+savarin
+Boston cream pie
+upside-down cake
+honey cake
+marble cake
+genoise
+seedcake
+teacake
+teacake
+Sally Lunn
+cookie
+dog biscuit
+butter cookie
+spice cookie
+shortbread
+almond cookie
+brownie
+gingersnap
+macaroon
+ratafia
+coconut macaroon
+kiss
+ladyfinger
+anise cookie
+molasses cookie
+oreo
+raisin-nut cookie
+refrigerator cookie
+raisin cookie
+fruit bar
+apricot bar
+date bar
+sugar cookie
+oatmeal cookie
+chocolate chip cookie
+fortune cookie
+gingerbread man
+friedcake
+doughboy
+doughnut
+raised doughnut
+Berlin doughnut
+fastnacht
+cruller
+French fritter
+fritter
+apple fritter
+corn fritter
+pancake
+yeast cake
+buckwheat cake
+buttermilk pancake
+blini
+blintz
+crape
+crepe Suzette
+pfannkuchen
+potato pancake
+waffle
+Belgian waffle
+fish cake
+rock cake
+Victoria sandwich
+fish stick
+conserve
+apple butter
+chowchow
+jam
+lemon curd
+strawberry jam
+jelly
+apple jelly
+crabapple jelly
+grape jelly
+marmalade
+orange marmalade
+gelatin
+gelatin dessert
+bird
+poultry
+chicken
+broiler
+capon
+fryer
+roaster
+Oven Stuffer
+spatchcock
+hen
+Rock Cornish hen
+guinea hen
+squab
+duck
+duckling
+goose
+wildfowl
+grouse
+quail
+partridge
+pheasant
+turkey
+drumstick
+turkey leg
+chicken leg
+second joint
+breast
+wing
+turkey wing
+chicken wing
+buffalo wing
+barbecued wing
+giblet
+medallion
+oyster
+parson's nose
+loaf
+meat
+game
+dark meat
+mess
+mince
+puree
+raw meat
+gobbet
+red meat
+variety meat
+offal
+heart
+liver
+calves' liver
+chicken liver
+goose liver
+sweetbread
+brain
+calf's brain
+stomach sweetbread
+neck sweetbread
+tongue
+beef tongue
+calf's tongue
+venison
+cut
+chop
+barbecue
+biryani
+cold cuts
+chine
+piece
+cutlet
+escalope de veau Orloff
+saute
+fillet
+leg
+side
+side of beef
+forequarter
+hindquarter
+cut of beef
+chuck
+chuck short ribs
+rib
+entrecote
+sparerib
+shank
+foreshank
+hindshank
+shin
+brisket
+plate
+flank
+steak
+fish steak
+beefsteak
+flank steak
+minute steak
+loin
+beef loin
+sirloin
+wedge bone
+flat bone
+pin bone
+sirloin tip
+sirloin steak
+tenderloin
+beef tenderloin
+fillet
+pork tenderloin
+Chateaubriand
+Delmonico steak
+tournedos
+filet mignon
+porterhouse
+T-bone steak
+blade
+blade roast
+neck
+beef neck
+shoulder
+pot roast
+short ribs
+rib roast
+round
+round steak
+top round
+bottom round
+rump steak
+strip steak
+rump
+rump roast
+aitchbone
+tripe
+honeycomb tripe
+buffalo
+beef
+beef roast
+patty
+ground beef
+chopped steak
+bully beef
+pastrami
+carbonado
+halal
+jerky
+beef jerky
+biltong
+pemmican
+veal
+veal parmesan
+cut of veal
+scrag
+veal roast
+breast of veal
+fricandeau
+veal cordon bleu
+calves' feet
+horsemeat
+rabbit
+mouton
+mutton chop
+scrag
+cut of mutton
+lamb
+cut of lamb
+breast of lamb
+saddle
+saddle of lamb
+loin of lamb
+lamb chop
+rack
+lamb roast
+rack of lamb
+ham hock
+leg of lamb
+pork
+cut of pork
+cochon de lait
+flitch
+gammon
+pork loin
+side of pork
+pork belly
+pork roast
+ham
+Virginia ham
+picnic ham
+porkchop
+prosciutto
+bacon
+bacon strip
+rind
+bacon rind
+Canadian bacon
+salt pork
+fatback
+sowbelly
+spareribs
+pigs' feet
+chitterlings
+cracklings
+haslet
+edible fat
+lard
+marbling
+shortening
+suet
+margarine
+cooking oil
+drippings
+vegetable oil
+sweet oil
+canola oil
+coconut oil
+corn oil
+cottonseed oil
+olive oil
+palm oil
+peanut oil
+salad oil
+safflower oil
+sesame oil
+soybean oil
+sunflower oil
+walnut oil
+sausage
+sausage meat
+blood sausage
+bologna
+chipolata
+chorizo
+frank
+Vienna sausage
+polony
+headcheese
+knackwurst
+liver pudding
+pepperoni
+pork sausage
+salami
+banger
+bratwurst
+linguica
+saveloy
+souse
+lunch meat
+mincemeat
+stuffing
+turkey stuffing
+oyster stuffing
+forcemeat
+bread
+anadama bread
+bap
+barmbrack
+breadstick
+grissino
+brown bread
+bun
+tea bread
+caraway seed bread
+challah
+cinnamon bread
+cracked-wheat bread
+cracker
+crouton
+dark bread
+English muffin
+flatbread
+garlic bread
+gluten bread
+graham bread
+Host
+flatbrod
+bannock
+chapatti
+pita
+loaf of bread
+heel
+French loaf
+matzo
+nan
+onion bread
+raisin bread
+quick bread
+banana bread
+date bread
+date-nut bread
+nut bread
+oatcake
+Irish soda bread
+skillet bread
+rye bread
+black bread
+Jewish rye bread
+limpa
+Swedish rye bread
+salt-rising bread
+simnel
+sour bread
+toast
+wafer
+white bread
+baguet
+French bread
+Italian bread
+cornbread
+corn cake
+skillet corn bread
+ashcake
+hoecake
+cornpone
+corn dab
+hush puppy
+johnnycake
+Shawnee cake
+spoon bread
+cinnamon toast
+orange toast
+Melba toast
+zwieback
+frankfurter bun
+hamburger bun
+muffin
+bran muffin
+corn muffin
+Yorkshire pudding
+popover
+scone
+drop scone
+cross bun
+coffee ring
+brioche
+crescent roll
+hard roll
+soft roll
+kaiser roll
+Parker House roll
+clover-leaf roll
+onion roll
+bialy
+sweet roll
+bear claw
+cinnamon roll
+honey bun
+pinwheel roll
+danish
+bagel
+onion bagel
+biscuit
+rolled biscuit
+drop biscuit
+baking-powder biscuit
+buttermilk biscuit
+shortcake
+hardtack
+wafer
+brandysnap
+saltine
+soda cracker
+oyster cracker
+water biscuit
+graham cracker
+pretzel
+soft pretzel
+sandwich
+sandwich plate
+butty
+ham sandwich
+chicken sandwich
+club sandwich
+open-face sandwich
+hamburger
+cheeseburger
+tunaburger
+hotdog
+Sloppy Joe
+bomber
+gyro
+bacon-lettuce-tomato sandwich
+Reuben
+western
+wrap
+pasta
+farfalle
+noodle
+orzo
+egg noodle
+spaghetti
+spaghetti
+spaghettini
+tortellini
+ziti
+rigatoni
+fedelline
+linguine
+fettuccine
+fettuccine Alfredo
+vermicelli
+macaroni
+lasagna
+penne
+ravioli
+tagliatelle
+manicotti
+couscous
+gnocchi
+matzo ball
+won ton
+dumpling
+health food
+junk food
+breakfast food
+cereal
+muesli
+Pablum
+hot cereal
+mush
+atole
+hasty pudding
+polenta
+hasty pudding
+gruel
+congee
+skilly
+grits
+kasha
+frumenty
+cold cereal
+granola
+granola bar
+raisin bran
+corn flake
+bran flake
+wheatflake
+puffed rice
+puffed wheat
+produce
+edible fruit
+vegetable
+julienne
+eater
+raw vegetable
+crudites
+celery stick
+legume
+pulse
+potherb
+greens
+chop-suey greens
+bean curd
+solanaceous vegetable
+root vegetable
+potato
+baked potato
+french fries
+home fries
+jacket potato
+jacket
+mashed potato
+potato skin
+Uruguay potato
+yam
+sweet potato
+yam
+snack food
+chip
+corn chip
+tortilla chip
+nacho
+eggplant
+pieplant
+cruciferous vegetable
+mustard
+cabbage
+kale
+collards
+Chinese cabbage
+bok choy
+head cabbage
+red cabbage
+savoy cabbage
+broccoli
+cauliflower
+brussels sprouts
+broccoli rabe
+squash
+summer squash
+yellow squash
+crookneck
+zucchini
+marrow
+cocozelle
+pattypan squash
+spaghetti squash
+winter squash
+acorn squash
+butternut squash
+hubbard squash
+turban squash
+buttercup squash
+cushaw
+winter crookneck squash
+cucumber
+gherkin
+artichoke
+artichoke heart
+Jerusalem artichoke
+asparagus
+bamboo shoot
+sprout
+bean sprout
+alfalfa sprout
+beet
+beet green
+sugar beet
+mangel-wurzel
+chard
+pepper
+sweet pepper
+bell pepper
+green pepper
+globe pepper
+pimento
+hot pepper
+chili
+jalapeno
+chipotle
+cayenne
+tabasco
+onion
+Bermuda onion
+green onion
+Vidalia onion
+Spanish onion
+purple onion
+leek
+shallot
+salad green
+lettuce
+butterhead lettuce
+buttercrunch
+Bibb lettuce
+Boston lettuce
+crisphead lettuce
+cos
+leaf lettuce
+celtuce
+bean
+goa bean
+lentil
+pea
+green pea
+marrowfat pea
+snow pea
+sugar snap pea
+split-pea
+chickpea
+cajan pea
+field pea
+mushy peas
+black-eyed pea
+common bean
+kidney bean
+navy bean
+pinto bean
+frijole
+black bean
+fresh bean
+flageolet
+green bean
+snap bean
+string bean
+Kentucky wonder
+scarlet runner
+haricot vert
+wax bean
+shell bean
+lima bean
+Fordhooks
+sieva bean
+fava bean
+soy
+green soybean
+field soybean
+cardoon
+carrot
+carrot stick
+celery
+pascal celery
+celeriac
+chicory
+radicchio
+coffee substitute
+chicory
+Postum
+chicory escarole
+Belgian endive
+corn
+sweet corn
+hominy
+lye hominy
+pearl hominy
+popcorn
+cress
+watercress
+garden cress
+winter cress
+dandelion green
+gumbo
+kohlrabi
+lamb's-quarter
+wild spinach
+tomato
+beefsteak tomato
+cherry tomato
+plum tomato
+tomatillo
+mushroom
+stuffed mushroom
+salsify
+oyster plant
+scorzonera
+parsnip
+pumpkin
+radish
+turnip
+white turnip
+rutabaga
+turnip greens
+sorrel
+French sorrel
+spinach
+taro
+truffle
+edible nut
+bunya bunya
+peanut
+water chestnut
+freestone
+cling
+peel
+banana peel
+lemon peel
+orange peel
+windfall
+apple
+crab apple
+eating apple
+Baldwin
+Cortland
+Cox's Orange Pippin
+Delicious
+Golden Delicious
+Red Delicious
+Empire
+Grimes' golden
+Jonathan
+McIntosh
+Macoun
+Northern Spy
+Pearmain
+Pippin
+Prima
+Stayman
+Winesap
+Stayman Winesap
+cooking apple
+Bramley's Seedling
+Granny Smith
+Lane's Prince Albert
+Newtown Wonder
+Rome Beauty
+berry
+bilberry
+huckleberry
+blueberry
+wintergreen
+cranberry
+lingonberry
+currant
+gooseberry
+black currant
+red currant
+blackberry
+boysenberry
+dewberry
+loganberry
+raspberry
+saskatoon
+lanseh
+strawberry
+sugarberry
+persimmon
+acerola
+carambola
+ceriman
+carissa plum
+citrus
+section
+orange
+temple orange
+mandarin
+clementine
+satsuma
+tangerine
+tangelo
+bitter orange
+sweet orange
+Jaffa orange
+navel orange
+Valencia orange
+kumquat
+lemon
+lime
+key lime
+grapefruit
+pomelo
+citrange
+citron
+almond
+Jordan almond
+apricot
+peach
+nectarine
+pitahaya
+plum
+damson
+greengage
+beach plum
+sloe
+Victoria plum
+dried fruit
+dried apricot
+prune
+raisin
+seedless raisin
+seeded raisin
+currant
+fig
+pineapple
+anchovy pear
+banana
+passion fruit
+granadilla
+sweet calabash
+bell apple
+breadfruit
+jackfruit
+cacao bean
+cocoa
+canistel
+melon
+melon ball
+muskmelon
+cantaloup
+winter melon
+honeydew
+Persian melon
+net melon
+casaba
+watermelon
+cherry
+sweet cherry
+bing cherry
+heart cherry
+blackheart
+capulin
+sour cherry
+amarelle
+morello
+cocoa plum
+gherkin
+grape
+fox grape
+Concord grape
+Catawba
+muscadine
+scuppernong
+slipskin grape
+vinifera grape
+emperor
+muscat
+ribier
+sultana
+Tokay
+flame tokay
+Thompson Seedless
+custard apple
+cherimoya
+soursop
+bullock's heart
+sweetsop
+ilama
+pond apple
+papaw
+papaya
+kai apple
+ketembilla
+ackee
+durian
+feijoa
+genip
+genipap
+kiwi
+loquat
+mangosteen
+mango
+sapodilla
+sapote
+tamarind
+avocado
+date
+elderberry
+guava
+mombin
+hog plum
+hog plum
+jaboticaba
+jujube
+litchi
+longanberry
+mamey
+marang
+medlar
+medlar
+mulberry
+olive
+black olive
+green olive
+pear
+bosc
+anjou
+bartlett
+seckel
+plantain
+plumcot
+pomegranate
+prickly pear
+garambulla
+Barbados gooseberry
+quandong
+quandong nut
+quince
+rambutan
+pulasan
+rose apple
+sorb
+sour gourd
+sour gourd
+edible seed
+pumpkin seed
+betel nut
+beechnut
+walnut
+black walnut
+English walnut
+brazil nut
+butternut
+souari nut
+cashew
+chestnut
+chincapin
+water chinquapin
+hazelnut
+coconut
+coconut
+coconut milk
+copra
+dika nut
+dika bread
+groundnut
+grugru nut
+hickory nut
+cola extract
+macadamia nut
+pecan
+pine nut
+pistachio
+sunflower seed
+fish
+saltwater fish
+freshwater fish
+seafood
+bream
+bream
+freshwater bass
+largemouth bass
+smallmouth bass
+sea bass
+striped bass
+grouper
+croaker
+whiting
+whiting
+cusk
+dolphinfish
+carp
+buffalofish
+pike
+muskellunge
+pickerel
+monkfish
+sucker
+catfish
+perch
+sunfish
+crappie
+tuna
+albacore
+bonito
+bluefin
+mackerel
+Spanish mackerel
+pompano
+squid
+blowfish
+fugu
+octopus
+escargot
+periwinkle
+whelk
+panfish
+stockfish
+shellfish
+mussel
+anchovy
+anchovy paste
+eel
+smoked eel
+elver
+mullet
+herring
+kingfish
+lingcod
+kipper
+bloater
+pickled herring
+rollmops
+alewife
+bluefish
+swordfish
+butterfish
+huitre
+oysters Rockefeller
+bluepoint
+clam
+quahaug
+littleneck
+cherrystone
+soft-shell clam
+cockle
+crab
+blue crab
+crab legs
+soft-shell crab
+Japanese crab
+Alaska king crab
+Dungeness crab
+stone crab
+crayfish
+cod
+pollack
+schrod
+haddock
+finnan haddie
+salt cod
+porgy
+scup
+flatfish
+flounder
+yellowtail flounder
+plaice
+turbot
+sand dab
+sole
+grey sole
+lemon sole
+lemon sole
+halibut
+flitch
+hake
+redfish
+rockfish
+sailfish
+weakfish
+limpet
+lobster
+American lobster
+European lobster
+spiny lobster
+Norwegian lobster
+lobster tail
+coral
+tomalley
+sardine
+prawn
+river prawn
+trout
+rainbow trout
+sea trout
+brook trout
+lake trout
+whitefish
+whitefish
+lake herring
+rock salmon
+salmon
+Atlantic salmon
+red salmon
+chinook salmon
+silver salmon
+smoked salmon
+lox
+Scandinavian lox
+Nova Scotia lox
+snapper
+red snapper
+red rockfish
+scallop
+sea scallop
+bay scallop
+kippered salmon
+red herring
+shad
+smelt
+American smelt
+European smelt
+sprat
+whitebait
+roe
+milt
+caviar
+beluga caviar
+shad roe
+smoked mackerel
+feed
+cattle cake
+creep feed
+fodder
+feed grain
+eatage
+silage
+oil cake
+oil meal
+alfalfa
+broad bean
+hay
+timothy
+stover
+grain
+grist
+groats
+millet
+barley
+pearl barley
+buckwheat
+bulgur
+wheat
+cracked wheat
+stodge
+wheat germ
+oat
+rice
+brown rice
+white rice
+wild rice
+paddy
+slop
+mash
+chicken feed
+cud
+bird feed
+petfood
+mast
+dog food
+cat food
+canary seed
+salad
+tossed salad
+green salad
+Caesar salad
+salmagundi
+salad nicoise
+combination salad
+chef's salad
+potato salad
+pasta salad
+macaroni salad
+fruit salad
+Waldorf salad
+crab Louis
+herring salad
+tuna fish salad
+chicken salad
+coleslaw
+aspic
+molded salad
+tabbouleh
+ingredient
+flavorer
+bouillon cube
+beef tea
+lemon zest
+orange zest
+condiment
+herb
+fines herbes
+spice
+peppermint oil
+spearmint oil
+lemon oil
+wintergreen oil
+salt
+celery salt
+garlic salt
+onion salt
+seasoned salt
+sour salt
+five spice powder
+allspice
+cinnamon
+stick cinnamon
+clove
+cumin
+fennel
+ginger
+ginger
+mace
+nutmeg
+pepper
+black pepper
+white pepper
+sassafras
+basil
+bay leaf
+borage
+hyssop
+caraway
+chervil
+chives
+comfrey
+coriander
+coriander
+costmary
+fennel
+fennel
+fennel seed
+fenugreek
+garlic
+clove
+garlic chive
+lemon balm
+lovage
+marjoram
+mint
+mustard seed
+mustard
+Chinese mustard
+nasturtium
+parsley
+salad burnet
+rosemary
+rue
+sage
+clary sage
+savory
+summer savory
+winter savory
+sweet woodruff
+sweet cicely
+tarragon
+thyme
+turmeric
+caper
+catsup
+cardamom
+cayenne
+chili powder
+chili sauce
+chili vinegar
+chutney
+steak sauce
+taco sauce
+salsa
+mint sauce
+cranberry sauce
+curry powder
+curry
+lamb curry
+duck sauce
+horseradish
+marinade
+paprika
+Spanish paprika
+pickle
+dill pickle
+chowchow
+bread and butter pickle
+pickle relish
+piccalilli
+sweet pickle
+applesauce
+soy sauce
+Tabasco
+tomato paste
+angelica
+angelica
+almond extract
+anise
+Chinese anise
+juniper berries
+saffron
+sesame seed
+caraway seed
+poppy seed
+dill
+dill seed
+celery seed
+lemon extract
+monosodium glutamate
+vanilla bean
+vanilla
+vinegar
+cider vinegar
+wine vinegar
+sauce
+anchovy sauce
+hot sauce
+hard sauce
+horseradish sauce
+bolognese pasta sauce
+carbonara
+tomato sauce
+tartare sauce
+wine sauce
+marchand de vin
+bread sauce
+plum sauce
+peach sauce
+apricot sauce
+pesto
+ravigote
+remoulade sauce
+dressing
+sauce Louis
+bleu cheese dressing
+blue cheese dressing
+French dressing
+Lorenzo dressing
+anchovy dressing
+Italian dressing
+half-and-half dressing
+mayonnaise
+green mayonnaise
+aioli
+Russian dressing
+salad cream
+Thousand Island dressing
+barbecue sauce
+hollandaise
+bearnaise
+Bercy
+bordelaise
+bourguignon
+brown sauce
+Espagnole
+Chinese brown sauce
+blanc
+cheese sauce
+chocolate sauce
+hot-fudge sauce
+cocktail sauce
+Colbert
+white sauce
+cream sauce
+Mornay sauce
+demiglace
+gravy
+gravy
+spaghetti sauce
+marinara
+mole
+hunter's sauce
+mushroom sauce
+mustard sauce
+Nantua
+Hungarian sauce
+pepper sauce
+roux
+Smitane
+Soubise
+Lyonnaise sauce
+veloute
+allemande
+caper sauce
+poulette
+curry sauce
+Worcester sauce
+coconut milk
+egg
+egg white
+egg yolk
+boiled egg
+hard-boiled egg
+Easter egg
+Easter egg
+chocolate egg
+candy egg
+poached egg
+scrambled eggs
+deviled egg
+shirred egg
+omelet
+firm omelet
+French omelet
+fluffy omelet
+western omelet
+souffle
+fried egg
+dairy product
+milk
+milk
+sour milk
+soya milk
+formula
+pasteurized milk
+cows' milk
+yak's milk
+goats' milk
+acidophilus milk
+raw milk
+scalded milk
+homogenized milk
+certified milk
+powdered milk
+nonfat dry milk
+evaporated milk
+condensed milk
+skim milk
+semi-skimmed milk
+whole milk
+low-fat milk
+buttermilk
+cream
+clotted cream
+double creme
+half-and-half
+heavy cream
+light cream
+sour cream
+whipping cream
+butter
+stick
+clarified butter
+ghee
+brown butter
+Meuniere butter
+yogurt
+blueberry yogurt
+raita
+whey
+curd
+curd
+clabber
+cheese
+cheese rind
+paring
+cream cheese
+double cream
+mascarpone
+triple cream
+cottage cheese
+process cheese
+bleu
+Stilton
+Roquefort
+gorgonzola
+Danish blue
+Bavarian blue
+Brie
+brick cheese
+Camembert
+cheddar
+rat cheese
+Cheshire cheese
+double Gloucester
+Edam
+goat cheese
+Gouda
+grated cheese
+hand cheese
+Liederkranz
+Limburger
+mozzarella
+Muenster
+Parmesan
+quark cheese
+ricotta
+string cheese
+Swiss cheese
+Emmenthal
+Gruyere
+sapsago
+Velveeta
+nut butter
+peanut butter
+marshmallow fluff
+onion butter
+pimento butter
+shrimp butter
+lobster butter
+yak butter
+spread
+cheese spread
+anchovy butter
+fishpaste
+garlic butter
+miso
+wasabi
+snail butter
+hummus
+pate
+duck pate
+foie gras
+tapenade
+tahini
+sweetening
+aspartame
+honey
+saccharin
+sugar
+syrup
+sugar syrup
+molasses
+sorghum
+treacle
+grenadine
+maple syrup
+corn syrup
+miraculous food
+batter
+dough
+bread dough
+pancake batter
+fritter batter
+sop
+coq au vin
+chicken provencale
+chicken and rice
+moo goo gai pan
+arroz con pollo
+bacon and eggs
+barbecued spareribs
+beef Bourguignonne
+beef Wellington
+bitok
+boiled dinner
+Boston baked beans
+bubble and squeak
+pasta
+cannelloni
+carbonnade flamande
+cheese souffle
+chicken Marengo
+chicken cordon bleu
+Maryland chicken
+chicken paprika
+chicken Tetrazzini
+Tetrazzini
+chicken Kiev
+chili
+chili dog
+chop suey
+chow mein
+codfish ball
+coquille
+coquilles Saint-Jacques
+Cornish pasty
+croquette
+cottage pie
+rissole
+dolmas
+egg foo yong
+egg roll
+eggs Benedict
+enchilada
+falafel
+fish and chips
+fondue
+cheese fondue
+chocolate fondue
+fondue
+beef fondue
+French toast
+fried rice
+frittata
+frog legs
+galantine
+gefilte fish
+haggis
+ham and eggs
+hash
+corned beef hash
+jambalaya
+kabob
+kedgeree
+souvlaki
+lasagna
+seafood Newburg
+lobster Newburg
+shrimp Newburg
+Newburg sauce
+lobster thermidor
+lutefisk
+macaroni and cheese
+macedoine
+meatball
+porcupine ball
+Swedish meatball
+meat loaf
+meat pie
+pasty
+pork pie
+tourtiere
+mostaccioli
+moussaka
+osso buco
+marrowbone
+marrow
+pheasant under glass
+pigs in blankets
+pilaf
+bulgur pilaf
+pizza
+sausage pizza
+pepperoni pizza
+cheese pizza
+anchovy pizza
+Sicilian pizza
+poi
+pork and beans
+porridge
+oatmeal
+loblolly
+potpie
+rijsttaffel
+risotto
+roulade
+fish loaf
+salmon loaf
+Salisbury steak
+sauerbraten
+sauerkraut
+scallopine
+veal scallopini
+scampi
+Scotch egg
+Scotch woodcock
+scrapple
+shepherd's pie
+spaghetti and meatballs
+Spanish rice
+steak and kidney pie
+kidney pie
+steak tartare
+pepper steak
+steak au poivre
+beef Stroganoff
+stuffed cabbage
+kishke
+stuffed peppers
+stuffed tomato
+stuffed tomato
+succotash
+sukiyaki
+sashimi
+sushi
+Swiss steak
+tamale
+tamale pie
+tempura
+teriyaki
+terrine
+Welsh rarebit
+schnitzel
+tortilla
+taco
+chicken taco
+burrito
+beef burrito
+quesadilla
+tostada
+tostada
+bean tostada
+refried beans
+beverage
+wish-wash
+concoction
+mix
+filling
+lekvar
+potion
+elixir
+elixir of life
+philter
+chaser
+draft
+quaff
+round
+pledge
+alcohol
+drink
+proof spirit
+libation
+libation
+home brew
+hooch
+kava
+aperitif
+brew
+beer
+draft beer
+suds
+Munich beer
+bock
+lager
+light beer
+Oktoberfest
+Pilsner
+shebeen
+Weissbier
+Weizenbier
+Weizenbock
+malt
+wort
+malt
+ale
+bitter
+Burton
+pale ale
+porter
+stout
+Guinness
+kvass
+mead
+metheglin
+hydromel
+oenomel
+near beer
+ginger beer
+sake
+nipa
+wine
+vintage
+red wine
+white wine
+blush wine
+altar wine
+sparkling wine
+champagne
+cold duck
+Burgundy
+Beaujolais
+Medoc
+Canary wine
+Chablis
+Montrachet
+Chardonnay
+Pinot noir
+Pinot blanc
+Bordeaux
+claret
+Chianti
+Cabernet
+Merlot
+Sauvignon blanc
+California wine
+Cotes de Provence
+dessert wine
+Dubonnet
+jug wine
+macon
+Moselle
+Muscadet
+plonk
+retsina
+Rhine wine
+Riesling
+liebfraumilch
+Rhone wine
+Rioja
+sack
+Saint Emilion
+Soave
+zinfandel
+Sauterne
+straw wine
+table wine
+Tokay
+vin ordinaire
+vermouth
+sweet vermouth
+dry vermouth
+Chenin blanc
+Verdicchio
+Vouvray
+Yquem
+generic
+varietal
+fortified wine
+Madeira
+malmsey
+port
+sherry
+Manzanilla
+Amontillado
+Marsala
+muscat
+liquor
+neutral spirits
+aqua vitae
+eau de vie
+moonshine
+bathtub gin
+aquavit
+arrack
+bitters
+brandy
+applejack
+Calvados
+Armagnac
+Cognac
+grappa
+kirsch
+marc
+slivovitz
+gin
+sloe gin
+geneva
+grog
+ouzo
+rum
+demerara
+Jamaica rum
+schnapps
+pulque
+mescal
+tequila
+vodka
+whiskey
+blended whiskey
+bourbon
+corn whiskey
+firewater
+Irish
+poteen
+rye
+Scotch
+sour mash
+liqueur
+absinth
+amaretto
+anisette
+benedictine
+Chartreuse
+coffee liqueur
+creme de cacao
+creme de menthe
+creme de fraise
+Drambuie
+Galliano
+orange liqueur
+curacao
+triple sec
+Grand Marnier
+kummel
+maraschino
+pastis
+Pernod
+pousse-cafe
+Kahlua
+ratafia
+sambuca
+mixed drink
+cocktail
+Dom Pedro
+highball
+eye opener
+nightcap
+hair of the dog
+shandygaff
+stirrup cup
+sundowner
+mixer
+bishop
+Bloody Mary
+Virgin Mary
+bullshot
+cobbler
+collins
+cooler
+refresher
+smoothie
+daiquiri
+strawberry daiquiri
+NADA daiquiri
+spritzer
+flip
+gimlet
+gin and tonic
+grasshopper
+Harvey Wallbanger
+julep
+manhattan
+Rob Roy
+margarita
+martini
+gin and it
+vodka martini
+old fashioned
+pink lady
+posset
+syllabub
+sangaree
+Sazerac
+screwdriver
+sidecar
+Scotch and soda
+sling
+brandy sling
+gin sling
+rum sling
+sour
+whiskey sour
+stinger
+whiskey neat
+whiskey on the rocks
+swizzle
+hot toddy
+Tom and Jerry
+zombie
+fizz
+Irish coffee
+cafe au lait
+cafe noir
+decaffeinated coffee
+drip coffee
+espresso
+caffe latte
+cappuccino
+iced coffee
+instant coffee
+mocha
+mocha
+cassareep
+Turkish coffee
+chocolate milk
+cider
+hard cider
+scrumpy
+sweet cider
+mulled cider
+perry
+pruno
+rotgut
+slug
+cocoa
+criollo
+ice-cream soda
+root beer float
+milkshake
+eggshake
+frappe
+frappe
+juice
+fruit juice
+nectar
+apple juice
+cranberry juice
+grape juice
+must
+grapefruit juice
+orange juice
+frozen orange juice
+pineapple juice
+lemon juice
+lime juice
+papaya juice
+tomato juice
+carrot juice
+V-8 juice
+koumiss
+fruit drink
+lacing
+lemonade
+limeade
+orangeade
+malted milk
+malted
+mate
+mulled wine
+negus
+soft drink
+pop
+birch beer
+bitter lemon
+cola
+cream soda
+egg cream
+ginger ale
+orange soda
+phosphate
+Coca Cola
+Pepsi
+root beer
+sarsaparilla
+tonic
+coffee bean
+coffee
+cafe royale
+fruit punch
+milk punch
+mimosa
+pina colada
+punch
+cup
+champagne cup
+claret cup
+wassail
+planter's punch
+White Russian
+fish house punch
+May wine
+eggnog
+glogg
+cassiri
+spruce beer
+rickey
+gin rickey
+tea
+tea bag
+tea
+tea-like drink
+cambric tea
+cuppa
+herb tea
+tisane
+camomile tea
+ice tea
+sun tea
+black tea
+congou
+Darjeeling
+orange pekoe
+souchong
+green tea
+hyson
+oolong
+water
+bottled water
+branch water
+spring water
+sugar water
+tap water
+drinking water
+ice water
+soda water
+mineral water
+seltzer
+Vichy water
+brine
+perishable
+couscous
+ramekin
+rugulah
+multivitamin
+vitamin pill
+soul food
+slop
+mold
+arrangement
+straggle
+array
+classification
+dichotomy
+trichotomy
+clone
+kingdom
+kingdom
+subkingdom
+mineral kingdom
+biological group
+genotype
+biotype
+community
+biome
+people
+peoples
+age group
+ancients
+aged
+young
+baffled
+blind
+blood
+brave
+timid
+business people
+country people
+country people
+damned
+dead
+living
+deaf
+defeated
+disabled
+the halt
+doomed
+enemy
+episcopacy
+estivation
+folk
+gentlefolk
+grass roots
+free
+home folk
+homebound
+homeless
+initiate
+uninitiate
+mentally retarded
+network army
+nationality
+peanut gallery
+pocket
+retreated
+sick
+slain
+tradespeople
+wounded
+social group
+collection
+armamentarium
+art collection
+backlog
+battery
+block
+book
+book
+bottle collection
+bunch
+coin collection
+collage
+content
+ensemble
+corpus
+crop
+tenantry
+loan collection
+findings
+flagging
+flinders
+pack
+disk pack
+pack of cards
+hand
+long suit
+bridge hand
+chicane
+strong suit
+poker hand
+royal flush
+straight flush
+full house
+flush
+straight
+pair
+herbarium
+stamp collection
+statuary
+Elgin Marbles
+sum
+agglomeration
+edition
+electron shell
+gimmickry
+bunch
+knot
+nuclear club
+swad
+tuft
+wisp
+ball
+gob
+clew
+pile
+compost heap
+mass
+dunghill
+logjam
+shock
+scrapheap
+shock
+slagheap
+stack
+haystack
+haycock
+pyre
+woodpile
+combination
+amalgam
+color scheme
+complexion
+combination
+combination in restraint of trade
+body
+public
+world
+society
+migration
+minority
+sector
+business
+big business
+ethnic group
+ethnic minority
+race
+color
+master race
+interest
+special interest
+vested interest
+military-industrial complex
+kin
+mishpocha
+kith
+family
+family
+folks
+people
+homefolk
+house
+dynasty
+name
+feudalism
+patriarchy
+matriarchy
+meritocracy
+building
+broken home
+nuclear family
+extended family
+foster family
+foster home
+class
+age class
+fringe
+gathering
+bee
+carload
+congregation
+contingent
+floor
+love feast
+quilting bee
+pair
+hit parade
+Judaica
+kludge
+library
+library
+bibliotheca
+public library
+rental collection
+mythology
+classical mythology
+Greek mythology
+Roman mythology
+Norse mythology
+Nag Hammadi
+singleton
+pair
+team
+relay
+couple
+trilogy
+room
+trio
+trio
+trip wire
+Trimurti
+triplicity
+triumvirate
+troika
+turnout
+quartet
+quintet
+sextet
+septet
+octet
+quadrumvirate
+quartet
+quintet
+sextet
+septet
+octet
+Tweedledum and Tweedledee
+couple
+power couple
+DINK
+marriage
+Bronte sisters
+Marx Brothers
+same-sex marriage
+mixed marriage
+association
+antibiosis
+brood
+flock
+flock
+flock
+congregation
+bevy
+covert
+covey
+exaltation
+gaggle
+wisp
+clade
+taxonomic group
+biota
+fauna
+petting zoo
+avifauna
+wildlife
+animal group
+herd
+herd
+gam
+remuda
+pack
+wolf pack
+pod
+pride
+clowder
+school
+caste
+colony
+colony
+swarm
+infestation
+warren
+set
+chess set
+manicure set
+Victoriana
+class
+brass family
+violin family
+woodwind family
+stamp
+union
+direct sum
+intersection
+sex
+field
+field
+set
+domain
+image
+universal set
+locus
+subgroup
+subset
+null set
+Mandelbrot set
+mathematical space
+broadcasting company
+bureau de change
+car company
+dot-com
+drug company
+East India Company
+electronics company
+film company
+indie
+food company
+furniture company
+mining company
+shipping company
+steel company
+subsidiary company
+transportation company
+trucking company
+subspace
+null space
+manifold
+metric space
+Euclidean space
+Hilbert space
+field
+field
+bit field
+scalar field
+solution
+bracket
+income bracket
+price bracket
+declension
+conjugation
+conjugation
+denomination
+histocompatibility complex
+job lot
+suite
+bedroom suite
+diningroom suite
+livingroom suite
+package
+wisp
+organization
+adhocracy
+affiliate
+bureaucracy
+nongovernmental organization
+Alcoholics Anonymous
+Abu Hafs al-Masri Brigades
+Abu Sayyaf
+Aksa Martyrs Brigades
+Alex Boncayao Brigade
+al-Fatah
+al-Gama'a al-Islamiyya
+al Itihaad al Islamiya
+al-Jihad
+al-Ma'unah
+al-Muhajiroun
+Al Nathir
+al-Qaeda
+al-Rashid Trust
+al Sunna Wal Jamma
+al-Tawhid
+al-Ummah
+Ansar al Islam
+Armata Corsa
+Armed Islamic Group
+Armenian Secret Army for the Liberation of Armenia
+Army for the Liberation of Rwanda
+Asbat al-Ansar
+Aum Shinrikyo
+Baader Meinhof Gang
+Basque Homeland and Freedom
+Black September Movement
+Chukaku-Ha
+Continuity Irish Republican Army
+Democratic Front for the Liberation of Palestine
+East Turkistan Islamic Movement
+Fatah Revolutionary Council
+Fatah Tanzim
+First of October Antifascist Resistance Group
+Force 17
+Forces of Umar Al-Mukhtar
+Greenpeace
+Hamas
+Harkat-ul-Jihad-e-Islami
+Harkat-ul-Mujahidin
+Hizballah
+Hizb ut-Tahrir
+International Islamic Front for Jihad against Jews and Crusaders
+Irish National Liberation Army
+Irish Republican Army
+Islamic Army of Aden
+Islamic Great Eastern Raiders-Front
+Islamic Group of Uzbekistan
+Jaish-i-Mohammed
+Jamaat ul-Fuqra
+Japanese Red Army
+Jayshullah
+Jemaah Islamiyah
+Jerusalem Warriors
+Jund-ul-Islam
+Kahane Chai
+Kaplan Group
+Khmer Rouge
+Ku Klux Klan
+klavern
+Kurdistan Workers Party
+Contras
+Pesh Merga
+Lashkar-e-Jhangvi
+Lashkar-e-Omar
+Lashkar-e-Taiba
+Laskar Jihad
+Lautaro Youth Movement
+Liberation Tigers of Tamil Eelam
+Libyan Islamic Fighting Group
+Lord's Resistance Army
+Loyalist Volunteer Force
+Maktab al-Khidmat
+Manuel Rodriquez Patriotic Front
+Moranzanist Patriotic Front
+Moro Islamic Liberation Front
+Mujahedeen Kompak
+Mujahidin-e Khalq Organization
+National Liberation Army
+National Liberation Army
+National Liberation Front of Corsica
+New People's Army
+Orange Order
+Orange Group
+Palestine Islamic Jihad
+Palestine Liberation Front
+Palestinian Hizballah
+Pentagon Gang
+Popular Front for the Liberation of Palestine
+Popular Front for the Liberation of Palestine-General Command
+Popular Struggle Front
+15 May Organization
+People against Gangsterism and Drugs
+Puka Inti
+Qassam Brigades
+Qibla
+Real IRA
+Red Army Faction
+Red Brigades
+Red Hand Defenders
+Revolutionary Armed Forces of Colombia
+Revolutionary Organization 17 November
+Revolutionary People's Liberation Party
+Revolutionary People's Struggle
+Revolutionary Proletarian Nucleus
+Revolutionary United Front
+Salafist Group
+Shining Path
+Sipah-e-Sahaba
+Tareekh e Kasas
+Tupac Amaru Revolutionary Movement
+Tupac Katari Guerrilla Army
+Turkish Hizballah
+Ulster Defence Association
+United Self-Defense Force of Colombia
+Markaz-ud-Dawa-wal-Irshad
+Red Cross
+Salvation Army
+Tammany Hall
+Umma Tameer-e-Nau
+fiefdom
+line of defense
+line organization
+National Trust
+association
+British Commonwealth
+polity
+quango
+government
+authoritarian state
+bureaucracy
+ancien regime
+court
+Court of Saint James's
+Porte
+Downing Street
+empire
+federal government
+government-in-exile
+local government
+military government
+palace
+papacy
+Soviets
+institution
+medical institution
+clinic
+extended care facility
+hospital
+eye clinic
+financial institution
+issuer
+giro
+clearing house
+lending institution
+charity
+community chest
+soup kitchen
+enterprise
+giant
+collective
+collective farm
+kibbutz
+kolkhoz
+agency
+brokerage
+carrier
+chain
+company
+conglomerate
+large cap
+small cap
+corporation
+firm
+franchise
+manufacturer
+partnership
+copartnership
+business
+apparel chain
+discount chain
+restaurant chain
+distributor
+direct mailer
+retail chain
+accounting firm
+consulting firm
+publisher
+publishing conglomerate
+newspaper
+newsroom
+magazine
+dealer
+car dealer
+computer dealer
+jewelry dealer
+truck dealer
+law firm
+defense
+bastion
+defense
+prosecution
+planting
+commercial enterprise
+industry
+processor
+armorer
+aluminum business
+apparel industry
+banking industry
+bottler
+car manufacturer
+computer business
+automobile industry
+aviation
+chemical industry
+coal industry
+computer industry
+construction industry
+electronics industry
+entertainment industry
+film industry
+Bollywood
+filmdom
+Hollywood
+growth industry
+lighting industry
+munitions industry
+oil industry
+oil company
+packaging company
+pipeline company
+printing concern
+plastics industry
+brokerage
+bucket shop
+commodity brokerage
+marriage brokerage
+insurance company
+pension fund
+investment company
+hedge fund
+mutual fund
+index fund
+closed-end fund
+face-amount certificate company
+Real Estate Investment Trust
+unit investment trust
+market
+bear market
+bull market
+the City
+Wall Street
+money market
+service industry
+management consulting
+shipbuilder
+shipbuilding industry
+shoe industry
+sign industry
+signage
+steel industry
+sunrise industry
+tobacco industry
+toy industry
+trucking industry
+agriculture
+brotherhood
+sisterhood
+establishment
+corporate investor
+target company
+raider
+sleeping beauty
+underperformer
+white knight
+white squire
+auction house
+A-team
+battery
+administrative unit
+company
+coronary care unit
+family
+menage a trois
+flying squad
+major-league team
+minor-league team
+farm team
+baseball team
+baseball club
+basketball team
+football team
+hockey team
+junior varsity
+varsity
+second string
+police squad
+powerhouse
+offense
+defense
+religion
+Christendom
+church
+church
+Armenian Church
+Catholic Church
+Roman Catholic
+Albigenses
+Nestorian Church
+Rome
+Curia
+Sacred College
+Old Catholic Church
+Eastern Church
+Orthodox Church
+Greek Orthodox Church
+Russian Orthodox Church
+Uniat Church
+Coptic Church
+Pentecostal religion
+Protestant Church
+Christian Church
+Anglican Church
+Episcopal Church
+Church of Ireland
+Episcopal Church
+High Church
+Church of Jesus Christ of Latter-Day Saints
+Baptist Church
+Baptist denomination
+American Baptist Convention
+Southern Baptist Convention
+Arminian Baptist
+Calvinistic Baptist
+Church of the Brethren
+Christian Science
+Congregational Church
+Congregational Christian Church
+Evangelical and Reformed Church
+United Church of Christ
+Jehovah's Witnesses
+Lutheran Church
+Presbyterian Church
+Unitarian Church
+Arminian Church
+Methodist Church
+Methodist denomination
+Wesleyan Methodist Church
+Evangelical United Brethren Church
+United Methodist Church
+Anabaptist denomination
+Mennonite Church
+Unification Church
+Abecedarian
+Amish sect
+Judaism
+Sanhedrin
+Karaites
+Orthodox Judaism
+Hasidim
+Conservative Judaism
+Reform Judaism
+Islam
+Islamism
+Shiah
+Sunni
+Hinduism
+Brahmanism
+Shivaism
+Shaktism
+Vaishnavism
+Haredi
+Hare Krishna
+Jainism
+Taoism
+Taoism
+Buddhism
+Zen
+Mahayana
+Hinayana
+Tantrism
+Khalsa
+Scientology
+Shinto
+Kokka Shinto
+Shuha Shinto
+established church
+vicariate
+variety
+breed
+bloodstock
+pedigree
+lineage
+side
+genealogy
+phylum
+subphylum
+superphylum
+phylum
+class
+subclass
+superclass
+order
+suborder
+superorder
+family
+superfamily
+form family
+subfamily
+tribe
+genus
+subgenus
+monotype
+type genus
+form genus
+species
+subspecies
+endangered species
+fish species
+form
+type
+type species
+civilization
+profession
+legal profession
+health profession
+medical profession
+nursing
+businessmen
+community of scholars
+economics profession
+priesthood
+pastorate
+prelacy
+ministry
+rabbinate
+ministry
+Foreign Office
+Home Office
+French Foreign Office
+Free French
+department
+academic department
+anthropology department
+art department
+biology department
+chemistry department
+department of computer science
+economics department
+English department
+history department
+linguistics department
+mathematics department
+philosophy department
+physics department
+music department
+psychology department
+sociology department
+business department
+advertising department
+editorial department
+city desk
+sports desk
+parts department
+personnel department
+plant department
+purchasing department
+sales department
+service department
+government department
+payroll
+treasury
+local department
+corrections
+security
+fire department
+fire brigade
+fire brigade
+police department
+sanitation department
+Special Branch
+State Department
+federal department
+Atomic Energy Commission
+Nuclear Regulatory Commission
+Manhattan Project
+Environmental Protection Agency
+executive department
+executive agency
+Federal Emergency Management Agency
+Food and Drug Administration
+Council of Economic Advisors
+Center for Disease Control and Prevention
+Central Intelligence Agency
+Counterterrorist Center
+Nonproliferation Center
+Interstate Commerce Commission
+National Aeronautics and Space Administration
+National Archives and Records Administration
+National Labor Relations Board
+National Science Foundation
+Postal Rate Commission
+United States Postal Service
+United States Postal Inspection Service
+National Security Council
+Council on Environmental Policy
+Joint Chiefs of Staff
+Office of Management and Budget
+United States Trade Representative
+White House
+Department of Agriculture
+Department of Commerce
+Bureau of the Census
+National Oceanic and Atmospheric Administration
+National Climatic Data Center
+National Weather Service
+Technology Administration
+National Institute of Standards and Technology
+National Technical Information Service
+Department of Defense
+Defense Advanced Research Projects Agency
+Department of Defense Laboratory System
+Department of Education
+Department of Energy
+Department of Energy Intelligence
+Department of Health and Human Services
+United States Public Health Service
+National Institutes of Health
+Federal Communications Commission
+Social Security Administration
+Department of Homeland Security
+Department of Housing and Urban Development
+Department of Justice
+Bureau of Justice Assistance
+Bureau of Justice Statistics
+Federal Bureau of Investigation
+Immigration and Naturalization Service
+United States Border Patrol
+Federal Law Enforcement Training Center
+Financial Crimes Enforcement Network
+Department of Labor
+Department of State
+Foggy Bottom
+Bureau of Diplomatic Security
+Foreign Service
+Bureau of Intelligence and Research
+Department of the Interior
+United States Fish and Wildlife Service
+National Park Service
+Department of the Treasury
+Bureau of Alcohol Tobacco and Firearms
+Financial Management Service
+Office of Intelligence Support
+Criminal Investigation Command
+Drug Enforcement Administration
+Federal Bureau of Prisons
+Federal Judiciary
+National Institute of Justice
+United States Marshals Service
+Comptroller of the Currency
+Bureau of Customs
+Bureau of Engraving and Printing
+Internal Revenue Service
+Inland Revenue
+Department of Transportation
+Federal Aviation Agency
+Department of Veterans Affairs
+Transportation Security Administration
+Department of Commerce and Labor
+Department of Health Education and Welfare
+Navy Department
+War Department
+United States Post Office
+post office
+general delivery
+generally accepted accounting principles
+instrumentality
+neonatal intensive care unit
+intensive care unit
+denomination
+communion
+Protestant denomination
+brethren
+order
+Augustinian order
+Augustinian Canons
+Augustinian Hermits
+Austin Friars
+Benedictine order
+Carmelite order
+Carthusian order
+Dominican order
+Franciscan order
+Society of Jesus
+sect
+Religious Society of Friends
+Shakers
+Assemblies of God
+Waldenses
+Zurvanism
+cult
+cult
+cargo cult
+macumba
+obeah
+Rastafarian
+voodoo
+sainthood
+clergy
+cardinalate
+laity
+pantheon
+royalty
+Ordnance Survey
+Bourbon
+Capetian dynasty
+Carolingian dynasty
+Flavian dynasty
+Han
+Hanover
+Habsburg
+Hohenzollern
+Lancaster
+Liao
+Merovingian
+Ming
+Ottoman
+Plantagenet
+Ptolemy
+Qin
+Qing
+Romanov
+Saxe-Coburg-Gotha
+Seljuk
+Shang
+Stuart
+Sung
+Tang
+Tudor
+Umayyad
+Valois
+Wei
+Windsor
+York
+Yuan
+citizenry
+Achaean
+Aeolian
+Dorian
+Ionian
+electorate
+governed
+senate
+United States Senate
+Congress
+United States House of Representatives
+Government Accounting Office
+House of Burgesses
+House of Commons
+House of Lords
+house
+legislature
+legislative council
+assembly
+Areopagus
+States General
+Estates General
+administration
+top brass
+executive
+Bush administration
+Clinton administration
+Bush administration
+Reagan administration
+Carter administration
+judiciary
+judiciary
+nation
+commonwealth country
+developing country
+Dominion
+estate of the realm
+first estate
+second estate
+third estate
+fourth estate
+foreign country
+tribe
+Free World
+Third World
+state
+Reich
+Holy Roman Empire
+Hohenzollern empire
+Weimar Republic
+Third Reich
+rogue state
+suzerain
+member
+allies
+bloc
+Allies
+Central Powers
+Allies
+Axis
+entente
+Arab League
+Europe
+Asia
+North America
+Central America
+South America
+European Union
+Supreme Headquarters Allied Powers Europe
+North Atlantic Treaty Organization
+Allied Command Atlantic
+Supreme Allied Commander Atlantic
+Allied Command Europe
+Supreme Allied Commander Europe
+Organization for the Prohibition of Chemical Weapons
+Organization of American States
+Pan American Union
+Organization of Petroleum-Exporting Countries
+sea power
+world power
+hegemon
+church-state
+city state
+welfare state
+puppet government
+state
+population
+overpopulation
+overspill
+poor people
+rich people
+populace
+population
+home front
+multitude
+admass
+labor
+labor force
+lumpenproletariat
+organized labor
+Laurel and Hardy
+lower class
+middle class
+booboisie
+commonalty
+petit bourgeois
+peasantry
+crowd
+multitude
+hive
+horde
+ruck
+army
+crush
+traffic jam
+gridlock
+host
+Roman Legion
+Sabaoth
+drove
+drove
+huddle
+mob
+lynch mob
+company
+attendance
+limited company
+holding company
+bank holding company
+multibank holding company
+utility
+service
+telephone company
+power company
+water company
+gas company
+bus company
+livery company
+company
+opera company
+theater company
+stock company
+ballet company
+chorus
+chorus
+ensemble
+chorus
+choir
+choir
+husking bee
+corps de ballet
+circus
+minstrel show
+minstrelsy
+unit
+command
+enemy
+task force
+army unit
+army
+naval unit
+navy
+United States Navy
+coastguard
+United States Coast Guard
+Marines
+United States Marine Corps
+Naval Air Warfare Center Weapons Division
+Naval Special Warfare
+Naval Surface Warfare Center
+Naval Underwater Warfare Center
+United States Naval Academy
+Office of Naval Intelligence
+Marine Corps Intelligence Activity
+Air Corps
+United States Air Force Academy
+Royal Air Force
+Luftwaffe
+League of Nations
+Peace Corps
+air unit
+air force
+United States Air Force
+Air Combat Command
+Air Force Space Command
+Air National Guard
+Air Force Intelligence Surveillance and Reconnaissance
+armor
+guerrilla force
+military service
+military unit
+military
+military reserve
+mujahidin
+Mujahedeen Khalq
+Pentagon
+paramilitary
+fedayeen
+Fedayeen Saddam
+force
+force
+task force
+team
+hit squad
+death squad
+Sparrow Unit
+bench
+police
+Europol
+gendarmerie
+Mutawa'een
+Royal Canadian Mounted Police
+Scotland Yard
+security force
+vice squad
+military police
+shore patrol
+secret police
+Gestapo
+Schutzstaffel
+SA
+work force
+corps
+Women's Army Corps
+Reserve Officers Training Corps
+corps
+division
+Special Forces
+battle group
+regiment
+brigade
+battalion
+company
+platoon
+platoon
+section
+den
+platoon
+detachment
+vanguard
+guard
+bodyguard
+yeomanry
+patrol
+picket
+press gang
+provost guard
+rearguard
+section
+section
+brass section
+string section
+violin section
+percussion section
+trumpet section
+reed section
+clarinet section
+squad
+complement
+shift
+day shift
+evening shift
+night shift
+relay
+ship's company
+division
+division
+wing
+air group
+squadron
+escadrille
+squadron
+squadron
+escadrille
+flight
+flight
+flight
+division
+division
+division
+form division
+audience
+gallery
+audience
+readership
+viewing audience
+grandstand
+house
+claque
+following
+faithful
+fandom
+parish
+community
+community
+convent
+house
+Ummah
+speech community
+neighborhood
+hood
+street
+municipality
+municipal government
+commission plan
+state government
+totalitarian state
+city
+town
+village
+moshav
+hamlet
+cooperative
+club
+family
+koinonia
+athenaeum
+bookclub
+chapter
+chapter
+American Legion
+Veterans of Foreign Wars
+chess club
+country club
+fraternity
+glee club
+golf club
+hunt
+investors club
+jockey club
+racket club
+rowing club
+slate club
+sorority
+tennis club
+turnverein
+yacht club
+yakuza
+yoke
+league
+major league
+minor league
+baseball league
+little league
+little-league team
+basketball league
+bowling league
+football league
+hockey league
+Ivy League
+union
+industrial union
+Teamsters Union
+United Mine Workers of America
+American Federation of Labor
+American Federation of Labor and Congress of Industrial Organizations
+Congress of Industrial Organizations
+craft union
+credit union
+company union
+open shop
+closed shop
+union shop
+secret society
+Freemasonry
+Rashtriya Swayamsevak Sangh
+service club
+Lions Club
+Rotary Club
+consortium
+trust
+drug cartel
+Medellin cartel
+Cali cartel
+oil cartel
+cast
+ensemble
+constituency
+electoral college
+class
+class
+graduating class
+master class
+section
+senior class
+junior class
+sophomore class
+freshman class
+class
+revolving door
+set
+car pool
+clique
+Bloomsbury Group
+bohemia
+kitchen cabinet
+loop
+cabal
+military junta
+cadre
+core
+portfolio
+professional association
+gang
+detail
+chain gang
+ground crew
+road gang
+section gang
+stage crew
+Fabian Society
+gang
+nest
+sleeper nest
+youth gang
+demimonde
+underworld
+organized crime
+mafia
+Mafia
+Mafia
+Black Hand
+Camorra
+syndicate
+yeomanry
+musical organization
+duet
+trio
+quartet
+barbershop quartet
+string quartet
+quintet
+sextet
+septet
+octet
+orchestra
+chamber orchestra
+gamelan
+string orchestra
+symphony orchestra
+band
+marching band
+brass band
+concert band
+jug band
+pop group
+indie
+dance band
+big band
+jazz band
+mariachi
+rock group
+skiffle group
+steel band
+horde
+Golden Horde
+cohort
+cohort
+conspiracy
+Four Hundred
+horsy set
+jet set
+faction
+splinter group
+social gathering
+function
+party
+shindig
+dance
+ball
+masquerade
+banquet
+dinner
+gaudy
+beanfeast
+reception
+at home
+levee
+tea
+wedding reception
+open house
+housewarming
+soiree
+musical soiree
+garden party
+bachelor party
+shower
+stag party
+hen party
+slumber party
+sociable
+supper
+wedding
+party
+American Labor Party
+American Party
+Anti-Masonic Party
+Black Panthers
+Communist Party
+Conservative Party
+Constitutional Union Party
+Democratic Party
+Democratic-Republican Party
+Farmer-Labor Party
+Federalist Party
+Free Soil Party
+Gironde
+Green Party
+Greenback Party
+Kuomintang
+labor party
+Australian Labor Party
+British Labour Party
+Liberal Democrat Party
+Liberal Party
+Liberty Party
+Militant Tendency
+National Socialist German Workers' Party
+People's Party
+Progressive Party
+Prohibition Party
+Republican Party
+Social Democratic Party
+Socialist Labor Party
+Socialist Party
+States' Rights Democratic Party
+war party
+Whig Party
+third party
+machine
+machine
+party
+fatigue party
+landing party
+party to the action
+rescue party
+search party
+stretcher party
+war party
+professional organization
+table
+actuarial table
+mortality table
+calendar
+perpetual calendar
+file allocation table
+periodic table
+matrix
+dot matrix
+square matrix
+diagonal
+main diagonal
+secondary diagonal
+diagonal matrix
+scalar matrix
+identity matrix
+determinant
+Latin square
+magic square
+nonsingular matrix
+real matrix
+singular matrix
+transpose
+diagonal
+Oort cloud
+galaxy
+galaxy
+spiral galaxy
+Andromeda galaxy
+legion
+foreign legion
+French Foreign Legion
+legion
+echelon
+phalanx
+phalanx
+score
+threescore
+synset
+combination
+crew
+aircrew
+bomber crew
+merchant marine
+crew
+crowd
+shock troops
+SWAT team
+troop
+troop
+troop
+troop
+outfit
+academia
+Grub Street
+school
+Ashcan School
+deconstructivism
+historical school
+pointillism
+educational institution
+preschool
+school
+school
+junior school
+infant school
+academy
+yeshiva
+college
+college
+correspondence school
+crammer
+dancing school
+direct-grant school
+driving school
+academy
+police academy
+military academy
+naval academy
+air force academy
+Plato's Academy
+academy
+Academy of Motion Picture Arts and Sciences
+Academy of Television Arts and Sciences
+French Academy
+National Academy of Sciences
+Royal Academy
+Royal Society
+business college
+business school
+dental school
+finishing school
+flying school
+junior college
+community college
+graduate school
+language school
+law school
+madrasa
+medical school
+music school
+nursing school
+pesantran
+religious school
+church school
+riding school
+secondary school
+secretarial school
+seminary
+seminary
+technical school
+polytechnic institute
+trade school
+trainband
+training college
+training school
+university
+gown
+university
+multiversity
+Open University
+varsity
+veterinary school
+conservatory
+staff
+culture
+open society
+tribal society
+hunting and gathering tribe
+subculture
+suburbia
+youth culture
+hip-hop
+youth subculture
+flower people
+Aegean civilization
+Helladic civilization
+Indus civilization
+Minoan civilization
+Cycladic civilization
+Mycenaean civilization
+Paleo-American culture
+Clovis culture
+Folsom culture
+Western culture
+psychedelia
+Rastafari
+fleet
+armada
+Spanish Armada
+battle fleet
+fleet
+fleet
+motor pool
+fleet
+alliance
+nonalignment
+popular front
+world organization
+Commonwealth of Independent States
+United Nations
+deliberative assembly
+General Assembly
+United Nations Secretariat
+Security Council
+Trusteeship Council
+Economic and Social Council
+Economic and Social Council commission
+Commission on Human Rights
+Commission on Narcotic Drugs
+Commission on the Status of Women
+Economic Commission for Africa
+Economic Commission for Asia and the Far East
+Economic Commission for Europe
+Economic Commission for Latin America
+Population Commission
+Social Development Commission
+Statistical Commission
+International Court of Justice
+United Nations agency
+United Nations Children's Fund
+Food and Agriculture Organization
+General Agreement on Tariffs and Trade
+International Atomic Energy Agency
+International Bank for Reconstruction and Development
+International Civil Aviation Organization
+International Development Association
+International Finance Corporation
+International Labor Organization
+International Maritime Organization
+International Monetary Fund
+United Nations Educational Scientific and Cultural Organization
+United Nations Office for Drug Control and Crime Prevention
+United Nations Crime Prevention and Criminal Justice
+World Health Organization
+World Meteorological Organization
+sterling area
+confederation
+federation
+nation
+Creek Confederacy
+Hanseatic League
+enosis
+union
+league
+Iroquois League
+customs union
+Benelux
+ally
+caste
+caste
+jati
+varna
+brahman
+rajanya
+vaisya
+sudra
+meeting
+board meeting
+camp meeting
+caucus
+conclave
+conference
+congress
+Congress of Racial Equality
+convention
+Constitutional Convention
+council
+encounter group
+forum
+plenum
+psychotherapy group
+stockholders meeting
+covey
+meeting
+North Atlantic Council
+council
+city council
+executive council
+panchayat
+privy council
+divan
+works council
+town meeting
+summit
+town meeting
+council
+ecumenical council
+Nicaea
+Constantinople
+Ephesus
+Chalcedon
+Constantinople
+Constantinople
+Nicaea
+Constantinople
+Lateran Council
+First Lateran Council
+Second Lateran Council
+Third Lateran Council
+Fourth Lateran Council
+Lyons
+Lyons
+Vienne
+Constance
+Council of Basel-Ferrara-Florence
+Fifth Lateran Council
+Council of Trent
+Vatican Council
+First Vatican Council
+Second Vatican Council
+Continental Congress
+congress
+diet
+chamber
+chamber of commerce
+parliament
+British Parliament
+Dail Eireann
+Knesset
+Oireachtas
+Seanad Eireann
+Duma
+soviet
+Palestine Liberation Organization
+Palestine National Authority
+Sinn Fein
+Red Guard
+syndicalism
+indaba
+Jirga
+Loya Jirga
+powwow
+synod
+world council
+blue ribbon commission
+board
+appeal board
+board of selectmen
+board of regents
+board of trustees
+Federal Reserve Board
+governing board
+secretariat
+committee
+election commission
+fairness commission
+planning commission
+conservancy
+committee
+select committee
+subcommittee
+vigilance committee
+welcoming committee
+standing committee
+Ways and Means Committee
+steering committee
+ethics committee
+finance committee
+politburo
+political action committee
+presidium
+symposium
+seminar
+colloquium
+Potsdam Conference
+Yalta Conference
+research colloquium
+Bench
+border patrol
+harbor patrol
+patrol
+court
+court
+appellate court
+circuit court of appeals
+circuit
+assizes
+chancery
+consistory
+criminal court
+drumhead court-martial
+court-martial
+special court-martial
+divorce court
+family court
+federal court
+Foreign Intelligence Surveillance Court
+inferior court
+Inquisition
+Spanish Inquisition
+Roman Inquisition
+juvenile court
+kangaroo court
+military court
+moot court
+night court
+Old Bailey
+provost court
+police court
+probate court
+quarter sessions
+Rota
+Star Chamber
+superior court
+Supreme Court
+supreme court
+traffic court
+trial court
+repertoire
+repertory
+representation
+agency
+independent agency
+intelligence
+military intelligence
+United States intelligence agency
+Intelligence Community
+Advanced Research and Development Activity
+Defense Intelligence Agency
+Defense Logistics Agency
+Defense Reutilization and Marketing Service
+Defense Technical Information Center
+international intelligence agency
+Canadian Security Intelligence Service
+Central Intelligence Machinery
+Communications Security Establishment
+Criminal Intelligence Services of Canada
+Department of Justice Canada
+Directorate for Inter-Services Intelligence
+Foreign Intelligence Service
+International Relations and Security Network
+international law enforcement agency
+Interpol
+Iraqi Intelligence Service
+Republican Guard
+Haganah
+Israeli Defense Force
+Sayeret Matkal
+Special Air Service
+A'man
+Mossad
+Secret Intelligence Service
+Security Intelligence Review Committee
+Security Service
+Shin Bet
+National Reconnaissance Office
+National Security Agency
+United States Secret Service
+law enforcement agency
+Occupational Safety and Health Administration
+organ
+admiralty
+Patent and Trademark Office Database
+central bank
+European Central Bank
+Federal Reserve System
+Federal Reserve Bank
+Federal Trade Commission
+Office of Inspector General
+General Services Administration
+Federal Protective Service
+Bank of England
+Bundesbank
+Bank of Japan
+office
+research staff
+sales staff
+security staff
+service staff
+Small Business Administration
+redevelopment authority
+regulatory agency
+Selective Service
+weather bureau
+advertising agency
+credit bureau
+detective agency
+employment agency
+placement office
+hiring hall
+mercantile agency
+news agency
+syndicate
+service agency
+travel agency
+United States government
+executive branch
+legislative branch
+United States Government Printing Office
+judicial branch
+Capital
+civil service
+Whitehall
+county council
+diplomatic service
+government officials
+quorum
+minyan
+rally
+pep rally
+cell
+sleeper cell
+terrorist cell
+operational cell
+intelligence cell
+auxiliary cell
+fifth column
+political unit
+amphictyony
+lunatic fringe
+revolutionary group
+underground
+Maquis
+autocracy
+constitutionalism
+democracy
+diarchy
+gerontocracy
+gynecocracy
+hegemony
+mobocracy
+oligarchy
+plutocracy
+republic
+technocracy
+theocracy
+hierocracy
+parliamentary democracy
+monarchy
+parliamentary monarchy
+capitalism
+venture capitalism
+black economy
+industrialism
+market economy
+mixed economy
+non-market economy
+state capitalism
+state socialism
+communism
+International
+socialism
+Nazism
+Falange
+economy
+managed economy
+mercantilism
+communist economy
+pluralism
+political system
+Bolshevism
+revisionism
+revisionism
+ecosystem
+generation
+posterity
+descendants
+coevals
+beat generation
+Beatles
+teddy boys
+punks
+rockers
+skinheads
+mods
+baby boom
+generation X
+peer group
+moiety
+tribe
+totem
+tableau
+Tribes of Israel
+Lost Tribes
+venation
+vernation
+combination
+combination
+Fibonacci sequence
+phyle
+colony
+frontier settlement
+Plantation
+proprietary colony
+commonwealth
+commune
+lobby
+National Rifle Association
+lobby
+hierarchy
+chain
+catena
+daisy chain
+cordon
+course
+cycle
+electromotive series
+hierarchy
+celestial hierarchy
+data hierarchy
+taxonomy
+class structure
+caste system
+social organization
+racial segregation
+petty apartheid
+de facto segregation
+de jure segregation
+purdah
+ulema
+segregation
+white separatism
+directorate
+staggered board of directors
+management
+house
+leadership
+advisory board
+cabinet
+British Cabinet
+shadow cabinet
+United States Cabinet
+draft board
+Kashag
+stock company
+joint-stock company
+closed corporation
+family business
+closely held corporation
+shell corporation
+Federal Deposit Insurance Corporation
+Federal Home Loan Mortgage Corporation
+Federal National Mortgage Association
+conventicle
+date
+visit
+blind date
+double date
+tryst
+luncheon meeting
+power breakfast
+revival
+argosy
+upper class
+elite
+chosen
+cream
+gentry
+intelligentsia
+culturati
+literati
+landed gentry
+ruling class
+society
+few
+nobility
+noblesse
+peerage
+baronetage
+knighthood
+samurai
+ninja
+artillery
+musketry
+battery
+cavalry
+horse cavalry
+mechanized cavalry
+infantry
+paratroops
+militia
+militia
+home guard
+territorial
+National Guard
+National Guard Bureau
+Territorial Army
+terrorist organization
+standing army
+Union Army
+Confederate Army
+Continental Army
+United States Army
+United States Army Rangers
+United States Military Academy
+Army Intelligence
+Ballistic Missile Defense Organization
+Defense Information Systems Agency
+National Geospatial-Intelligence Agency
+Casualty Care Research Center
+Army National Guard
+military personnel
+friendly
+hostile
+cavalry
+garrison
+rank and file
+coven
+sabbat
+assortment
+grab bag
+witches' brew
+range
+selection
+odds and ends
+alphabet soup
+litter
+batch
+schmeer
+batch
+clutch
+membership
+branch
+clientele
+rank and file
+rabble
+smart money
+trash
+convocation
+alma mater
+deputation
+diplomatic mission
+embassy
+High Commission
+legation
+mission
+press corps
+occupational group
+opposition
+Iraqi National Congress
+Opposition
+commando
+contingent
+general staff
+headquarters
+headquarters staff
+high command
+posse
+kingdom
+empire
+Mogul empire
+Second Empire
+rogue's gallery
+galere
+hard core
+foundation
+charity
+philanthropic foundation
+private foundation
+public charity
+institute
+sisterhood
+exhibition
+art exhibition
+retrospective
+peepshow
+fair
+book fair
+fair
+side
+working group
+expedition
+Lewis and Clark Expedition
+senior high school
+junior high school
+preparatory school
+choir school
+public school
+charter school
+public school
+Eton College
+Winchester College
+private school
+Catholic school
+dance school
+day school
+boarding school
+day school
+night school
+kindergarten
+nursery school
+playschool
+Sunday school
+normal school
+grade school
+grammar school
+secondary modern school
+comprehensive school
+school board
+zoning board
+zoning commission
+immigration
+inspectorate
+jury
+panel
+panel
+jury
+grand jury
+hung jury
+petit jury
+special jury
+spearhead
+bevy
+firing line
+immigrant class
+left
+center
+right
+religious right
+hard right
+old guard
+pro-choice faction
+pro-life faction
+old school
+convoy
+convoy
+seance
+aggregate
+agent bank
+commercial bank
+national bank
+state bank
+lead bank
+member bank
+merchant bank
+acquirer
+acquirer
+transfer agent
+nondepository financial institution
+depository financial institution
+finance company
+consumer finance company
+industrial bank
+captive finance company
+sales finance company
+commercial finance company
+Farm Credit System
+hawala
+thrift institution
+savings and loan
+building society
+savings bank
+Home Loan Bank
+Federal Home Loan Bank System
+Federal Housing Administration
+child welfare agency
+Securities and Exchange Commission
+trust company
+mutual savings bank
+federal savings bank
+firing squad
+market
+black market
+traffic
+air traffic
+commuter traffic
+pedestrian traffic
+vehicular traffic
+automobile traffic
+bicycle traffic
+bus traffic
+truck traffic
+formation
+military formation
+open order
+close order
+extended order
+sick call
+caravan
+cavalcade
+march
+hunger march
+motorcade
+parade
+callithump
+file
+snake dance
+column
+cortege
+Praetorian Guard
+cortege
+recession
+backfield
+secondary
+linemen
+line
+line
+line of march
+line of succession
+lineup
+picket line
+row
+serration
+terrace
+rank
+conga line
+trap line
+queue
+breadline
+checkout line
+chow line
+gas line
+reception line
+ticket line
+unemployment line
+row
+column
+aviation
+dragnet
+machinery
+network
+espionage network
+old boy network
+support system
+nonlinear system
+system
+subsystem
+organism
+syntax
+body
+shebang
+craft
+vegetation
+browse
+brush
+brake
+canebrake
+spinney
+growth
+scrub
+stand
+forest
+bosk
+grove
+jungle
+rain forest
+temperate rain forest
+tropical rain forest
+underbrush
+shrubbery
+garden
+staff
+line personnel
+management personnel
+dictatorship
+police state
+law
+administrative law
+canon law
+civil law
+common law
+international law
+maritime law
+law of the land
+martial law
+mercantile law
+military law
+Mosaic law
+shariah
+hudud
+statutory law
+securities law
+tax law
+bureaucracy
+menagerie
+ordering
+genetic code
+genome
+triplet code
+series
+series
+nexus
+progression
+rash
+sequence
+string
+succession
+cascade
+parade
+streak
+losing streak
+winning streak
+arithmetic progression
+geometric progression
+harmonic progression
+stream
+wave train
+panoply
+bank
+stockpile
+data
+accounting data
+metadata
+raw data
+ana
+mail
+fan mail
+hate mail
+mailing
+sampler
+treasure
+treasure trove
+trinketry
+troponymy
+movement
+deco
+art nouveau
+avant-garde
+constructivism
+suprematism
+cubism
+dada
+artistic movement
+expressionism
+neoexpressionism
+supra expressionism
+fauvism
+futurism
+Hudson River school
+imagism
+lake poets
+luminism
+minimalism
+naturalism
+needy
+neoromanticism
+New Wave
+secession
+surrealism
+symbolism
+Boy Scouts
+Boy Scouts of America
+Girl Scouts
+Civil Rights movement
+common front
+cultural movement
+ecumenism
+falun gong
+political movement
+Enlightenment
+labor movement
+Industrial Workers of the World
+unionism
+reform movement
+religious movement
+Akhbari
+Usuli
+Counter Reformation
+ecumenical movement
+Gallicanism
+Lubavitch
+Oxford movement
+Pietism
+Reformation
+Taliban
+Northern Alliance
+Nation of Islam
+humanism
+analytical cubism
+synthetic cubism
+unconfessed
+unemployed people
+wolf pack
+womanhood
+womankind
+camp
+hobo camp
+record company
+reunion
+mover
+think tank
+vestry
+Jewry
+Zionism
+Zhou
+muster
+rap group
+rave-up
+registration
+table
+World Council of Churches
+number
+vote
+blue
+grey
+host
+pool
+typing pool
+shipper
+center
+diaspora
+flank
+head
+local authority
+rear
+smithereens
+chosen people
+Azeri
+Bengali
+Berbers
+Dagestani
+Flemish
+Hebrews
+Maori
+Mayas
+Mbundu
+Pathan
+Tajik
+Walloons
+Ferdinand and Isabella
+Medici
+Committee for State Security
+Federal Security Bureau
+Russian agency
+Wicca
+William and Mary
+wine tasting
+wing
+Wise Men
+World Trade Organization
+Association for the Advancement of Retired Persons
+National Association of Realtors
+Association of Southeast Asian Nations
+Abkhaz
+Achomawi
+Akwa'ala
+Aleut
+Circassian
+Inca
+Quechua
+Xhosa
+Zulu
+here
+there
+somewhere
+bilocation
+seat
+home
+base
+aclinic line
+agonic line
+isogonic line
+address
+mailing address
+box number
+post-office box number
+street address
+administrative district
+aerie
+agora
+air lane
+traffic pattern
+territory
+Andalusia
+Appalachia
+flight path
+wing
+approach path
+ambiance
+amusement park
+Antarctic
+Antarctic Circle
+Adelie Land
+apex
+antapex
+apogee
+apoapsis
+aphelion
+apojove
+aposelene
+apron
+Arctic
+polar circle
+Arctic Circle
+arena
+area
+high country
+ascending node
+node
+node
+antinode
+asteroid belt
+atmosphere
+bed ground
+biosphere
+back of beyond
+colony
+Crown Colony
+depth
+outer space
+interplanetary space
+interstellar space
+frontier
+heliopause
+heliosphere
+holding pattern
+intergalactic space
+deep space
+aerospace
+airspace
+backwater
+backwoods
+Bad Lands
+banana republic
+Barbary
+Barbary Coast
+Barbary Coast
+Bithynia
+Nicaea
+Nubia
+barren
+heath
+bush
+outback
+Never-Never
+frontier
+desert
+semidesert
+oasis
+battlefield
+Armageddon
+Camlan
+minefield
+beat
+beginning
+derivation
+spring
+fountainhead
+headwater
+wellhead
+jumping-off place
+jungle
+concrete jungle
+zone
+belt
+Bible Belt
+fatherland
+birthplace
+birthplace
+side
+beam-ends
+bottom
+underbelly
+foot
+base
+bottom
+rock bottom
+boundary
+boundary line
+bourn
+borderland
+narco-state
+place
+center
+colony
+nerve center
+circumference
+fence line
+Green Line
+Line of Control
+property line
+state line
+Mason-Dixon line
+district line
+county line
+city line
+balk
+balkline
+bomb site
+bowels
+bowling green
+breadbasket
+breeding ground
+bridgehead
+brink
+broadcast area
+buffer state
+bull's eye
+bus route
+bus stop
+checkpoint
+cabstand
+campsite
+campus
+capital
+capital
+river basin
+detention basin
+retention basin
+Caucasia
+Transcaucasia
+celestial equator
+celestial point
+equinoctial point
+vernal equinox
+autumnal equinox
+celestial sphere
+cemetery
+center
+center of buoyancy
+center of gravity
+center of flotation
+center of mass
+barycenter
+centroid
+trichion
+center
+center stage
+city center
+core
+navel
+storm center
+city
+megalopolis
+city district
+precinct
+police precinct
+voting precinct
+polling place
+business district
+outskirts
+environs
+Tin Pan Alley
+conurbation
+subtopia
+borough
+burgh
+pocket borough
+rotten borough
+borough
+canton
+city
+city limit
+clearing
+Coats Land
+commune
+zone
+climatic zone
+commons
+commonwealth
+confluence
+congressional district
+financial center
+hub
+civic center
+inner city
+chokepoint
+Corn Belt
+corncob
+corner
+corner
+corner
+cornfield
+country
+county
+county
+county palatine
+county seat
+county town
+cow pasture
+crest
+timber line
+snow line
+crossing
+cross section
+culmination
+profile
+soil profile
+department
+descending node
+development
+ghetto
+housing development
+housing estate
+housing project
+dig
+abbacy
+archbishopric
+archdeaconry
+bailiwick
+caliphate
+archdiocese
+diocese
+disaster area
+eparchy
+theater of war
+field
+zone of interior
+district
+enclave
+federal district
+palatinate
+residential district
+planned community
+retirement community
+uptown
+red-light district
+suburb
+exurbia
+addition
+bedroom community
+faubourg
+stockbroker belt
+tenement district
+airspace
+crawlspace
+disk space
+disk overhead
+swap space
+distance
+domain
+archduchy
+barony
+duchy
+earldom
+emirate
+empire
+fiefdom
+grand duchy
+viscounty
+khanate
+kingdom
+Camelot
+principality
+Kingdom of God
+sheikdom
+suzerainty
+residence
+domicile
+home
+home away from home
+business address
+dump
+dude ranch
+honeymoon resort
+eitchen midden
+earshot
+view
+north
+northeast
+east
+southeast
+south
+southwest
+west
+northwest
+Earth
+eastern hemisphere
+Old World
+East
+Far East
+northland
+southland
+East
+Southeast
+Southwest
+Northeast
+Northwest
+Midwest
+Pacific Northwest
+Rustbelt
+ecliptic
+Eden
+edge
+end
+end
+end point
+end
+end
+Enderby Land
+environment
+Finger Lakes
+finish
+medium
+setting
+scenario
+element
+equator
+extremity
+extreme point
+fairway
+farmland
+fault line
+field
+field
+field of fire
+grounds
+bent
+hayfield
+playing field
+medical center
+midfield
+finishing line
+firebreak
+firing line
+flea market
+Fleet Street
+flies
+focus
+forefront
+foul line
+foul line
+foul line
+baseline
+Frigid Zone
+front
+battlefront
+garbage heap
+toxic waste dump
+gathering place
+geographical area
+epicenter
+dust bowl
+biogeographical region
+benthos
+geographic point
+ghetto
+goal line
+goldfield
+grainfield
+great circle
+green
+greenbelt
+ground
+ground zero
+ground zero
+habitat
+habitation
+half-mast
+Harley Street
+hatchery
+haunt
+hearth
+heartland
+hunting ground
+D-layer
+Appleton layer
+Heaviside layer
+hell
+hemisphere
+hemline
+heronry
+hipline
+hipline
+drop
+dead drop
+hideout
+lurking place
+hiding place
+high
+hilltop
+hole-in-the-wall
+holy place
+home
+point source
+trail head
+home range
+horizon
+horizon
+horse latitude
+hot spot
+hot spot
+hour angle
+hour circle
+see
+junkyard
+justiciary
+reservation
+Indian reservation
+preserve
+shooting preserve
+school district
+shire
+industrial park
+inside
+inside
+belly
+midland
+midst
+penetralia
+ionosphere
+irredenta
+isobar
+isochrone
+isoclinic line
+isogram
+isohel
+isotherm
+jurisdiction
+turf
+key
+kingdom
+lair
+launching site
+lawn
+layer
+lead
+lee
+limb
+limit
+upper limit
+lower limit
+limit
+line
+line
+line
+flight line
+line of battle
+salient
+battle line
+line of flight
+line of march
+line of sight
+latitude
+latitude
+lunar latitude
+littoral
+loading zone
+load line
+Lombard Street
+longitude
+Whitehall
+Trafalgar Square
+lookout
+Maghreb
+magnetic pole
+mandate
+market cross
+maximum
+grassland
+mecca
+melting pot
+meridian
+observer's meridian
+prime meridian
+Greenwich Meridian
+magnetic meridian
+dateline
+meteorological observation post
+midair
+minimum
+monument
+mud flat
+nadir
+national park
+Acadia National Park
+Arches National Park
+Badlands National Park
+Big Bend
+Big Bend National Park
+Biscayne National Park
+Bryce Canyon National Park
+Canyonlands National Park
+Capitol Reef National Park
+Carlsbad Caverns National Park
+Channel Islands National Park
+Crater Lake National Park
+Denali National Park
+Everglades National Park
+Gates of the Arctic National Park
+Grand Canyon National Park
+Grand Teton National Park
+Great Smoky Mountains National Park
+Guadalupe Mountains National Park
+Haleakala National Park
+Hawaii Volcanoes National Park
+Hot Springs National Park
+Isle Royal National Park
+Katmai National Park
+Kenai Fjords National Park
+Kings Canyon National Park
+Kobuk Valley National Park
+Lake Clark National Park
+Lassen Volcanic National Park
+Mammoth Cave National Park
+Mesa Verde National Park
+Mount Ranier National Park
+North Cascades National Park
+Olympic National Park
+Petrified Forest National Park
+Platt National Park
+Redwood National Park
+Rocky Mountain National Park
+Sequoia National Park
+Shenandoah National Park
+Theodore Roosevelt Memorial National Park
+Virgin Islands National Park
+Voyageurs National Park
+Wind Cave National Park
+windward
+Wrangell-St. Elias National Park
+Yellowstone National Park
+Yosemite National Park
+Zion National Park
+nesting place
+no-go area
+no man's land
+nombril
+no-parking zone
+north celestial pole
+northern hemisphere
+North Pole
+old country
+orbit
+orbit
+geosynchronous orbit
+geostationary orbit
+outline
+coastline
+paper route
+profile
+silhouette
+outside
+outside
+outdoors
+outstation
+overlook
+paddy
+panhandle
+parade ground
+fairground
+midway
+fairway
+parish
+park
+park
+parking lot
+parking space
+parts
+pasture
+path
+beeline
+circuit
+crosscut
+supply line
+line of fire
+migration route
+fairway
+patriarchate
+peak
+periapsis
+perigee
+perihelion
+perijove
+periselene
+pesthole
+picnic area
+pinnacle
+prairie
+public square
+plaza
+toll plaza
+point
+abutment
+pole
+pole
+pole position
+polls
+pride of place
+position
+position
+pressure point
+military position
+anomaly
+site
+active site
+close quarters
+locus
+locus of infection
+restriction site
+setting
+juxtaposition
+lie
+post
+pitch
+landmark
+right
+stage right
+left
+stage left
+back
+front
+municipality
+new town
+perch
+potter's field
+prefecture
+premises
+protectorate
+quadrant
+quadrant
+quadrant
+quarter
+kasbah
+medina
+Queen Maud Land
+radius
+rain shadow
+range
+range
+rear
+rearward
+red line
+region
+region
+possession
+antipodes
+rifle range
+unknown
+staging area
+open
+rhumb line
+declination
+right ascension
+waterfront
+seafront
+port
+entrepot
+free port
+home port
+outport
+port of entry
+seaport
+coaling station
+port of call
+free port
+anchorage
+treaty port
+mooring
+roads
+dockyard
+resort
+resort area
+rough
+vicinity
+gold coast
+'hood
+place
+block
+neighborhood
+proximity
+presence
+rendezvous
+retreat
+ashram
+ashram
+Camp David
+nook
+nest
+pleasance
+safety
+harborage
+danger
+danger line
+rookery
+Rubicon
+country
+countryside
+scrubland
+weald
+wold
+safari park
+sanctum
+sandlot
+savanna
+scene
+light
+darkness
+field of honor
+stage
+scenery
+landscape
+seascape
+separation
+schoolyard
+churchyard
+scour
+seat
+seat
+section
+section
+sector
+service area
+showplace
+shrubbery
+side
+side
+bedside
+blind side
+dockside
+east side
+hand
+north side
+shipside
+south side
+west side
+scrimmage line
+service line
+sideline
+site
+skyline
+slum
+shantytown
+skid road
+skid row
+ski resort
+solitude
+southern hemisphere
+South Pole
+south celestial pole
+space
+air
+vacuum
+sphere
+stand
+start
+touchline
+yard line
+eparchy
+state
+American state
+station
+Stonehenge
+stop
+stopover
+stratum
+Strand
+substrate
+superstrate
+horizon
+soil horizon
+A-horizon
+B-horizon
+C-horizon
+geological horizon
+seam
+coal seam
+coalface
+field
+coalfield
+gasfield
+oilfield
+corner
+substrate
+surface
+tank farm
+target
+ground zero
+tax haven
+tee
+toxic site
+orphan site
+Temperate Zone
+North Temperate Zone
+South Temperate Zone
+terreplein
+testing ground
+theme park
+three-mile limit
+tip
+top
+desktop
+rooftop
+top
+head
+tiptop
+topographic point
+pool
+Torrid Zone
+town
+burg
+boom town
+cow town
+ghost town
+hometown
+Main Street
+market town
+township
+ward
+settlement
+village
+kampong
+kraal
+pueblo
+tract
+subdivision
+subtropics
+mine field
+terrain
+plot
+lot
+tropic
+Tropic of Cancer
+Tropic of Capricorn
+trust territory
+urban area
+barrio
+barrio
+used-car lot
+vacant lot
+Van Allen belt
+vanishing point
+vantage
+vantage point
+veld
+venue
+venue
+vertex
+vertical circle
+viceroyalty
+Victoria Land
+village green
+warren
+watering place
+waterline
+water line
+high-water mark
+low-water mark
+watershed
+continental divide
+Great Divide
+direction
+trade route
+Silk Road
+Northwest Passage
+bearing
+tack
+course
+east-west direction
+north-south direction
+qibla
+tendency
+wave front
+Wilkes Land
+western hemisphere
+West
+West
+Wild West
+wheatfield
+whereabouts
+wilderness
+winner's circle
+tape
+wire
+workspace
+yard
+tiltyard
+yard
+zenith
+exaltation
+zodiac
+sign of the zodiac
+Aries
+Taurus
+Gemini
+Cancer
+Leo
+Virgo
+Libra
+Scorpio
+Sagittarius
+Capricorn
+Aquarius
+Pisces
+zone
+buffer zone
+combat zone
+war zone
+bridgehead
+airhead
+beachhead
+combat zone
+turf
+danger zone
+demilitarized zone
+drop zone
+kill zone
+killing field
+enterprise zone
+outskirt
+strike zone
+tidal zone
+time zone
+transit zone
+national capital
+provincial capital
+state capital
+Continent
+European country
+Scandinavian country
+Balkans
+Balkan country
+African country
+East Africa
+Namibia
+Windhoek
+Asian country
+Cappadocia
+Galatia
+Phrygia
+Colossae
+Pontus
+Asia Minor
+South American country
+North American country
+Central American country
+Afghanistan
+Herat
+Jalalabad
+Kabul
+Kandahar
+Mazar-i-Sharif
+Illyria
+Albania
+Tirana
+Durres
+Algeria
+Algiers
+Annaba
+Batna
+Blida
+Oran
+Constantine
+Djanet
+Hippo
+Reggane
+Timgad
+Timimoun
+Numidia
+Angola
+Luanda
+Huambo
+Lobito
+Anguilla
+Aran Islands
+Caribbean
+Cayman Islands
+George Town
+Antigua and Barbuda
+Antigua
+Barbuda
+Redonda
+St. John's
+Bengal
+Bermuda
+Hamilton
+Bermuda Triangle
+Bouvet Island
+Montserrat
+Patagonia
+Triple Frontier
+Argentina
+Bahia Blanca
+Buenos Aires
+Cordoba
+Moron
+Rosario
+Vicente Lopez
+pampas
+Balkan Peninsula
+Bulgaria
+Sofia
+Dobrich
+Plovdiv
+Varna
+Southeast Asia
+Myanmar
+Yangon
+Mandalay
+Moulmein
+Burundi
+Bujumbura
+Cambodia
+Phnom Penh
+Cameroon
+Yaounde
+Douala
+Cape Verde Islands
+Cape Verde
+Praia
+Sao Tiago Island
+Falkland Islands
+Central African Republic
+Bangui
+Ceylon
+Sri Lanka
+Colombo
+Kandy
+Eelam
+Chad
+N'Djamena
+Chile
+Antofagasta
+Chiloe
+Concepcion
+Gran Santiago
+Punta Arenas
+Temuco
+Valparaiso
+Vina del Mar
+Tierra del Fuego
+Cape Horn
+Manchuria
+China
+Turkistan
+Beijing
+Forbidden City
+Chongqing
+Guangdong
+Guangzhou
+Gansu
+Hebei
+Hunan
+Szechwan
+Yunnan
+Lanzhou
+Luda
+Dalian
+Luoyang
+Lushun
+Hangzhou
+Nanchang
+Nanning
+Nanjing
+Shanghai
+Shenyang
+Taiyuan
+Tangshan
+Tianjin
+Grand Canal
+Wuhan
+Xian
+Xinjiang
+Inner Mongolia
+Hohhot
+Taiwan
+Taiwan
+Taipei
+Taichung
+Hong Kong
+Macao
+Indochina
+French Indochina
+Colombia
+Barranquilla
+Bogota
+Cali
+Medellin
+Cartagena
+Soledad
+Comoro Islands
+Comoros
+Congo
+Brazzaville
+Congo
+Goma
+Kananga
+Kinshasa
+Lubumbashi
+Mesoamerica
+Central America
+Costa Rica
+San Jose
+Ivory Coast
+Abidjan
+Yamoussukro
+Guatemala
+Guatemala City
+Belize
+Honduras
+Tegucigalpa
+San Pedro Sula
+El Salvador
+San Salvador
+Santa Ana
+Nicaragua
+Managua
+Panama
+Panama City
+Colon
+Panama Canal Zone
+Yucatan
+Yucatan
+Merida
+Campeche
+Campeche
+Cancun
+Mexico
+Acapulco
+Chihuahua
+Chihuahua
+Ciudad Juarez
+Ciudad Victoria
+Coahuila
+Culiacan
+Durango
+Guadalajara
+Hermosillo
+Leon
+Matamoros
+Mazatlan
+Mexicali
+Mexico City
+Monterrey
+Nogales
+Oaxaca
+Orizaba
+Puebla
+Quintana Roo
+San Luis Potosi
+Santa Maria del Tule
+Tabasco
+Tepic
+Tampico
+Torreon
+Tijuana
+Tuxtla Gutierrez
+Veracruz
+Villahermosa
+Guadalupe Island
+Caribbean Island
+West Indies
+British West Indies
+Antilles
+French West Indies
+Greater Antilles
+Lesser Antilles
+Netherlands Antilles
+Aruba
+Bonaire
+Curacao
+Saba
+Saint Eustatius
+Leeward Islands
+Saint Martin
+Windward Islands
+Cuba
+Cuba
+Havana
+Santiago de Cuba
+Guantanamo
+Guadeloupe
+Hispaniola
+Haiti
+Port-au-Prince
+Dominican Republic
+Santo Domingo
+Santiago de los Caballeros
+Puerto Rico
+Puerto Rico
+San Juan
+Culebra
+Vieques
+Jamaica
+Jamaica
+Kingston
+Montego Bay
+Virgin Islands
+British Virgin Islands
+United States Virgin Islands
+Barbados
+Barbados
+Bridgetown
+Trinidad
+Tobago
+Trinidad and Tobago
+Port of Spain
+Cyprus
+Cyprus
+Nicosia
+Czech Republic
+Czechoslovakia
+Pilsen
+Prague
+Austerlitz
+Brno
+Ostrava
+Moravia
+Bohemia
+Slovakia
+Bratislava
+Benin
+Porto Novo
+Cotonou
+Togo
+Lome
+northern Europe
+Scandinavia
+Scandinavia
+Jutland
+Denmark
+Zealand
+Copenhagen
+Arhus
+Aalborg
+Viborg
+Djibouti
+Djibouti
+Dominica
+Dominica
+Roseau
+Equatorial Guinea
+Malabo
+Bioko
+Norway
+Svalbard
+Spitsbergen
+Lofoten
+Oslo
+Bergen
+Stavanger
+Trondheim
+Lindesnes
+Sweden
+Stockholm
+Malmo
+Lund
+Goteborg
+Uppsala
+Germany
+East Germany
+West Germany
+Saxony
+Lower Saxony
+Aachen
+Berlin
+West Berlin
+Bremen
+Bremerhaven
+Chemnitz
+Dortmund
+Dresden
+Leipzig
+Solingen
+Weimar
+Bavaria
+Hameln
+Hohenlinden
+Bonn
+Cologne
+Braunschweig
+Dusseldorf
+Essen
+Frankfurt on the Main
+Halle
+Hamburg
+Hannover
+Lubeck
+Mannheim
+Munich
+Nuremberg
+Potsdam
+Rostock
+Stuttgart
+Wiesbaden
+Wurzburg
+Rhineland
+Palatinate
+Brandenburg
+Prussia
+Ruhr
+Thuringia
+East Timor
+Ecuador
+Guayaquil
+Quito
+Galapagos Islands
+Eritrea
+Asmara
+Massawa
+Ethiopia
+Addis Ababa
+Fiji Islands
+Viti Levu
+Vanua Levu
+Fiji
+Suva
+Finland
+Karelia
+Helsinki
+Espoo
+Tampere
+Aland islands
+Mariehamn
+Greece
+Greece
+Achaea
+Aegean island
+Aegina
+Chios
+Cyclades
+Dodecanese
+Doris
+Lesbos
+Rhodes
+Aeolis
+Crete
+Knossos
+Ithaca
+Egadi Islands
+Athos
+Athens
+Areopagus
+Dipylon gate
+Actium
+Attica
+Corinth
+Argos
+Delphi
+Mycenae
+Sparta
+Epirus
+Laconia
+Lycia
+Lydia
+Nemea
+Ephesus
+Patras
+Troy
+Thebes
+Boeotia
+Plataea
+Thessaloniki
+Stagira
+Thessalia
+Cynoscephalae
+Arcadia
+Peloponnese
+Lemnos
+Olympia
+Middle East
+Mashriq
+Fertile Crescent
+Israel
+Israel
+Acre
+West Bank
+Nablus
+Galilee
+Nazareth
+Gaza Strip
+Golan Heights
+Jerusalem
+Bethlehem
+Caesarea
+Sodom
+sodom
+Gomorrah
+Calvary
+Zion
+Cotswolds
+Cheviots
+Pennines
+Seven Hills of Rome
+Palatine
+Wailing Wall
+Tel Aviv
+Hefa
+Jaffa
+Palestine
+Palestine
+Judah
+Judea
+Samaria
+Philistia
+Roman Republic
+Roman Empire
+Byzantine Empire
+Western Roman Empire
+Byzantium
+Italian Peninsula
+Ticino
+Italy
+Italian region
+Pompeii
+Herculaneum
+Abruzzi
+Aquila
+Basilicata
+Bolzano
+Brescia
+Calabria
+Campania
+Ferrara
+Naples
+Messina
+Capri
+Ischia
+Emilia-Romagna
+Bologna
+Friuli-Venezia Giulia
+Latium
+Rome
+Lateran
+Anzio
+Brindisi
+Tivoli
+Liguria
+Genoa
+Lombardy
+Cremona
+La Spezia
+Milan
+Marche
+Molise
+Papal States
+Piedmont
+Pisa
+Syracuse
+Turin
+Puglia
+Bari
+Sardinia
+Sardinia
+Sicily
+Sicily
+Palermo
+Cape Passero
+Agrigento
+Tuscany
+Firenze
+Trentino-Alto Adige
+Trento
+Umbria
+Valle D'Aosta
+Veneto
+Padua
+Venice
+Grand Canal
+Verona
+Etruria
+Romania
+Brasov
+Bucharest
+Constantina
+Transylvania
+Rwanda
+Kigali
+Yugoslavia
+Croatia
+Serbia and Montenegro
+Kosovo
+Serbia
+Montenegro
+Belgrade
+Bosnia and Herzegovina
+Bosnia
+Sarajevo
+Slovenia
+Ljubljana
+Dubrovnik
+Split
+Zagreb
+Dalmatia
+Greenland
+Baffin Island
+Labrador
+Canada
+Acadia
+Laurentian Plateau
+Maritime Provinces
+Canadian province
+Alberta
+Banff
+Calgary
+Edmonton
+British Columbia
+Nanaimo
+Victoria
+Vancouver
+Vancouver Island
+Manitoba
+Winnipeg
+Churchill
+New Brunswick
+Fredericton
+Saint John
+Newfoundland and Labrador
+Newfoundland
+Saint John's
+Northwest Territories
+Nunavut
+Arctic Archipelago
+Yellowknife
+Nova Scotia
+Cape Breton Island
+Nova Scotia
+Halifax
+Ontario
+Ottawa
+Hamilton
+Kingston
+Sault Sainte Marie
+Sudbury
+Thunder Bay
+Toronto
+Windsor
+Prince Edward Island
+Charlottetown
+Quebec
+Quebec
+Montreal
+Saskatchewan
+Regina
+Saskatoon
+Dawson
+Yukon
+Klondike
+Whitehorse
+Australia
+Canberra
+Australian state
+Queensland
+Brisbane
+New South Wales
+Sydney
+Wagga Wagga
+Victoria
+Melbourne
+Tasmania
+Tasmania
+Hobart
+South Australia
+Adelaide
+Western Australia
+Perth
+Northern Territory
+Darwin
+Norfolk Island
+Nullarbor Plain
+Aleutian Islands
+Oceania
+Australasia
+Austronesia
+Melanesia
+Micronesia
+Micronesia
+Kolonia
+Mariana Islands
+Northern Marianas
+Saipan
+Guam
+Wake Island
+Caroline Islands
+Marshall Islands
+Marshall Islands
+Bikini
+Eniwetok
+Kwajalein
+Gilbert Islands
+Tuvalu
+Tuvalu
+Funafuti
+Kiribati
+Tarawa
+Gilbert and Ellice Islands
+Nauru
+Nauru
+Polynesia
+Malay Archipelago
+Sunda Islands
+Greater Sunda Islands
+Lesser Sunda Islands
+Bismarck Archipelago
+Admiralty Islands
+Borneo
+Bougainville
+Guadalcanal
+New Britain
+New Caledonia
+New Guinea
+Papua New Guinea
+Papua
+Port Moresby
+New Ireland
+Austria-Hungary
+Austria
+Tyrol
+Vienna
+Graz
+Linz
+Salzburg
+Innsbruck
+Wagram
+Bahamas
+Nassau
+Arabian Peninsula
+Bahrain
+Bahrain
+Manama
+Bangladesh
+Dhaka
+Chittagong
+Flanders
+Belgium
+Bruxelles
+Aalst
+Antwerpen
+Bruges
+Charleroi
+Gent
+Liege
+Namur
+Waterloo
+Bhutan
+Botswana
+Gaborone
+Bolivia
+La Paz
+Santa Cruz
+Sucre
+Brazil
+Acre
+Belem
+Belo Horizonte
+Brasilia
+Curitiba
+Joao Pessoa
+Governador Valadares
+Limeira
+Natal
+Osasco
+Rio de Janeiro
+Recife
+Santos
+Sao Bernardo do Campo
+Sao Goncalo
+Sao Joao de Meriti
+Sao Jose dos Campos
+Sao Louis
+Sao Paulo
+British Empire
+British Isles
+British East Africa
+British West Africa
+Great Britain
+Ireland
+Erin
+United Kingdom
+England
+Albion
+Anglia
+Blighty
+Lancaster
+Lake District
+London
+City of London
+Home Counties
+Greenwich
+Bloomsbury
+Soho
+Wembley
+West End
+Westminster
+Buckingham Palace
+Downing Street
+Pall Mall
+Houses of Parliament
+Westminster Abbey
+Wimbledon
+Manchester
+Hull
+Liverpool
+Birmingham
+Oxford
+Cambridge
+Bath
+Blackpool
+Brighton
+Bristol
+Cheddar
+Leeds
+Leicester
+Newcastle
+Portsmouth
+Coventry
+Gloucester
+Reading
+Sheffield
+Stratford-on-Avon
+Sunderland
+Winchester
+Worcester
+Avon
+Berkshire
+Cornwall
+Cumbria
+Cumbria
+Devon
+Essex
+Gloucestershire
+Hampshire
+New Forest
+Hertfordshire
+Kent
+Somerset
+East Sussex
+Hastings
+West Sussex
+Canterbury
+Leicestershire
+Lincolnshire
+Northumberland
+Flodden
+East Anglia
+Lancashire
+Surrey
+Marston Moor
+Yorkshire
+North Yorkshire
+West Yorkshire
+South Yorkshire
+Northamptonshire
+Northampton
+Naseby
+Northumbria
+West Country
+Sussex
+Wessex
+Hadrian's Wall
+Channel Island
+Jersey
+Guernsey
+Scilly Islands
+Man
+Northern Ireland
+Ulster
+Bangor
+Belfast
+Ireland
+Dublin
+Cork
+Galway
+Limerick
+Tara
+Waterford
+Scotland
+Caledonia
+Highlands
+Lowlands
+Galloway
+Aberdeen
+Ayr
+Balmoral Castle
+Edinburgh
+Lothian Region
+Glasgow
+Hebrides
+Inner Hebrides
+Isle of Skye
+Islay
+Mull
+Staffa
+Outer Hebrides
+Wales
+Aberdare
+Bangor
+Cardiff
+Newport
+Sealyham
+Swansea
+Anglesey
+Brunei
+sultanate
+Burkina Faso
+Sinai
+Egyptian Empire
+Egypt
+Lower Egypt
+Upper Egypt
+Alexandria
+Aswan
+Cairo
+El Alamein
+Giza
+Memphis
+Nag Hammadi
+Luxor
+Thebes
+Saqqara
+Suez
+Suez Canal
+India
+Assam
+Karnataka
+Manipur
+Hindustan
+Sikkim
+Kanara
+Punjab
+New Delhi
+Delhi
+Bangalore
+Jabalpur
+Kolkata
+Mumbai
+Agra
+Hyderabad
+Chennai
+Lucknow
+Mysore
+Salem
+Andhra Pradesh
+Bihar
+Goa
+Gujarat
+Tamil Nadu
+Uttar Pradesh
+Gujarat
+Maharashtra
+Orissa
+Nilgiri Hills
+West Bengal
+Nepal
+Kathmandu
+Tibet
+Lhasa
+Indonesia
+Java
+Bali
+Timor
+Sumatra
+Celebes
+Moluccas
+Indonesian Borneo
+Jakarta
+Bandung
+Medan
+Semarang
+Gulf States
+Iran
+Teheran
+Abadan
+Bam
+Mashhad
+Isfahan
+Rasht
+Shiraz
+Tabriz
+Urmia
+Qum
+Persia
+Persepolis
+Elam
+Iraq
+Baghdad
+Basra
+Kerbala
+Kirkuk
+Mosul
+Levant
+Macedon
+Philippi
+Thrace
+Edirne
+Mesopotamia
+Babylon
+Babylonia
+Chaldea
+Sumer
+Ur
+Assyria
+Assur
+Nineveh
+Phoenicia
+Carthage
+Utica
+Japan
+Hokkaido
+Honshu
+Kyushu
+Shikoku
+Japan
+Asahikawa
+Tokyo
+Nagano
+Nagoya
+Omiya
+Osaka
+Yokohama
+Okinawa
+Naha City
+Ryukyu Islands
+Kobe
+Kyoto
+Hiroshima
+Sapporo
+Kitakyushu
+Fukuoka
+Nagasaki
+Toyohashi
+Toyonaki
+Toyota
+Asama
+Volcano Islands
+Iwo Jima
+Jordan
+Amman
+Al Aqabah
+Jericho
+Az Zarqa
+Kenya
+Nairobi
+Kisumu
+Mombasa
+Nakuru
+Kuwait
+Kuwait
+Gaul
+France
+Paris
+Left Bank
+Montmartre
+Clichy
+Orly
+Quai d'Orsay
+Right Bank
+Ile-St-Louis
+Champs Elysees
+Avignon
+Bordeaux
+Brest
+Calais
+Cannes
+Chablis
+Chartres
+Cherbourg
+Dijon
+Dunkirk
+Grenoble
+Le Havre
+Lille
+Lyon
+Marseille
+Nancy
+Nantes
+Nice
+Orleans
+Rheims
+Strasbourg
+Toulon
+Toulouse
+Tours
+Valenciennes
+Versailles
+Vichy
+Vienne
+Riviera
+French Riviera
+French region
+Alsace
+Anjou
+Aquitaine
+Artois
+Auvergne
+Basse-Normandie
+Bourgogne
+Bretagne
+Centre
+Champagne
+Ardennes
+Corse
+Corse
+Franche-Comte
+Gascogne
+Haute-Normandie
+Ile-de-France
+Languedoc-Roussillon
+Limousin
+Lorraine
+Martinique
+Mayenne
+Midi
+Midi-Pyrenees
+Nord-Pas-de-Calais
+Pays de la Loire
+Picardie
+Poitou-Charentes
+Rhone-Alpes
+Normandie
+Orleanais
+Provence
+Lyonnais
+Savoy
+Gabon
+Libreville
+Gambia
+Banjul
+Ghana
+Accra
+Kumasi
+Tamale
+Grenada
+St. George's
+Guinea
+Conakry
+Guinea-Bissau
+Bissau
+Guiana
+Guyana
+Georgetown
+Demerara
+Netherlands
+Amsterdam
+Apeldoorn
+Arnhem
+The Hague
+Eindhoven
+Nijmegen
+Rotterdam
+Leiden
+Utrecht
+Friesland
+Friesland
+Frisia
+Frisian Islands
+Hungary
+Budapest
+Faroe Islands
+Faroe Islands
+Thorshavn
+Iceland
+Iceland
+Reykjavik
+Orkney Islands
+Shetland
+Thule
+Thule
+Korea
+Chosen
+North Korea
+Pyongyang
+South Korea
+Seoul
+Inchon
+Kwangju
+Taegu
+Pusan
+Laos
+Vientiane
+Lappland
+Lebanon
+Bayrut
+Tarabulus
+Sayda
+Sur
+Byblos
+Lesotho
+Maseru
+Liberia
+Monrovia
+Libya
+Tripoli
+Benghazi
+Liechtenstein
+Vaduz
+Luxembourg
+Luxembourg-Ville
+Macedonia
+Skopje
+Madagascar
+Madagascar
+Antananarivo
+Malawi
+Blantyre
+Lilongwe
+Zomba
+Malaysia
+Kuala Lumpur
+Putrajaya
+East Malaysia
+Sabah
+Sarawak
+West Malaysia
+Malay Peninsula
+Maldives
+Maldives
+Male
+Mali
+Bamako
+Timbuktu
+Malta
+Malta
+Valletta
+Mauritania
+Nouakchott
+Mauritius
+Mauritius
+Port Louis
+Monaco
+Monaco-Ville
+Monte Carlo
+Tartary
+Mongolia
+Mongolia
+Ulan Bator
+Morocco
+Casablanca
+El Aaium
+Fez
+Marrakesh
+Oujda
+Rabat
+Tangier
+Western Sahara
+Mozambique
+Beira
+Maputo
+Natal
+New Zealand
+North Island
+South Island
+New Zealand
+Auckland
+Christchurch
+Wellington
+Niger
+Niamey
+Nigeria
+Abuja
+Ibadan
+Katsina
+Lagos
+Maiduguri
+Zaria
+Oman
+Muscat
+Kashmir
+Pakistan
+Faisalabad
+Hyderabad
+Islamabad
+Karachi
+Lahore
+Peshawar
+Rawalpindi
+Sind
+Palau
+Palau
+Paraguay
+Asuncion
+Parthia
+Peru
+Arequipa
+Cuzco
+Lima
+Machu Picchu
+Philippines
+Cebu
+Luzon
+Mindanao
+Mindoro
+Philippines
+Manila
+Caloocan
+Cebu
+Quezon City
+Pinatubo
+Visayan Islands
+Poland
+Warszawa
+Bydgoszcz
+Cracow
+Czestochowa
+Gdansk
+Katowice
+Lodz
+Lublin
+Wroclaw
+Zabrze
+Iberian Peninsula
+Portugal
+Azores
+Madeira
+Madeira Islands
+Braga
+Lisbon
+Porto
+Setubal
+Qatar
+Qatar
+Doha
+Saint Kitts and Nevis
+Saint Christopher
+Basseterre
+Nevis
+Sombrero
+Saint Lucia
+Saint Lucia
+Castries
+Saint Vincent and the Grenadines
+Saint Vincent
+Kingstown
+French Polynesia
+Tahiti
+Papeete
+Society Islands
+Tuamotu Archipelago
+Tubuai Islands
+Gambier Islands
+Marquesas Islands
+Samoa
+Samoa
+Apia
+American Samoa
+Pago Pago
+San Marino
+San Marino
+Sao Tome and Principe
+Sao Tome
+Principe
+Saudi Arabia
+Riyadh
+Mecca
+Medina
+Dhahran
+Jeddah
+Tabuk
+Taif
+Nejd
+Hejaz
+Senegal
+Dakar
+Seychelles
+Seychelles
+Victoria
+Sierra Leone
+Freetown
+Singapore
+Singapore
+Singapore
+Solomons
+Solomon Islands
+Honiara
+Somalia
+Mogadishu
+Hargeisa
+Somali peninsula
+South Africa
+Pretoria
+Cape Town
+Johannesburg
+Kimberley
+Durban
+Free State
+Transvaal
+Cape Province
+Witwatersrand
+Cape of Good Hope
+Cape of Good Hope
+Bloemfontein
+Soweto
+Rus
+Russia
+Soviet Union
+Muscovy
+Moscow
+Astrakhan
+Cherepovets
+Chechnya
+Grozny
+Kaluga
+Khabarovsk
+Khabarovsk
+Kursk
+Siberia
+Soviet Socialist Republic
+Russia
+European Russia
+Asian Russia
+Soviet Russia
+Nizhnyi Novgorod
+Kazan
+St. Petersburg
+Murmansk
+Nalchik
+Novgorod
+Perm
+Rostov
+Saratov
+Smolensk
+Ufa
+Volgograd
+Novosibirsk
+Chelyabinsk
+Omsk
+Vladivostok
+Novaya Zemlya
+Kola Peninsula
+Belarus
+Minsk
+Homyel
+Pinsk
+Lubavitch
+Baltic State
+Estonia
+Tallinn
+Tartu
+Livonia
+Latvia
+Riga
+Liepaja
+Daugavpils
+Lithuania
+Klaipeda
+Vilnius
+Kaunas
+Moldova
+Kishinev
+Ukraine
+Crimea
+Colchis
+Kyyiv
+Donetsk
+Donets Basin
+Chernobyl
+Dneprodzerzhinsk
+Dnipropetrovsk
+Kharkov
+Odessa
+Sebastopol
+Yalta
+Armenia
+Yerevan
+Azerbaijan
+Baku
+Iberia
+Georgia
+Tbilisi
+Abkhaz
+Adzhar
+Kazakhstan
+Astana
+Almaty
+Kyrgyzstan
+Bishkek
+Tajikistan
+Dushanbe
+Turkmenistan
+Ashkhabad
+Kamchatka Peninsula
+Taimyr Peninsula
+Uzbekistan
+Tashkent
+Samarkand
+Latin America
+Andorra
+Spain
+Madrid
+Balearic Islands
+Majorca
+Canary Islands
+Barcelona
+Cadiz
+Cartagena
+Cordoba
+Granada
+Jerez
+Leon
+Logrono
+Malaga
+Oviedo
+San Sebastian
+Sevilla
+Toledo
+Aragon
+Zaragoza
+Castile
+Catalonia
+Galicia
+Leon
+Valencia
+Tenerife
+Gibraltar
+Sudan
+Sudan
+Darfur
+Kordofan
+Khartoum
+Nyala
+Port Sudan
+Omdurman
+Suriname
+Paramaribo
+Swaziland
+Mbabane
+Switzerland
+Swiss canton
+Bern
+Basel
+Geneva
+Interlaken
+Lausanne
+Zurich
+Syria
+Aram
+Dimash
+Halab
+Al Ladhiqiyah
+Tanzania
+Dar es Salaam
+Dodoma
+Tanganyika
+Zanzibar
+Mbeya
+Mwanza
+Tabora
+Tanga
+Serengeti
+Serengeti National Park
+Thailand
+Bangkok
+Tonga
+Tunisia
+Tunis
+Ariana
+Ehadhamen
+Gafsa
+Sfax
+Sousse
+Ottoman Empire
+Kurdistan
+Iraqi Kurdistan
+Turkey
+Abydos
+Adana
+Ankara
+Antalya
+Antioch
+Chalcedon
+Dardanelles
+Halicarnassus
+Istanbul
+Bursa
+Izmir
+Pergamum
+Sardis
+Ionia
+Uganda
+Buganda
+Entebbe
+Jinja
+Kampala
+Gulu
+United Arab Emirates
+Abu Dhabi
+Dubai
+United States
+East Coast
+West Coast
+Colony
+New England
+Mid-Atlantic states
+Gulf States
+slave state
+free state
+Confederacy
+South
+Deep South
+Old South
+Sunbelt
+Tidewater
+Piedmont
+Union
+North
+Carolina
+Dakota
+Alabama
+Montgomery
+Birmingham
+Decatur
+Gadsden
+Huntsville
+Mobile
+Selma
+Tuscaloosa
+Tuskegee
+Alaska
+Juneau
+Anchorage
+Nome
+Sitka
+Skagway
+Valdez
+Seward Peninsula
+Alexander Archipelago
+Admiralty Island
+Arizona
+Flagstaff
+Mesa
+Nogales
+Phoenix
+Prescott
+Sun City
+Tucson
+Yuma
+Arkansas
+Fayetteville
+Fort Smith
+Hot Springs
+Jonesboro
+Little Rock
+Pine Bluff
+Texarkana
+California
+Anaheim
+Disneyland
+Bakersfield
+Barstow
+Berkeley
+Beverly Hills
+Chula Vista
+Eureka
+Fresno
+Long Beach
+Los Angeles
+Hollywood
+Monterey
+Oakland
+Palo Alto
+Pasadena
+Redding
+Riverside
+Sacramento
+San Bernardino
+San Diego
+San Francisco
+Nob Hill
+San Jose
+San Mateo
+San Pablo
+Santa Ana
+Santa Barbara
+Santa Clara
+Santa Catalina
+Santa Cruz
+Colorado
+Boulder
+Colorado Springs
+Denver
+Pueblo
+Connecticut
+Connecticut
+Bridgeport
+Farmington
+Hartford
+New Haven
+New London
+Waterbury
+Delaware
+Delaware
+Dover
+Wilmington
+District of Columbia
+Washington
+Potomac
+Capitol Hill
+Georgetown
+Florida
+Daytona Beach
+Fort Lauderdale
+Fort Myers
+Gainesville
+Jacksonville
+Key West
+Melbourne
+Miami
+Miami Beach
+Orlando
+Palm Beach
+Panama City
+Pensacola
+Sarasota
+St. Augustine
+St. Petersburg
+Tallahassee
+Tampa
+West Palm Beach
+Walt Disney World
+Georgia
+Georgia
+Albany
+Atlanta
+Athens
+Augusta
+Brunswick
+Columbus
+Macon
+Oxford
+Savannah
+Valdosta
+Vidalia
+Hawaii
+Hilo
+Honolulu
+Waikiki
+Hawaiian Islands
+Hawaii
+Kahoolawe
+Kauai
+Lanai
+Maui
+Molokai
+Nihau
+Oahu
+Pearl Harbor
+Midway Islands
+Idaho
+Boise
+Coeur d'Alene
+Idaho Falls
+Lewiston
+Nampa
+Pocatello
+Sun Valley
+Twin Falls
+Illinois
+Cairo
+Carbondale
+Champaign
+Chicago
+Decatur
+East Saint Louis
+Moline
+Peoria
+Rockford
+Rock Island
+Springfield
+Urbana
+Indiana
+Bloomington
+Evansville
+Fort Wayne
+Gary
+Indianapolis
+Lafayette
+Muncie
+South Bend
+Iowa
+Council Bluffs
+Davenport
+Cedar Rapids
+Clinton
+Des Moines
+Dubuque
+Mason City
+Ottumwa
+Sioux City
+Kansas
+Dodge City
+Abilene
+Hays
+Kansas City
+Lawrence
+Salina
+Topeka
+Wichita
+Kentucky
+Bowling Green
+Frankfort
+Lexington
+Louisville
+Owensboro
+Paducah
+Bluegrass
+Louisiana Purchase
+Louisiana
+Alexandria
+Baton Rouge
+Lafayette
+Monroe
+Morgan City
+New Orleans
+Shreveport
+Maine
+Augusta
+Bangor
+Brunswick
+Lewiston
+Orono
+Portland
+Maryland
+Maryland
+Aberdeen
+Annapolis
+Baltimore
+Fort Meade
+Frederick
+Hagerstown
+Massachusetts
+Massachusetts
+Boston
+Boston Harbor
+Beacon Hill
+Breed's Hill
+Charlestown
+Cambridge
+Concord
+Gloucester
+Lexington
+Medford
+Pittsfield
+Springfield
+Worcester
+Cape Ann
+Cape Cod
+Cape Cod Canal
+Martha's Vineyard
+Nantucket
+Plymouth
+Plymouth Colony
+Plymouth Rock
+Salem
+Williamstown
+Michigan
+Alpena
+Ann Arbor
+Detroit
+Flint
+Grand Rapids
+Houghton
+Jackson
+Kalamazoo
+Lansing
+Marquette
+Monroe
+Saginaw
+Traverse City
+Minnesota
+Bemidji
+Duluth
+Hibbing
+Mankato
+Minneapolis
+Rochester
+Saint Cloud
+Saint Paul
+Twin Cities
+Virginia
+Mississippi
+Biloxi
+Columbus
+Greenville
+Hattiesburg
+Jackson
+Meridian
+Natchez
+Tupelo
+Vicksburg
+Missouri
+Cape Girardeau
+Columbia
+Hannibal
+Independence
+Jefferson City
+Kansas City
+Poplar Bluff
+Saint Joseph
+Saint Louis
+Sedalia
+Springfield
+Montana
+Bozeman
+Billings
+Butte
+Great Falls
+Helena
+Missoula
+Nebraska
+Grand Island
+Lincoln
+North Platte
+Omaha
+Nevada
+Carson City
+Las Vegas
+Reno
+New Hampshire
+New Hampshire
+Concord
+Manchester
+Portsmouth
+New Jersey
+New Jersey
+Atlantic City
+Trenton
+Bayonne
+Camden
+Jersey City
+Morristown
+Newark
+New Brunswick
+Paterson
+Princeton
+Cape May
+Liberty Island
+New Mexico
+Albuquerque
+Carlsbad
+Farmington
+Gallup
+Las Cruces
+Los Alamos
+Roswell
+Santa Fe
+Silver City
+Taos
+Manhattan Island
+New Amsterdam
+New Netherland
+New York
+New York
+Albany
+Buffalo
+Cooperstown
+Erie Canal
+New York State Barge Canal
+New York
+Bronx
+Brooklyn
+Coney Island
+Ellis Island
+Manhattan
+Fifth Avenue
+Seventh Avenue
+Central Park
+Harlem
+Hell's Kitchen
+SoHo
+Ithaca
+Bowery
+Broadway
+Park Avenue
+off-Broadway
+Times Square
+Wall Street
+Greenwich Village
+Queens
+Staten Island
+East River
+Harlem River
+Verrazano Narrows
+West Point
+Long Island
+Elmont
+Kennedy
+Binghamton
+Kingston
+Newburgh
+Niagara Falls
+Rochester
+Schenectady
+Syracuse
+Utica
+Saratoga Springs
+Watertown
+borscht circuit
+North Carolina
+North Carolina
+Cape Fear
+Cape Flattery
+Cape Froward
+Cape Hatteras
+Hatteras Island
+Raleigh
+Asheville
+Chapel Hill
+Charlotte
+Durham
+Fayetteville
+Goldsboro
+Greensboro
+Greenville
+Wilmington
+Winston-Salem
+North Dakota
+Bismarck
+Fargo
+Ohio
+Akron
+Athens
+Cleveland
+Cincinnati
+Columbus
+Dayton
+Mansfield
+Toledo
+Youngstown
+Oklahoma
+Bartlesville
+Enid
+Lawton
+McAlester
+Muskogee
+Oklahoma City
+Tulsa
+Oregon
+Bend
+Eugene
+Klamath Falls
+Medford
+Portland
+Salem
+Pennsylvania
+Pennsylvania
+Allentown
+Altoona
+Bethlehem
+Erie
+Gettysburg
+Harrisburg
+Hershey
+Chester
+Philadelphia
+Pittsburgh
+Scranton
+Rhode Island
+Rhode Island
+Providence
+Newport
+South Carolina
+South Carolina
+Columbia
+Charleston
+Florence
+Greenville
+South Dakota
+Aberdeen
+Pierre
+Rapid City
+Sioux Falls
+Black Hills
+Tennessee
+Chattanooga
+Columbia
+Jackson
+Johnson City
+Knoxville
+Memphis
+Nashville
+Texas
+Abilene
+Amarillo
+Arlington
+Austin
+Beaumont
+Brownsville
+Bryan
+Corpus Christi
+Dallas
+Del Rio
+El Paso
+Fort Worth
+Galveston
+Galveston Island
+Garland
+Houston
+Laredo
+Lubbock
+Lufkin
+McAllen
+Midland
+Odessa
+Paris
+Plano
+San Angelo
+San Antonio
+Sherman
+Texarkana
+Tyler
+Victoria
+Waco
+Wichita Falls
+Utah
+Ogden
+Provo
+Salt Lake City
+Vermont
+Montpelier
+Bennington
+Brattleboro
+Burlington
+Rutland
+Virginia
+Virginia
+Richmond
+Blacksburg
+Jamestown
+Newport News
+Norfolk
+Lynchburg
+Portsmouth
+Roanoke
+Virginia Beach
+Bull Run
+Chancellorsville
+Fredericksburg
+Petersburg
+Spotsylvania
+Yorktown
+Mount Vernon
+Washington
+Aberdeen
+Bellingham
+Kennewick
+Olympia
+Seattle
+Spokane
+Tacoma
+Vancouver
+Walla Walla
+Yakima
+West Virginia
+Beckley
+Charleston
+Clarksburg
+Fayetteville
+Huntington
+Harpers Ferry
+Morgantown
+Parkersburg
+Wheeling
+Wisconsin
+Appleton
+Eau Claire
+Green Bay
+La Crosse
+Madison
+Milwaukee
+Racine
+Superior
+Watertown
+Wausau
+Wyoming
+Casper
+Cheyenne
+Jackson
+Lander
+Laramie
+Rock Springs
+Uruguay
+Montevideo
+Vanuatu
+Port Vila
+Holy See
+Vatican City
+Guiana Highlands
+Venezuela
+Caracas
+Ciudad Bolivar
+Cumana
+Maracaibo
+Maracay
+Valencia
+Vietnam
+North Vietnam
+South Vietnam
+Hanoi
+Ho Chi Minh City
+Haiphong
+Yemen
+Aden
+Hodeida
+Mukalla
+Sana
+Zambia
+Lusaka
+Low Countries
+Lusitania
+Silesia
+Big Sur
+Silicon Valley
+Zimbabwe
+Harare
+Bulawayo
+Arabian Desert
+Arabian Desert
+Atacama Desert
+Australian Desert
+Black Rock Desert
+Chihuahuan Desert
+Colorado Desert
+Dasht-e-Kavir
+Dasht-e-Lut
+Death Valley
+Gibson Desert
+Gila Desert
+Gobi
+Great Sandy Desert
+Great Victoria Desert
+Kalahari
+Kara Kum
+Kyzyl Kum
+Libyan Desert
+Mojave
+Namib Desert
+Nefud
+Negev
+Nubian Desert
+Painted Desert
+Patagonian Desert
+Rub al-Khali
+Sahara
+Sub-Saharan Africa
+Simpson Desert
+Sinai
+Sonoran Desert
+Syrian Desert
+Taklimakan Desert
+Thar Desert
+Cameroon
+Citlaltepetl
+Colima
+Cotacachi
+Cotopaxi
+Demavend
+El Misti
+Etna
+Fuego
+Fuji
+Galeras
+Guallatiri
+Huainaputina
+Klyuchevskaya
+Krakatau
+New Siberian Islands
+Lascar
+Mauna Kea
+Mauna Loa
+Nyamuragira
+Nyiragongo
+Purace
+Sangay
+Tupungatito
+Mount Saint Helens
+Scythia
+Vesuvius
+North Africa
+West Africa
+Dar al-Islam
+Dar al-harb
+life
+rational motive
+reason
+occasion
+score
+why
+incentive
+moral force
+disincentive
+irrational motive
+urge
+abience
+adience
+death instinct
+irrational impulse
+compulsion
+mania
+agromania
+dipsomania
+egomania
+kleptomania
+logorrhea
+monomania
+necrophilia
+phaneromania
+pyromania
+trichotillomania
+wanderlust
+compulsion
+onomatomania
+ethical motive
+hedonism
+conscience
+wee small voice
+sense of shame
+Inner Light
+psychic energy
+incitement
+signal
+libidinal energy
+cathexis
+acathexis
+Aare
+Abukir
+abyss
+abyssal zone
+Acheron
+achondrite
+acicula
+Aconcagua
+Adams
+Adam's Peak
+Adige
+Adirondacks
+Admiralty Range
+adjunct
+Adriatic
+Aegean
+Aegospotami
+aerie
+aerolite
+Africa
+agent
+airborne transmission
+air bubble
+Aire
+Alabama
+Alaska Peninsula
+Alaska Range
+Aldebaran
+Algol
+Alleghenies
+Allegheny
+alluvial sediment
+alluvial flat
+alp
+Alpha Centauri
+Alpha Crucis
+alpha particle
+Alpine glacier
+Alps
+Altai Mountains
+Altair
+altocumulus
+altostratus
+Amazon
+America
+American Falls
+ammonite
+Amur
+Ancohuma
+Andaman Sea
+Andes
+Andromeda
+Angara
+Angel
+anion
+Annapurna
+Antarctica
+Antarctic Ocean
+Antarctic Peninsula
+Antares
+anthill
+antibaryon
+antilepton
+antimeson
+antimuon
+antineutrino
+antineutron
+antiparticle
+antiproton
+antiquark
+antitauon
+Antlia
+Apalachicola
+Apennines
+aperture
+Apollo asteroid
+Appalachians
+Apus
+Aquarius
+aquifer
+Aquila
+Ara
+Arabian Sea
+Arafura Sea
+Araguaia
+Ararat
+Aras
+Arauca
+archeological remains
+archipelago
+Arctic Ocean
+Arcturus
+arete
+Argo
+Argun
+Aries
+Aristarchus
+Arkansas
+Arno
+arroyo
+ascent
+Asia
+asterism
+asteroid
+asthenosphere
+Atacama Trench
+Atlantic
+Atlantic Coast
+Atlas Mountains
+atmosphere
+atoll
+Auriga
+Australia
+Australian Alps
+Avon
+Avon
+backwater
+badlands
+Baffin Bay
+Balaton
+Balkans
+Baltic
+bank
+bank
+bank
+bar
+barbecue pit
+Barents Sea
+barrier
+barrier island
+barrier reef
+baryon
+base
+basin
+bay
+Bay of Bengal
+Bay of Biscay
+Bay of Fundy
+Bay of Naples
+bayou
+beach
+beachfront
+Beaufort Sea
+bed
+bed
+bedrock
+beehive
+honeycomb
+belay
+ben
+Bering Sea
+Bering Strait
+Berkshires
+berm
+Beta Centauri
+Beta Crucis
+beta particle
+Betelgeuse
+Big Dipper
+Bighorn
+bight
+Bight of Benin
+Big Sioux River
+billabong
+billabong
+binary star
+biological agent
+bird's nest
+Biscayne Bay
+Bismarck Sea
+bit
+black body
+Black Forest
+Black Hills
+black hole
+Black Sea
+bladder stone
+blade
+blanket
+blood-brain barrier
+Blue Nile
+Blue Ridge Mountains
+blue sky
+bluff
+b-meson
+body
+body of water
+bog
+Bo Hai
+bolt-hole
+bonanza
+Bonete
+Bootes
+borrow pit
+boson
+Bosporus
+bottomland
+bottom quark
+Bougainville Trench
+boulder
+brae
+Brahmaputra
+branch
+branched chain
+Brazos
+breach
+Brenner Pass
+brickbat
+Bristol Channel
+brook
+brooklet
+bubble
+bullet hole
+burrow
+butte
+Buzzards Bay
+Cachi
+Caelum
+calculus
+caldera
+Callisto
+Caloosahatchee
+Cam
+Cambrian Mountains
+Canadian
+Canadian Falls
+canal
+Canandaigua Lake
+Cancer
+Canis Major
+Canis Minor
+Canopus
+Cantabrian Mountains
+canyon
+canyonside
+cape
+Cape Canaveral
+Cape Cod Bay
+Cape Fear River
+Capella
+Cape Sable
+Cape Sable
+Cape Trafalgar
+Cape York
+Cape York Peninsula
+Capricornus
+Caribbean
+Carina
+Carlsbad Caverns
+Carpathians
+carpet
+cascade
+Cascades
+Caspian
+Cassiopeia
+Castor
+cataract
+Cataract Canyon
+catch
+cation
+Catskills
+Caucasus
+cave
+cavern
+cavern
+Cayuga Lake
+celestial body
+Centaurus
+Cepheus
+Ceres
+Cetus
+chain
+Chamaeleon
+Changtzu
+channel
+Chao Phraya
+chap
+Charles
+charm quark
+chasm
+Chattahoochee
+Baikal
+Lake Chelan
+Coeur d'Alene Lake
+Lake Tahoe
+Chesapeake Bay
+Chimborazo
+chink
+chip
+Chiron
+chondrite
+chondrule
+chromosphere
+Chukchi Peninsula
+Chukchi Sea
+Cimarron
+cinder
+Circinus
+cirque
+cirrocumulus
+cirrostratus
+cirrus
+clast
+clastic rock
+cliff
+Clinch River
+closed chain
+closed universe
+cloud
+cloud bank
+Clyde
+coast
+coastal plain
+coastland
+Coast Range
+Cocytus
+coffee grounds
+col
+collector
+collision course
+Colorado
+Colorado
+Colorado Plateau
+Columba
+Columbia
+coma
+Coma Berenices
+comet
+commemorative
+Communism Peak
+Congo
+Connecticut
+consolidation
+Constance
+constellation
+continent
+continental glacier
+continental shelf
+continental slope
+contrail
+Cook Strait
+Coosa
+Copernicus
+coprolite
+coprolith
+coral reef
+Coral Sea
+core
+core
+corner
+Corona Borealis
+Coropuna
+Corvus
+couple
+cove
+cove
+covering
+Crab Nebula
+crack
+crag
+cranny
+crater
+Crater
+craton
+crevasse
+Cross-Florida Waterway
+crust
+crust
+crystal
+crystallite
+cultivated land
+Cumberland
+Cumberland Gap
+Cumberland Mountains
+cumulonimbus
+cumulus
+Cuquenan
+curtain
+cutting
+Cygnus
+dale
+dander
+dandruff
+Danube
+Darling
+Dead Sea
+deep
+defile
+Deimos
+Delaware
+Delaware Bay
+dell
+Delphinus
+delta
+delta ray
+Demerara
+Denali Fault
+Deneb
+Denebola
+descent
+desideratum
+Detroit River
+deuteron
+Dhaulagiri
+diapir
+diffuse nebula
+dipole
+dipole molecule
+direct transmission
+discard
+distributary
+ditch
+divot
+divot
+Dnieper
+dog shit
+Dolomite Alps
+Don
+Donner Pass
+Dorado
+down
+downhill
+down quark
+Draco
+draw
+dregs
+drey
+drift
+drift ice
+drink
+drumlin
+dune
+Earth
+East China Sea
+Ebro
+Elbe
+electric dipole
+electron
+elementary particle
+eliminator
+Elizabeth River
+El Libertador
+El Muerto
+ember
+enclosure
+English Channel
+enterolith
+envelope
+Epsilon Aurigae
+Eridanus
+escarpment
+esker
+estuary
+Euphrates
+Eurasia
+Europa
+Europe
+evening star
+Everest
+Everglades
+exosphere
+expanse
+extraterrestrial object
+Eyre
+Eyre Peninsula
+fallow
+fatigue crack
+fault
+feeder
+fermion
+filing
+finding
+Fingal's Cave
+fireball
+fireball
+fire pit
+firestone
+firth
+Firth of Clyde
+Firth of Forth
+fishpond
+fixed star
+fjord
+flare star
+flat
+Flint
+floater
+floodplain
+floor
+floor
+floor
+flowage
+foam
+folium
+fomite
+foothill
+footwall
+ford
+foreland
+foreshore
+forest
+Fornax
+Forth
+fossil
+Fountain of Youth
+Fox River
+fragment
+free electron
+Galan
+Galilean satellite
+gallstone
+Galveston Bay
+Galway Bay
+Ganges
+Gan Jiang
+Ganymede
+Garonne
+Gasherbrum
+gauge boson
+Gemini
+geode
+geological formation
+geyser
+giant star
+Gila
+glacial boulder
+glacier
+glen
+globule
+gluon
+Golden Gate
+Gondwanaland
+gopher hole
+gorge
+Gosainthan
+grain
+Grand Canyon
+Grand River
+Grand Teton
+granule
+graviton
+Great Attractor
+Great Australian Bight
+Great Bear
+Great Barrier Reef
+Great Dividing Range
+Great Lakes
+Great Plains
+Great Rift Valley
+Great Salt Lake
+Great Slave Lake
+Great Smoky Mountains
+Green
+Greenland Sea
+Green Mountains
+greenwood
+grinding
+grotto
+grounds
+growler
+growth
+Grus
+Guadalupe Mountains
+Guantanamo Bay
+gulch
+gulf
+gulf
+Gulf Coast
+Gulf of Aden
+Gulf of Alaska
+Gulf of Antalya
+Gulf of Aqaba
+Gulf of Bothnia
+Gulf of California
+Gulf of Campeche
+Gulf of Carpentaria
+Gulf of Corinth
+Gulf of Finland
+Gulf of Guinea
+Gulf of Martaban
+Gulf of Mexico
+Gulf of Ob
+Gulf of Oman
+Gulf of Riga
+Gulf of Saint Lawrence
+Gulf of Sidra
+Gulf of Suez
+Gulf of Tehuantepec
+Gulf of Thailand
+Gulf of Venice
+gully
+gut
+guyot
+hadron
+hail
+hairball
+Hampton Roads
+Handies Peak
+hanging wall
+Hangzhou Bay
+head
+head
+headstream
+Hercules
+heterocyclic ring
+highland
+high sea
+hill
+hillside
+Himalayas
+Hindu Kush
+hogback
+hole
+hole
+hollow
+holystone
+hood
+Hook of Holland
+horsepond
+horst
+hot spring
+Housatonic
+Huang He
+Huascaran
+Hubbard
+Hudson
+Hudson Bay
+Humber
+hunk
+Hydra
+hydrogen ion
+hydrosphere
+Hydrus
+hyperon
+ice
+iceberg
+icecap
+icefall
+ice field
+ice floe
+ice mass
+Iguazu
+IJssel
+IJsselmeer
+Illampu
+Illimani
+Illinois River
+impairer
+inclined fault
+inclusion body
+index fossil
+Indian Ocean
+Indigirka
+indirect transmission
+indumentum
+Indus
+Indus
+inessential
+infectious agent
+inferior planet
+ingrowth
+Inland Passage
+Inland Sea
+inlet
+inside track
+intermediate vector boson
+interplanetary dust
+interplanetary gas
+interplanetary medium
+interstellar medium
+intrusion
+Io
+ion
+Ionian Sea
+Irish Sea
+iron filing
+Irrawaddy
+Irtish
+Isere
+island
+isle
+isthmus
+Isthmus of Corinth
+Isthmus of Kra
+Isthmus of Panama
+Isthmus of Suez
+Isthmus of Tehuantepec
+jag
+James
+James
+James Bay
+Japan Trench
+Jebel Musa
+Jordan
+Jovian planet
+J particle
+Jupiter
+K2
+Kamet
+Kanawha
+Kanchenjunga
+Kansas
+kaon
+Karakoram
+Kara Sea
+Karelian Isthmus
+Kasai
+Kattegatt
+kettle hole
+Keuka Lake
+key
+Khyber Pass
+kidney stone
+Kilimanjaro
+Kissimmee
+Kivu
+Klamath
+knoll
+Kodiak
+kopje
+Korea Bay
+Korean Strait
+Kuiper belt
+Kuiper belt object
+Kunlun
+Kura
+Labrador-Ungava Peninsula
+Labrador Sea
+lagoon
+lake
+Lake Albert
+Lake Aral
+lake bed
+Lake Chad
+Lake Champlain
+Lake Edward
+Lake Erie
+lakefront
+Lake Geneva
+Lake Huron
+Lake Ilmen
+Lake Ladoga
+Lake Michigan
+Lake Nasser
+Lake Nyasa
+Lake Onega
+Lake Ontario
+lakeside
+Lake St. Clair
+Lake Superior
+Lake Tana
+Lake Tanganyika
+Lake Urmia
+Lake Vanern
+Lake Victoria
+lambda particle
+land
+land
+landfall
+landfill
+landmass
+Laptev Sea
+Large Magellanic Cloud
+Lascaux
+lather
+Laudo
+Laurasia
+leak
+ledge
+lees
+Lehigh River
+Lena
+Leo
+lepton
+Lepus
+lethal agent
+Lethe
+Lhotse
+Liaodong Peninsula
+Libra
+Ligurian Sea
+liman
+Limpopo
+liposomal delivery vector
+lithosphere
+Little Bear
+Little Bighorn
+Little Dipper
+Little Missouri
+Little Sioux River
+Little Wabash
+llano
+Llano Estacado
+Llullaillaco
+loch
+loch
+Loch Achray
+Loch Linnhe
+Loch Ness
+lodestar
+Logan
+Loire
+Loire Valley
+long chain
+Long Island Sound
+lough
+lough
+Lower California
+lower mantle
+Lower Peninsula
+lowland
+lunar crater
+Lupus
+Lyra
+maar
+Mackenzie
+mackerel sky
+Madeira
+Magdalena
+Magellanic Cloud
+magnetic dipole
+magnetic monopole
+main
+mainland
+Makalu
+mantle
+mare
+mare clausum
+mare liberum
+mare nostrum
+mare's tail
+Marmara
+Mars
+marsh
+mass
+Massachusetts Bay
+massif
+Massif Central
+mat
+matchwood
+matrix
+Matterhorn
+McKinley
+meander
+mechanism
+Mediterranean
+Mekong
+Menai Strait
+Mendenhall Glacier
+Mensa
+Mercedario
+Mercury
+mere
+Merrimack
+mesa
+Mesabi Range
+meson
+mesosphere
+metal filing
+meteorite
+meteoroid
+meteor swarm
+Meuse
+micelle
+microfossil
+micrometeorite
+Microscopium
+Mid-Atlantic Ridge
+midstream
+mid-water
+Milk
+Milky Way
+millpond
+Minamata Bay
+minor planet
+mire
+Mississippi
+Missouri
+Mobile
+Mobile Bay
+Mohawk River
+Mohorovicic discontinuity
+molehill
+monocline
+Monongahela
+Mont Blanc
+Monterey Bay
+moon
+Moon
+moon
+moor
+moraine
+Moray Firth
+Moreau River
+Moreton Bay
+morning star
+motor
+mountain
+mountain peak
+mountainside
+Mount Bartle Frere
+Mount Carmel
+Mount Elbert
+mouse nest
+mouth
+mouth
+Mozambique Channel
+mud puddle
+mull
+multiple star
+muon
+Murray
+Murrumbidgee
+Musca
+must
+mutagen
+Muztag
+Nacimiento
+nacreous cloud
+Namoi
+Nan
+Nanda Devi
+Nanga Parbat
+Nan Ling
+Nares Deep
+Narragansett Bay
+narrow
+natural depression
+natural elevation
+natural order
+nature
+nebula
+nebule
+necessity
+neck
+Neckar
+need
+neighbor
+Neosho
+Neptune
+neritic zone
+nest
+neutrino
+neutron
+neutron star
+Neva
+neve
+New River
+New York Bay
+Niagara
+Niagara
+nidus
+Niger
+Nile
+nimbus
+Niobrara
+nodule
+Norma
+normal fault
+North America
+North Atlantic
+North Channel
+Northern Cross
+North Pacific
+North Peak
+North Platte
+North Sea
+Norwegian Sea
+nova
+nub
+nubbin
+nucleon
+nucleus
+nucleus
+nugget
+nullah
+Nuptse
+Ob
+obliterator
+ocean
+ocean floor
+oceanfront
+Octans
+Oder
+offing
+Ohio
+oil-water interface
+Ojos del Salado
+Okeechobee
+Okefenokee Swamp
+Old Faithful
+Olduvai Gorge
+Olympus
+Omega Centauri
+open chain
+opening
+Ophiuchus
+Orange
+ore bed
+Orinoco
+Orion
+Osage
+Osaka Bay
+Outaouais
+Ouachita
+Ouse
+outcrop
+outer planet
+outthrust
+overburden
+oxbow
+oxbow
+oxbow lake
+Ozarks
+ozone hole
+ozone layer
+Pacific
+Pacific Coast
+pack ice
+Pallas
+pallasite
+Pamir Mountains
+Pangaea
+Para
+Parana
+paring
+Parnaiba
+Parnassus
+part
+particle
+pass
+path
+Paulo Afonso
+Pavo
+Pearl River
+pebble
+Pecos
+Pee Dee
+Pegasus
+peneplain
+peninsula
+Penobscot
+Penobscot Bay
+perforation
+Perejil
+permafrost
+Perseus
+Persian Gulf
+petrifaction
+Phobos
+Phoenix
+photoelectron
+photon
+photosphere
+Pictor
+piedmont
+Piedmont glacier
+Pike's Peak
+Pillars of Hercules
+pinetum
+Ping
+pion
+Pisces
+Pissis
+pit
+placer
+plage
+plain
+planet
+planet
+planetary nebula
+planetesimal
+plasmid
+plate
+Platte
+Pleiades
+Pluto
+Po
+Pobeda Peak
+point
+polar glacier
+Polaris
+polder
+Pollux
+polynya
+pond
+pool
+positron
+pothole
+Potomac
+Poyang
+precipice
+primary
+prion
+virino
+Procyon
+promontory
+protein molecule
+proton
+Proxima
+Prudhoe Bay
+pruning
+ptyalith
+Puget Sound
+pulp
+pulsar
+Puppis
+Purus
+Pyrenees
+Pyxis
+Quaoar
+quark
+quasar
+Queen Charlotte Sound
+quickener
+quicksand
+rabbit burrow
+radiator
+radio source
+rainbow
+Rakaposhi
+range
+rangeland
+Ranier
+rapid
+Rappahannock
+rathole
+ravine
+Red
+red dwarf
+red giant
+Red Sea
+reef
+Regulus
+relaxer
+relict
+remains
+repressor
+Republican
+reservoir
+restriction fragment
+retardant
+Reticulum
+Rhine
+Rhodope Mountains
+Rhone
+ribbon
+ridge
+ridge
+ridge
+rift
+rift
+rift valley
+Rigel
+rill
+Rio de la Plata
+Rio Grande
+rip
+riparian forest
+ripple mark
+river
+riverbank
+riverbed
+river boulder
+rivulet
+rock
+Rockies
+roof
+round
+Ross Sea
+row
+Ruhr
+Rushmore
+Russell's body
+Russian River
+Saale
+Sabine
+Sacramento Mountains
+Sacramento River
+saddleback
+Sagitta
+Sagittarius
+Saint Francis
+Saint John
+Saint Johns
+Saint Lawrence
+Sajama
+Salmon
+salt flat
+salt lick
+salt marsh
+Salton Sea
+saltpan
+Sambre
+sample
+San Andreas Fault
+sandbank
+sandbar
+San Diego Bay
+sandpit
+San Fernando Valley
+San Francisco Bay
+sanitary landfill
+San Joaquin River
+San Joaquin Valley
+San Juan Hill
+San Juan Mountains
+Sao Francisco
+Saone
+Sargasso Sea
+Saronic Gulf
+satellite
+satisfier
+Saturn
+Savannah
+sawpit
+Sayan Mountains
+scablands
+scale
+Scheldt
+scintilla
+Scorpius
+scraping
+Sculptor
+scurf
+sea
+seamount
+Sea of Azov
+Sea of Japan
+Sea of Okhotsk
+seashore
+seaside
+section
+sediment
+Sedna
+segment
+seif dune
+Seine
+Selkirk Mountains
+Seneca Lake
+Serpens
+Sete Quedas
+seven seas
+Severn
+Severn
+Seyhan
+shag
+Shari
+Shasta
+Shenandoah River
+Sherman
+sheet
+shelf ice
+shell
+shell
+Shenandoah Valley
+Sherwood Forest
+shiner
+shoal
+shoal
+shore
+shore boulder
+shoreline
+shortener
+sialolith
+siderite
+sierra
+Sierra Madre Occidental
+Sierra Madre Oriental
+Sierra Nevada
+Sierra Nevada
+sill
+silva
+Sinai
+sinkhole
+Sirius
+Skagens Odde
+Skagerrak
+ski slope
+skim
+sky
+slack
+slash
+slice
+slit
+slope
+slot
+slough
+slough
+slough
+Small Magellanic Cloud
+Snake
+snowcap
+snowdrift
+snowfield
+soap bubble
+soapsuds
+solar system
+Solent
+Solway Firth
+sound
+South America
+South Atlantic
+South China Sea
+Southern Cross
+South Pacific
+South Platte
+South Sea
+South Sea Islands
+spall
+spark
+Spica
+spit
+splint
+splinter
+split
+spoor
+spring
+spume
+stalactite
+stalagmite
+star
+star
+starlet
+steep
+St. Elias Range
+steppe
+stepping stone
+steps
+Sterope
+storm cloud
+straight chain
+strait
+Strait of Georgia
+Strait of Gibraltar
+Strait of Hormuz
+Strait of Magellan
+Strait of Messina
+Strait of Dover
+strand
+strange particle
+strange quark
+stratosphere
+stratus
+stream
+streambed
+stressor
+stretch
+strike-slip fault
+string
+strip
+stub
+Styx
+subcontinent
+sun
+sun
+Sun River
+supergiant
+superior planet
+supernatant
+supernova
+superstring
+surface
+Suriname River
+Susquehanna
+swale
+swamp
+swath
+swell
+swimming hole
+tableland
+Taconic Mountains
+Tagus
+Takakkaw
+Tallapoosa
+talus
+Tampa Bay
+tangle
+tarn
+tar pit
+tartar
+Tasman Sea
+tauon
+Taurus
+Telescopium
+Tennessee
+tent
+teratogen
+terrace
+terrestrial planet
+territorial waters
+Teton Range
+Thames
+thermion
+thermosphere
+thrust fault
+thunderhead
+Tiber
+tidal basin
+tidal river
+tideland
+tidewater
+tideway
+Tien Shan
+Tigris
+Timor Sea
+Tirich Mir
+Titan
+Tocantins
+Tombigbee
+top quark
+tor
+tor
+Torres Strait
+trail
+transducing vector
+transmission mechanism
+Transylvanian Alps
+Trapezium
+tree farm
+trench
+Trent
+Triangulum
+Triangulum Australe
+Trinity River
+Triton
+Trondheim Fjord
+tropopause
+troposphere
+trough
+Tucana
+Tugela
+tundra
+Tunguska
+Tunguska
+Tupungato
+turf
+turning
+twilight zone
+Twin
+twinkler
+Tyrolean Alps
+Tyne
+Tyrrhenian Sea
+Ulugh Muztagh
+Uncompahgre Peak
+unit
+unit cell
+United States waters
+universe
+uphill
+upper mantle
+Upper Peninsula
+up quark
+Urals
+Uranus
+urolith
+Urubupunga
+Uruguay River
+vagabond
+valence electron
+valley
+variable
+variable star
+vector
+vector-borne transmission
+Vega
+vehicle-borne transmission
+vein
+Vela
+vent
+Venus
+Vesta
+vesture
+Vetluga
+Victoria
+viral delivery vector
+Virgo
+Vistula
+Volans
+volcanic crater
+volcano
+Volga
+Volkhov
+Volta
+Vulpecula
+Wabash
+wadi
+wall
+wall
+wallow
+wall rock
+warren
+wash
+wasp's nest
+watercourse
+waterfall
+water gap
+water hole
+waterside
+water system
+water table
+waterway
+weakener
+weakly interacting massive particle
+web
+webbing
+Weddell Sea
+Weisshorn
+Weser
+wetland
+Wheeler Peak
+whinstone
+White
+white dwarf
+White Nile
+White Sea
+white water
+Whitney
+Wight
+Wilderness
+Willamette
+Wilson
+wind gap
+window
+Windward Passage
+Winnipeg
+Wisconsin
+wonderland
+world
+wormcast
+wormhole
+xenolith
+Yalu
+Chang Jiang
+Yazoo
+Yellow Sea
+Yellowstone
+Yenisei
+Yerupaja
+Yosemite
+Yukon
+Zambezi
+Zhu Jiang
+Zuider Zee
+imaginary being
+hypothetical creature
+extraterrestrial being
+mythical being
+Augeas
+Alcyone
+Arjuna
+legendary creature
+abominable snowman
+Bigfoot
+Demogorgon
+doppelganger
+Loch Ness monster
+sea serpent
+bogeyman
+Death
+Gargantua
+Grim Reaper
+giant
+hobbit
+Maxwell's demon
+mermaid
+merman
+Martian
+Argus
+Cadmus
+Calypso
+sea nymph
+Cyclops
+giantess
+ogre
+ogress
+Humpty Dumpty
+Jack Frost
+Mammon
+Scylla
+Stentor
+monster
+mythical monster
+amphisbaena
+basilisk
+centaur
+Cerberus
+Charon
+Chimera
+Chiron
+Circe
+cockatrice
+Dardanus
+dragon
+Fafnir
+Ganymede
+Geryon
+Gorgon
+Grace
+Aglaia
+Euphrosyne
+Thalia
+gryphon
+Harpy
+Hydra
+Hyperborean
+Hypnos
+leviathan
+Niobe
+Perseus
+Andromeda
+Cepheus
+Cassiopeia
+Medusa
+Stheno
+Euryale
+manticore
+Midas
+Sisyphus
+Minotaur
+Morpheus
+Narcissus
+Nemean lion
+Nibelung
+Nibelung
+Bellerophon
+Paris
+Patroclus
+Pegasus
+phoenix
+Python
+roc
+salamander
+Sarpedon
+Siegfried
+Sigurd
+Sphinx
+troll
+Typhoeus
+Typhon
+werewolf
+witch
+wyvern
+nature
+supernatural
+spiritual being
+theurgy
+first cause
+control
+destiny
+spiritual leader
+deity
+daemon
+Fury
+Alecto
+Megaera
+Tisiphone
+sea god
+sun god
+Celtic deity
+Amaethon
+Ana
+Angus Og
+Arawn
+Arianrhod
+Boann
+Brigit
+Dagda
+Danu
+Don
+Dylan
+Epona
+Fomor
+Gwydion
+Gwyn
+Lir
+Llew Llaw Gyffes
+LLud
+Llyr
+Lug
+Manannan
+Manawydan
+Morrigan
+Tuatha De Danann
+Egyptian deity
+Amen
+Amen-Ra
+Anubis
+Aten
+Bast
+Geb
+Horus
+Isis
+Khepera
+Min
+Nephthys
+Nut
+Osiris
+Ptah
+Ra
+Sekhet
+Set
+Thoth
+Semitic deity
+Adad
+Adapa
+Anshar
+Antum
+Anu
+Anunnaki
+Apsu
+Aruru
+Ashur
+Astarte
+Ishtar
+Baal
+Bel
+Dagon
+Dagan
+Damkina
+Dumuzi
+Ea
+Enki
+Enlil
+Ereshkigal
+Girru
+Gula
+Igigi
+Inanna
+Ki
+Kishar
+Lilith
+Mama
+Marduk
+Moloch
+Nabu
+Nammu
+Namtar
+Nanna
+Nergal
+Nina
+Ningal
+Ningirsu
+Ningishzida
+Ninkhursag
+Nintu
+Ninurta
+Nusku
+Ramman
+Sarpanitu
+Shamash
+Sin
+Tashmit
+Tiamat
+Utnapishtim
+Utu
+Zu
+Enkidu
+Gilgamish
+Hindu deity
+Aditi
+Aditya
+Agni
+Asura
+Ahura
+Asvins
+Bhaga
+Brahma
+Brihaspati
+Bhumi Devi
+Devi
+Chandi
+Dharma
+Durga
+Dyaus
+Ganesh
+Garuda
+Gauri
+Hanuman
+Indra
+Ka
+Kali
+Kama
+Mara
+Kartikeya
+Lakshmi
+Marut
+Mitra
+Parjanya
+Parvati
+Prajapati
+Praxiteles
+Pushan
+Rahu
+Ribhus
+Rudra
+Sarasvati
+Savitar
+Shakti
+Siva
+Bairava
+Skanda
+Soma
+Surya
+Uma
+Ushas
+Vajra
+Varuna
+Vayu
+Vishnu
+Yama
+avatar
+Jagannath
+Kalki
+Krishna
+Rama
+Ramachandra
+Sita
+Balarama
+Parashurama
+Persian deity
+Mithras
+Ormazd
+Ahriman
+Buddha
+Bodhisattva
+Maitreya
+Avalokitesvara
+Arhat
+Buddha
+Chinese deity
+Chang Kuo
+Wen Ch'ang
+Taoist Trinity
+Tien-pao
+Ling-pao
+Shen-pao
+Chuang-tzu
+Kwan-yin
+Japanese deity
+Amaterasu
+Hachiman
+Hotei
+Izanagi
+Izanami
+Kami
+Kwannon
+Ninigi
+goddess
+earth-god
+earth-goddess
+earth mother
+God
+Godhead
+eon
+Trinity
+Father
+Son
+Messiah
+Messiah
+messiah
+Holy Ghost
+hypostasis
+Yahweh
+Allah
+demiurge
+faun
+angel
+archangel
+Gabriel
+Michael
+Raphael
+cherub
+seraph
+guardian spirit
+genius loci
+divine messenger
+fairy
+elf
+fairy godmother
+gnome
+undine
+leprechaun
+sandman
+Morgan le Fay
+Puck
+evil spirit
+bad fairy
+bogey
+devil
+cacodemon
+eudemon
+incubus
+succubus
+dybbuk
+Satan
+ghoul
+goblin
+kelpy
+vampire
+banshee
+genie
+shaitan
+eblis
+houri
+familiar
+spirit
+trickster
+ghost
+poltergeist
+Oberson
+Titania
+tooth fairy
+water sprite
+peri
+apparition
+Flying Dutchman
+presence
+Adonis
+Greco-Roman deity
+satyr
+Silenus
+silenus
+nymph
+Echo
+Hesperides
+Hyades
+Oread
+Pleiades
+Sterope
+water nymph
+Daphne
+naiad
+Nereid
+Thetis
+Oceanid
+dryad
+Salmacis
+hamadryad
+Greek deity
+Roman deity
+Olympian
+Aeolus
+Aether
+Apollo
+Pythius
+Aphrodite
+Hero
+Leander
+Pygmalion
+Galatea
+Venus
+Ares
+Eris
+Thanatos
+Mors
+Mars
+Nyx
+Rhea Silvia
+Romulus
+Remus
+Artemis
+Boreas
+Diana
+Ate
+Athena
+Minerva
+Chaos
+Cronus
+Dido
+Saturn
+Demeter
+Ceres
+Dionysus
+Doris
+Aesculapius
+Bacchus
+Erebus
+Nox
+Eros
+Cupid
+Daedalus
+Damon and Pythias
+Gaea
+Hebe
+Helios
+Icarus
+Sol
+Hecate
+Hephaestus
+Vulcan
+Hermes
+Hermaphroditus
+Mercury
+Hygeia
+Panacea
+Hera
+Io
+Janus
+Juno
+Hestia
+Vesta
+Hymen
+Hyperion
+Minos
+Ariadne
+Moirai
+Parcae
+Clotho
+Lachesis
+Atropos
+Momus
+Muse
+Calliope
+Clio
+Erato
+Euterpe
+Melpomene
+Polyhymnia
+Terpsichore
+Thalia
+Urania
+Nemesis
+Nereus
+Nike
+Victoria
+Ouranos
+Pan
+Faunus
+Pasiphae
+Pontus
+Poseidon
+Proteus
+Neptune
+Persephone
+Procrustes
+Proserpina
+Phaethon
+Pluto
+Dis
+Pythia
+Priapus
+Rhadamanthus
+Selene
+Luna
+Eos
+Eurydice
+Orion
+Orpheus
+Aurora
+Tellus
+Titan
+Titaness
+Triton
+Tyche
+Fortuna
+Zephyr
+Zeus
+Jupiter
+Jupiter Fulgur
+Jupiter Tonans
+Jupiter Pluvius
+Jupiter Optimus Maximus
+Jupiter Fidius
+Oceanus
+Cocus
+Crius
+Iapetus
+vestal virgin
+Atlas
+Epimetheus
+Prometheus
+Thea
+Rhea
+Ops
+Sylvanus
+Agdistis
+Themis
+Mnemosyne
+Phoebe
+Tethys
+Psyche
+Leto
+Hercules
+Pandora
+Norse deity
+Aesir
+Andvari
+Vanir
+Balder
+Bragi
+Elli
+Forseti
+Frey
+Freya
+Frigg
+Heimdall
+Hel
+Hoenir
+Hoth
+Idun
+Jotun
+Loki
+Mimir
+Nanna
+Njord
+Norn
+Urd
+Verdandi
+Skuld
+Odin
+Sif
+Sigyn
+Thor
+Tyr
+Ull
+Vali
+Vitharr
+Fenrir
+Volund
+Yggdrasil
+Ymir
+Wayland
+Teutonic deity
+Donar
+Nerthus
+Wotan
+Anglo-Saxon deity
+Tiu
+Woden
+Wyrd
+Adam
+Eve
+Cain
+Abel
+Seth
+fictional character
+Ajax
+Aladdin
+Argonaut
+Babar
+Beatrice
+Beowulf
+Bluebeard
+Bond
+Brunhild
+Valkyrie
+Brer Rabbit
+Bunyan
+John Henry
+Cheshire cat
+Chicken Little
+Cinderella
+Colonel Blimp
+Dracula
+Jason
+Medea
+Laertes
+Odysseus
+Ulysses
+Penelope
+Theseus
+Tantalus
+Phrygian deity
+Cybele
+Achilles
+Aeneas
+Atreus
+Agamemnon
+Menelaus
+Iphigenia
+Clytemnestra
+Aegisthus
+Orestes
+Cassandra
+Antigone
+Creon
+Jocasta
+Electra
+Laocoon
+Laius
+Myrmidon
+Oedipus
+Tiresias
+Peleus
+Don Quixote
+El Cid
+Fagin
+Falstaff
+Father Brown
+Faust
+Frankenstein
+Frankenstein
+Goofy
+Gulliver
+Hamlet
+Hector
+Helen
+Horatio Hornblower
+Iago
+Inspector Maigret
+Kilroy
+Lear
+Leda
+Lilliputian
+Marlowe
+Mephistopheles
+Micawber
+Mother Goose
+Mr. Moto
+Othello
+Pangloss
+Pantaloon
+Pantaloon
+Perry Mason
+Peter Pan
+Pied Piper
+Pierrot
+Pluto
+Huckleberry Finn
+Rip van Winkle
+Ruritanian
+Tarzan
+Tom Sawyer
+Uncle Remus
+Uncle Tom
+Uncle Sam
+Sherlock Holmes
+Simon Legree
+Sinbad the Sailor
+Snoopy
+self
+number one
+adult
+adventurer
+anomalist
+anomaly
+anachronism
+Ananias
+apache
+applicant
+appointee
+argonaut
+Ashkenazi
+attendant
+auctioneer
+behaviorist
+benefactor
+benefactress
+capitalist
+captor
+caster
+changer
+coadjutor
+cofounder
+color-blind person
+commoner
+communicator
+Conservative Jew
+conservator
+constituent
+contestee
+contester
+Contra
+contrapuntist
+contrarian
+consumer
+contadino
+contestant
+coon
+cosigner
+cosigner
+coward
+creator
+defender
+defender
+discussant
+disputant
+engineer
+enologist
+ensign
+entertainer
+eulogist
+excavator
+ex-gambler
+ex-mayor
+experimenter
+experimenter
+expert
+exponent
+ex-president
+face
+female
+finisher
+finisher
+finisher
+individualist
+inhabitant
+native
+native
+innocent
+intellectual
+juvenile
+lover
+lover
+loved one
+leader
+male
+mediator
+mediatrix
+money handler
+monochromat
+naprapath
+national
+nativist
+nonreligious person
+nonworker
+peer
+perceiver
+percher
+precursor
+preteen
+primitive
+prize winner
+recipient
+religious person
+religionist
+sensualist
+ticket agent
+ticket holder
+traveler
+unfortunate
+unwelcome person
+unpleasant person
+unskilled person
+worker
+wrongdoer
+African
+Black African
+Afrikaner
+Aryan
+Aryan
+person of color
+Black
+Negress
+Black race
+African-American
+Black man
+Black woman
+soul brother
+colored person
+darky
+boy
+nigger
+Tom
+mulatto
+quadroon
+octoroon
+White
+White race
+Circassian
+Abkhaz
+paleface
+Semite
+Babylonian
+Chaldean
+Assyrian
+Kassite
+Elamite
+Phoenician
+white man
+white woman
+white trash
+whitey
+WASP
+Asian
+Asian American
+coolie
+Oriental
+Yellow race
+yellow man
+yellow woman
+gook
+Evenki
+Mongol
+Tatar
+Udmurt
+Tatar
+Amerindian
+Indian
+brave
+Abnaki
+Achomawi
+Akwa'ala
+Alabama
+Algonkian
+Algonquian
+Anasazi
+Atakapa
+Athapaskan
+Indian race
+Mayan
+Nahuatl
+Aztec
+Olmec
+Toltec
+Zapotec
+Plains Indian
+Apache
+Arapaho
+Arikara
+Atsugewi
+Biloxi
+Blackfoot
+Brule
+Caddo
+Cakchiquel
+Catawba
+Cayuga
+Cherokee
+Cheyenne
+Chickasaw
+Chimakum
+Chimariko
+Chinook
+Chipewyan
+Choctaw
+Cochimi
+Cocopa
+Coeur d'Alene
+Comanche
+Conoy
+Costanoan
+Cree
+Creek
+Crow
+Dakota
+Delaware
+Dhegiha
+Diegueno
+Erie
+Esselen
+Essene
+Eyeish
+Fox
+Haida
+Halchidhoma
+Havasupai
+Hidatsa
+Hitchiti
+Hopi
+Hokan
+Hunkpapa
+Hupa
+Illinois
+Iowa
+Iroquois
+Kalapooia
+Kamia
+Kansa
+Karok
+Kekchi
+Kichai
+Kickapoo
+Kiliwa
+Kiowa
+Koasati
+Kusan
+Kwakiutl
+Maidu
+Malecite
+Mam
+Maricopa
+Massachuset
+Mattole
+Menomini
+Miniconju
+Missouri
+Miami
+Micmac
+Miwok
+Mohave
+Mohawk
+Mohican
+Muskhogean
+Muskogee
+Nanticoke
+Navaho
+Nez Perce
+Nootka
+Ofo
+Oglala
+Ojibwa
+Omaha
+Osage
+Oneida
+Onondaga
+Oto
+Ottawa
+Paiute
+Pamlico
+Passamaquody
+Patwin
+Pawnee
+Penobscot
+Penutian
+Pima
+Pomo
+Ponca
+Potawatomi
+Powhatan
+Pueblo
+kachina
+Quapaw
+Quiche
+Redskin
+Salish
+Santee
+Sauk
+Seminole
+Seneca
+Shahaptian
+Shasta
+Shawnee
+Shoshone
+Sihasapa
+Sioux
+Teton
+Skagit
+Takelma
+Taos
+Taracahitian
+Cahita
+Tarahumara
+Tlingit
+Tsimshian
+Tuscarora
+Tutelo
+Two Kettle
+Ute
+Wakashan
+Wampanoag
+Walapai
+Wichita
+Winnebago
+Wintun
+Yahi
+Yana
+Yavapai
+Yokuts
+Yucatec
+Yuma
+Zuni
+Indian race
+Indian
+Assamese
+Dravidian
+Badaga
+Gadaba
+Gond
+Kanarese
+Kolam
+Kota
+Kui
+Malto
+Savara
+Tamil
+Telugu
+Toda
+Tulu
+Gujarati
+Kashmiri
+Oriya
+Punjabi
+Maratha
+Aborigine
+Slavic people
+Slav
+Acadian
+Cajun
+Anabaptist
+Mennonite
+Amish
+Dunker
+Christian
+Christian Scientist
+Adventist
+gentile
+gentile
+gentile
+Protestant
+Friend
+Catholic
+non-Catholic
+Anglican Catholic
+Greek Catholic
+Roman Catholic
+papist
+Old Catholic
+Uniat
+Copt
+Jew
+Jewess
+kike
+Muslim
+Islamist
+Almoravid
+Jihadist
+Shiite
+Sunnite
+Buddhist
+Zen Buddhist
+Mahayanist
+Hinayanist
+Lamaist
+Tantrist
+Hindu
+swami
+chela
+Jainist
+Hare Krishna
+Shaktist
+Shivaist
+Vaishnava
+Shintoist
+Rastafarian
+Mithraist
+Zoroastrian
+Eurafrican
+Eurasian
+European
+sahib
+memsahib
+Celt
+Gael
+Briton
+Gaul
+Galatian
+Frank
+Salian Frank
+Teuton
+Afghan
+Kafir
+Pathan
+Albanian
+Algerian
+Altaic
+Armenian
+Andorran
+Angolan
+Angolese
+Anguillan
+Antiguan
+Argentinian
+Australian
+Austronesian
+Austrian
+Bahamian
+Bahraini
+Bangladeshi
+Basotho
+Basque
+Bengali
+Bantu
+Herero
+Hutu
+Luba
+Sotho
+Tswana
+Tutsi
+Barbadian
+Belgian
+Beninese
+Bermudan
+Bhutanese
+Bolivian
+Bornean
+Brazilian
+Carioca
+Tupi
+Guarani
+Maraco
+Bruneian
+Bulgarian
+Burmese
+Burundian
+Byelorussian
+Byzantine
+Cambodian
+Cameroonian
+Canadian
+French Canadian
+Canuck
+Carthaginian
+Cebuan
+Central American
+Chadian
+Chewa
+Chilean
+Chinese
+chink
+Colombian
+Congolese
+Costa Rican
+Cuban
+Cypriot
+Czechoslovakian
+Czech
+Slovak
+Dane
+Dutch
+Frisian
+Zealander
+Djiboutian
+East Indian
+Ecuadorian
+Egyptian
+Copt
+Salvadoran
+Britisher
+English person
+Englishman
+Englishwoman
+Anglo-Saxon
+Anglo-Saxon
+Anglo-Indian
+Angle
+Saxon
+West Saxon
+Jute
+Lombard
+limey
+pommy
+Cantabrigian
+Cornishman
+Cornishwoman
+Lancastrian
+Lancastrian
+Geordie
+Hanoverian
+Liverpudlian
+Londoner
+Cockney
+Mancunian
+Oxonian
+Ethiopian
+Ewe
+Fulani
+Amhara
+Eritrean
+Fijian
+Finn
+Fleming
+Komi
+Cheremis
+Ingrian
+Karelian
+Ostyak
+Livonian
+Latvian
+Lithuanian
+Mordva
+Nganasan
+Selkup
+Samoyed
+Veps
+Vogul
+Yeniseian
+Frenchman
+frog
+Parisian
+Parisienne
+Breton
+Savoyard
+Angevin
+Balkan
+Castillian
+Creole
+Creole
+Cretan
+Minoan
+Gabonese
+Greek
+Achaean
+Aeolian
+Dorian
+Ionian
+Athenian
+Corinthian
+Laconian
+Lesbian
+Spartan
+Arcadian
+Theban
+Theban
+Thracian
+Guatemalan
+Guyanese
+Haitian
+Honduran
+Malay
+Moro
+Netherlander
+Norman
+Palestinian
+Hindu
+Hmong
+Hungarian
+Icelander
+Indonesian
+Irani
+Iraqi
+Irish person
+Irishman
+Irishwoman
+Dubliner
+Paddy
+Israelite
+Israeli
+sabra
+Italian
+wop
+Etruscan
+Neopolitan
+Roman
+Roman
+Sabine
+Venetian
+Sicilian
+Tuscan
+Oscan
+Samnite
+Jamaican
+Japanese
+Ryukyuan
+Jap
+Jordanian
+Korean
+North Korean
+South Korean
+Kenyan
+Kurd
+Kuwaiti
+Lao
+Lapp
+Latin American
+spic
+Lebanese
+Levantine
+Liberian
+Libyan
+Liechtensteiner
+Luxemburger
+Macedonian
+Madagascan
+Malawian
+Malaysian
+Sabahan
+Maldivian
+Malian
+Mauritanian
+Mauritian
+Mexican
+Chicano
+greaser
+Mexican-American
+Montserratian
+Moor
+Moroccan
+Mozambican
+Namibian
+Nauruan
+Nepalese
+Gurkha
+Gurkha
+New Zealander
+Nicaraguan
+Nigerian
+Hausa
+Nigerien
+North American
+Norwegian
+Nova Scotian
+Omani
+Pakistani
+Brahui
+Sindhi
+Panamanian
+Paraguayan
+Parthian
+Peruvian
+South American Indian
+Carib
+Quechua
+Inca
+Inca
+Filipino
+Pole
+polack
+Polynesian
+Portuguese
+Qatari
+Romanian
+Russian
+Great Russian
+Muscovite
+Georgian
+Samoan
+Saudi
+Arab
+San Marinese
+Sarawakian
+Scandinavian
+Viking
+Scot
+Scotswoman
+Senegalese
+Seychellois
+Siberian
+Sierra Leonean
+Slovene
+South African
+South American
+Spaniard
+Sinhalese
+Sudanese
+Swazi
+Swede
+British
+English
+Irish
+French
+Sherpa
+Spanish
+Swiss
+Syrian
+Damascene
+Khmer
+Tahitian
+Taiwanese
+Tajik
+Tanzanian
+Thai
+Tibetan
+Togolese
+Tuareg
+Tunisian
+Turk
+Tyrolean
+Ottoman
+Turki
+Azerbaijani
+Chuvash
+effendi
+Karakalpak
+Kazak
+Kazakhstani
+Kirghiz
+Turkoman
+Uighur
+Uzbek
+Ugandan
+Ukranian
+Yakut
+Tungusic
+Tungus
+Manchu
+Khalkha
+Edo
+Igbo
+Yoruba
+American
+American
+American Revolutionary leader
+Anglo-American
+Alabaman
+Alaskan
+Alaska Native
+Arizonan
+Arkansan
+Bay Stater
+Bostonian
+Californian
+Carolinian
+Coloradan
+Connecticuter
+Delawarean
+Floridian
+Franco-American
+German American
+Georgian
+Hawaiian
+Native Hawaiian
+Idahoan
+Illinoisan
+Indianan
+Iowan
+Kansan
+Kentuckian
+Louisianan
+Mainer
+Marylander
+Michigander
+Minnesotan
+Mississippian
+Missourian
+Montanan
+Nebraskan
+Nevadan
+New Hampshirite
+New Jerseyan
+New Mexican
+New Yorker
+North Carolinian
+North Dakotan
+Ohioan
+Oklahoman
+Oregonian
+Pennsylvanian
+Rhode Islander
+South Carolinian
+South Dakotan
+Tennessean
+Texan
+Utahan
+Vermonter
+Virginian
+Washingtonian
+Washingtonian
+West Virginian
+Wisconsinite
+Wyomingite
+Puerto Rican
+Yankee
+Uruguayan
+Venezuelan
+Vietnamese
+Welshman
+Gambian
+Maltese
+German
+Teuton
+East German
+Kraut
+Berliner
+West Berliner
+Prussian
+Junker
+Ghanian
+Gibraltarian
+Glaswegian
+Grenadian
+Guinean
+Rwandan
+Singaporean
+Slovenian
+Somalian
+Sri Lankan
+Sumatran
+Papuan
+Tongan
+Trojan
+Walloon
+Yemeni
+Yugoslav
+Serbian
+Croatian
+Sorbian
+Xhosa
+Zairese
+Zambian
+Zimbabwean
+Zulu
+Aries
+Taurus
+Gemini
+Cancer
+Leo
+Virgo
+Libra
+Scorpio
+Sagittarius
+Capricorn
+Aquarius
+Pisces
+abandoned person
+abator
+abbe
+abbess
+abbot
+abjurer
+abnegator
+abominator
+abridger
+abstractor
+absconder
+absolutist
+absolver
+abdicator
+abecedarian
+aberrant
+abettor
+abhorrer
+abiogenist
+able seaman
+abolitionist
+abomination
+autochthon
+abortionist
+abrogator
+abseiler
+absentee
+AWOL
+abstainer
+abstainer
+abstractionist
+abuser
+abutter
+academic administrator
+academician
+academician
+academician
+acceptor
+accessory
+accessory after the fact
+accessory before the fact
+accessory during the fact
+companion
+accommodation endorser
+accompanist
+accomplice
+accordionist
+accountant
+account executive
+accused
+defendant
+accuser
+ace
+achiever
+acid head
+acolyte
+acoustician
+acquaintance
+acquirer
+acrobat
+aerialist
+action officer
+active
+active citizen
+actor
+actor
+actor's agent
+actress
+adder
+addict
+addict
+addressee
+adducer
+adjudicator
+adjunct
+adjuster
+adjutant
+adjutant general
+administrator
+administrator
+administrator
+admiral
+admirer
+admirer
+admonisher
+adolescent
+adoptee
+adoptive parent
+adulterator
+adulterer
+adulteress
+advancer
+adventuress
+adversary
+adverse witness
+advertiser
+advisee
+adviser
+advocate
+advocate
+aeronautical engineer
+aerospace engineer
+aerophile
+affiant
+affiliate
+affine
+affluent
+aficionado
+aficionado
+agent
+agent
+buck sergeant
+business agent
+literary agent
+agent-in-place
+agent provocateur
+aggravator
+aggressor
+agitator
+agnostic
+agnostic
+agonist
+agony aunt
+agricultural laborer
+agriculturist
+agronomist
+aide
+air attache
+aircraftsman
+aircrewman
+air force officer
+airhead
+air marshal
+air traveler
+alarmist
+albino
+alcalde
+alchemist
+alcoholic
+alderman
+Aleut
+Alexandrian
+alexic
+Ali Baba
+alien absconder
+alienator
+alienee
+alienist
+alienor
+aliterate
+algebraist
+allegorizer
+allergist
+alleviator
+alliterator
+allocator
+all-rounder
+ally
+almoner
+alphabetizer
+almsgiver
+alpinist
+Alsatian
+altar boy
+alter ego
+alto
+alto saxophonist
+alumnus
+amateur
+amateur
+amalgamator
+Amazon
+amazon
+maenad
+ambassador
+ambassador
+ambassadress
+ambulance chaser
+ambusher
+amicus curiae
+amigo
+amnesic
+amora
+amoralist
+amorist
+amputator
+amputee
+anagnost
+analogist
+analphabet
+analysand
+analyst
+analyst
+credit analyst
+financial analyst
+industry analyst
+oil-industry analyst
+market analyst
+market strategist
+analyst
+anarchist
+anathema
+anatomist
+ancestor
+ancestress
+anchor
+ancient
+ancient
+anecdotist
+anesthesiologist
+angel
+angiologist
+angler
+angler
+anglophile
+anglophobe
+animal fancier
+animator
+animist
+annalist
+annihilator
+annotator
+announcer
+announcer
+annuitant
+anointer
+anorexic
+antediluvian
+anthologist
+anthropoid
+anthropologist
+anti
+anti-American
+anticipator
+antinomian
+antipope
+antiquary
+anti-Semite
+Anzac
+ape-man
+aphakic
+aphasic
+aphorist
+apologist
+Apostle
+Apostle
+apostle
+apostolic delegate
+Appalachian
+apparatchik
+apparatchik
+appeaser
+appellant
+apple polisher
+appointee
+apprehender
+April fool
+aquanaut
+aspirant
+apprentice
+appraiser
+appraiser
+appreciator
+appropriator
+approver
+Arabist
+Aramean
+Arawak
+arbiter
+arbitrageur
+arbiter
+archaist
+archdeacon
+archduchess
+archduke
+archeologist
+archbishop
+archer
+architect
+archivist
+archpriest
+Areopagite
+Argive
+arianist
+aristocrat
+Aristotelian
+arithmetician
+armchair liberal
+armiger
+armiger
+armorer
+armorer
+arms manufacturer
+army attache
+army brat
+army engineer
+army officer
+arranger
+arrival
+arrogator
+arrowsmith
+arsonist
+art critic
+art dealer
+art director
+art editor
+art historian
+arthritic
+articulator
+artilleryman
+illustrator
+artist
+artiste
+artist's model
+art student
+art teacher
+ascender
+ass
+assassin
+assassin
+assayer
+assemblyman
+assemblywoman
+assenter
+asserter
+assessee
+asshole
+assignee
+assignor
+assistant
+assistant professor
+associate
+associate
+associate professor
+asthmatic
+astrogator
+astrologer
+astronaut
+astronomer
+astrophysicist
+cosmographer
+cosmologist
+atavist
+atheist
+athlete
+attache
+attacker
+attendant
+attester
+attorney general
+auditor
+auditor
+augur
+aunt
+au pair
+au pair girl
+auteur
+authoress
+authoritarian
+authority
+authority
+authority figure
+authorizer
+autobiographer
+autodidact
+automaton
+automobile mechanic
+automotive engineer
+avenger
+aviator
+aviatrix
+avower
+ayah
+ayatollah
+baas
+babu
+baby
+baby
+baby
+baby
+baby boomer
+baby buster
+baby doctor
+baby farmer
+babyminder
+babysitter
+bacchant
+bacchante
+bacchant
+bachelor
+bachelor girl
+back
+backbencher
+back judge
+backpacker
+backroom boy
+backscratcher
+backseat driver
+backslapper
+backstroker
+bacteriologist
+bad egg
+bad guy
+bad person
+bag
+baggage
+baggageman
+bag lady
+bagman
+Bahai
+bailee
+bailiff
+bailor
+bairn
+baker
+baker
+balancer
+baldhead
+balker
+ball boy
+ball-buster
+ball carrier
+ballerina
+ballet dancer
+ballet master
+ballet mistress
+balletomane
+ball hawk
+balloonist
+ballplayer
+bulimic
+bullfighter
+banderillero
+matador
+novillero
+picador
+torero
+bandit
+bandleader
+bandmaster
+bandsman
+bank commissioner
+banker
+banker
+bank examiner
+bank guard
+bank manager
+bank robber
+bankrupt
+bantamweight
+bantamweight
+Baptist
+barber
+bard
+bar fly
+bargainer
+bargain hunter
+baritone
+barker
+barmaid
+barnburner
+barnstormer
+barnstormer
+baron
+baron
+baron
+baronet
+barrator
+barrister
+bartender
+barterer
+baseball coach
+base runner
+basileus
+basketball coach
+basketball player
+basketweaver
+Basket Maker
+bass
+bassist
+bassoonist
+bastard
+baster
+baster
+baroness
+bat boy
+bather
+batman
+baton twirler
+batter
+batting coach
+battle-ax
+Bavarian
+bawler
+beachcomber
+beadle
+beadsman
+bean counter
+bear
+beard
+beast
+beater
+beatnik
+beautician
+beauty consultant
+bedfellow
+bedfellow
+Bedouin
+bedwetter
+beekeeper
+beer drinker
+beggar
+beggarman
+beggarwoman
+begum
+beldam
+bel esprit
+believer
+theist
+Taoist
+believer
+bellboy
+bell captain
+belle
+bell founder
+bell ringer
+bellwether
+belly dancer
+beloved
+belt maker
+bench warmer
+benedick
+beneficiary
+Berber
+bereaved
+berk
+berserker
+besieger
+besieger
+best
+best friend
+best man
+betrothed
+better
+bettor
+taker
+bey
+bey
+B-girl
+bibliographer
+bibliophile
+bibliopole
+bibliotist
+bidder
+bidder
+bigamist
+big brother
+Big Brother
+bigot
+big shot
+big sister
+bilingual
+billiard player
+bill poster
+bimbo
+bimetallist
+biochemist
+biographer
+biologist
+biophysicist
+bird fancier
+bird watcher
+birth
+birth-control campaigner
+bisexual
+bishop
+biter
+Black and Tan
+black belt
+blackmailer
+black marketeer
+Black Muslim
+Black Panther
+Blackshirt
+blacksmith
+blade
+blasphemer
+blaster
+bleacher
+bleeding heart
+blind date
+blind person
+blocker
+blogger
+blond
+blood brother
+blood donor
+blubberer
+bludgeoner
+blue baby
+bluecoat
+bluejacket
+bluestocking
+bluffer
+boatbuilder
+boatman
+boatswain
+boarder
+boarder
+bobby
+bobbysoxer
+bodybuilder
+bodyguard
+body servant
+boffin
+bohemian
+Bohemian
+Bolshevik
+Bolshevik
+bombardier
+bombardier
+bomber
+bombshell
+bondholder
+bondman
+bondman
+bondwoman
+bondwoman
+bondsman
+bond servant
+bonesetter
+book agent
+bookbinder
+bookdealer
+booker
+bookkeeper
+bookmaker
+bookmaker
+bookseller
+bookworm
+booster
+bootblack
+bootlegger
+bootmaker
+borderer
+border patrolman
+bore
+borrower
+born-again Christian
+boss
+Boswell
+botanist
+bottom dog
+bottom feeder
+boulevardier
+bouncer
+bounder
+bounty hunter
+bounty hunter
+Bourbon
+Bourbon
+bourgeois
+bowler
+bowler
+boxer
+Boxer
+boy
+slugger
+cub
+boyfriend
+ex-boyfriend
+Boy Scout
+boy scout
+boy wonder
+bragger
+bracero
+brachycephalic
+brahman
+brahman
+brainworker
+brakeman
+brass hat
+brawler
+breadwinner
+breaker
+breaststroker
+breeder
+brewer
+brewer
+briber
+brick
+bricklayer
+bride
+bride
+bridesmaid
+bridge agent
+bridge partner
+bridge player
+brigadier
+broad
+broadcaster
+broadcast journalist
+broker-dealer
+broth of a boy
+brother
+Brother
+brother
+brother
+brother-in-law
+Brownie
+Brownshirt
+browser
+Brummie
+brunet
+buddy
+bugler
+builder
+builder
+bull
+bull
+bull
+bully
+bully
+bullyboy
+bungler
+bunkmate
+bunny
+bunter
+bureaucrat
+burgess
+burglar
+burgomaster
+burgrave
+burgrave
+bursar
+busboy
+bushman
+Bushman
+bushwhacker
+business editor
+businessman
+businesswoman
+businessperson
+business traveler
+busker
+busman
+buster
+buster
+buster
+busybody
+butch
+butcher
+butcher
+butcher
+butler
+butt
+butter
+butterfingers
+buttinsky
+buyer
+bystander
+Cabalist
+cabalist
+cabalist
+cabin boy
+cabinetmaker
+cabinet minister
+cad
+caddie
+cadet
+caffeine addict
+Cairene
+caitiff
+calculator
+number cruncher
+caliph
+caller
+caller
+caller
+caller
+caller
+caller
+caller
+call girl
+calligrapher
+Calvinist
+cameraman
+campaigner
+camper
+Campfire Girl
+camp follower
+camp follower
+campmate
+Canaanite
+canary
+candidate
+candlemaker
+candy striper
+cannibal
+cannon fodder
+canoeist
+canon
+canonist
+cantor
+canvasser
+Capetian
+capitalist
+capo
+captain
+captain
+captain
+captain
+captain
+captain
+captive
+captive
+carbineer
+cardholder
+cardholder
+cardinal
+cardiologist
+card player
+cardsharp
+career girl
+careerist
+career man
+caregiver
+caretaker
+caretaker
+carhop
+caricaturist
+carillonneur
+caroler
+Carolingian
+carpenter
+carper
+carpetbagger
+carpet knight
+carrier
+carrier
+carrier
+carter
+Cartesian
+Carthusian
+cartographer
+cartoonist
+cartwright
+Casanova
+case
+case officer
+cashier
+castaway
+castrato
+casualty
+casualty
+casuist
+cat
+Catalan
+cataleptic
+cataloger
+catalyst
+catamite
+catch
+catcher
+catechist
+catechumen
+caterer
+Catholicos
+cat fancier
+cattleman
+Cavalier
+cavalier
+cavalryman
+cavalryman
+caveman
+celebrant
+celebrant
+celebrity
+celibate
+cellist
+censor
+censor
+census taker
+centenarian
+center
+center
+center
+centrist
+centurion
+certified public accountant
+chachka
+chain-smoker
+chairman of the board
+Chaldean
+chamberlain
+chamberlain
+chambermaid
+chameleon
+champion
+champion
+chancellor
+chancellor
+Prime Minister
+Chancellor of the Exchequer
+chandler
+wax-chandler
+chandler
+changeling
+chap
+chaperon
+chaplain
+chapman
+prison chaplain
+chauffeur
+chauffeuse
+character
+character actor
+character witness
+charcoal burner
+charge
+charge d'affaires
+charge of quarters
+charioteer
+charmer
+chartered accountant
+charter member
+chartist
+Chartist
+charwoman
+chatelaine
+chatterer
+chauvinist
+chauvinist
+antifeminist
+male chauvinist
+cheapjack
+cheapskate
+chebab
+Chechen
+checker
+checker
+check girl
+cheerer
+cheerleader
+cheerleader
+cheesemonger
+chemist
+Cheops
+cherub
+chess master
+chess player
+chewer
+chichi
+Chief Constable
+chief executive officer
+chief financial officer
+chief justice
+chief of staff
+chief petty officer
+Chief Secretary
+child
+child
+child
+child
+child prodigy
+chimneysweeper
+chiropractor
+chiropodist
+chit
+choirboy
+choirmaster
+choker
+choragus
+choreographer
+chorister
+chorus girl
+chosen
+chronicler
+Chukchi
+chump
+chutzpanik
+Church Father
+churchgoer
+churchwarden
+church officer
+cicerone
+cigarette smoker
+cigar smoker
+Cinderella
+cipher
+circus acrobat
+citizen
+city editor
+city father
+city man
+city slicker
+civic leader
+civil engineer
+civilian
+civil libertarian
+civil rights leader
+civil servant
+claimant
+claim jumper
+clairvoyant
+clapper
+clarinetist
+classic
+classicist
+classicist
+classifier
+claustrophobe
+cleaner
+cleaner
+clergyman
+cleric
+clericalist
+clerk
+clever Dick
+cliff dweller
+climatologist
+climber
+clinician
+clip artist
+cloakmaker
+clock watcher
+clocksmith
+closer
+closer
+closet queen
+clothier
+clown
+clown
+clumsy person
+coach
+coach
+line coach
+pitching coach
+coachbuilder
+coachman
+coalman
+coal miner
+coaster
+coaster
+coastguardsman
+coauthor
+cobber
+cobbler
+cocaine addict
+cocksucker
+codefendant
+codetalker
+codger
+co-beneficiary
+co-discoverer
+co-ed
+cog
+cognitive neuroscientist
+cognitive scientist
+coiffeur
+coiffeuse
+coiner
+coiner
+coiner
+cold fish
+collaborator
+collaborator
+colleague
+colleague
+collector
+collector
+colleen
+college student
+collegian
+colonel
+Colonel Blimp
+colonial
+colonialist
+colonizer
+coloratura
+color bearer
+color guard
+color sergeant
+colorist
+Colossian
+colossus
+columnist
+combatant
+combat pilot
+comber
+comedian
+comedian
+comedienne
+comedienne
+comer
+comfort woman
+commander
+commander
+commander in chief
+commanding officer
+commando
+commentator
+commercial artist
+commissar
+commissionaire
+commissioned officer
+commissioned military officer
+commissioned naval officer
+commissioner
+commissioner
+committee member
+committeeman
+committeewoman
+couch potato
+councilman
+council member
+councilwoman
+commodore
+communicant
+communist
+Communist
+commuter
+companion
+companion
+company man
+company operator
+comparative anatomist
+compere
+compiler
+complexifier
+composer
+compositor
+Comptroller General
+Comptroller of the Currency
+compulsive
+computational linguist
+computer expert
+computer scientist
+computer user
+Comrade
+concert-goer
+concessionaire
+conchologist
+concierge
+conciliator
+concubine
+conductor
+conductor
+conditioner
+conductress
+confectioner
+confederate
+Confederate
+Confederate soldier
+conferee
+conferee
+conferrer
+confessor
+confessor
+confidant
+confidante
+confidence man
+swindler
+Confucian
+congregant
+Congregationalist
+congressman
+rep
+connection
+connection
+connoisseur
+conqueror
+conquistador
+conscientious objector
+conservative
+Conservative
+conformist
+nonconformist
+Nonconformist
+Anglican
+consignee
+consigner
+consort
+conspirator
+constable
+constable
+constitutionalist
+construction worker
+constructivist
+consul
+consumptive
+contact
+contemplative
+contemporary
+contortionist
+contractor
+contractor
+contractor
+contralto
+contributor
+control freak
+convalescent
+convener
+conventioneer
+conversationalist
+Converso
+convert
+conveyancer
+conveyer
+convict
+convict
+cook
+chef
+cookie
+cooper
+coordinator
+copartner
+copilot
+coppersmith
+copycat
+copy editor
+copyist
+copywriter
+coquette
+cordon bleu
+coreligionist
+corespondent
+cornerback
+cornhusker
+coroner
+corporal
+corporate executive
+corporatist
+correspondent
+correspondent
+corsair
+cosmetician
+cosmetologist
+cosmetic surgeon
+cosmopolitan
+Cossack
+cost accountant
+co-star
+costermonger
+costumier
+cotenant
+cottager
+cotter
+cotter
+counselor
+counselor
+count
+count palatine
+counter
+counterdemonstrator
+counterperson
+counterrevolutionist
+counterterrorist
+counterspy
+countertenor
+countess
+country doctor
+compatriot
+compromiser
+countryman
+countrywoman
+countryman
+countrywoman
+county agent
+coureur de bois
+courser
+courtier
+cousin
+couturier
+cover girl
+cow
+cowboy
+cowboy
+cowboy
+vaquero
+cowgirl
+coxcomb
+coxswain
+coyote
+coyote
+crab
+crack addict
+cracker
+crackpot
+craftsman
+craftsman
+craftsman
+crammer
+crammer
+crapshooter
+crawler
+crazy
+creature
+creature
+creditor
+creep
+crewman
+crewman
+cricketer
+crier
+criminal
+criminologist
+crimp
+criollo
+cripple
+critic
+critic
+critic
+Croesus
+crofter
+crooner
+crossbencher
+cross-examiner
+crossing guard
+crossover voter
+croupier
+crown prince
+crown princess
+crown princess
+Crusader
+cryptanalyst
+crystallographer
+cub
+Cub Scout
+cubist
+cuckold
+cuirassier
+cultist
+cultist
+cultural attache
+cunt
+cupbearer
+cur
+curandera
+curandero
+curate
+curator
+curmudgeon
+currier
+custodian
+customer
+customer agent
+client
+cutler
+cutter
+cutter
+cutthroat
+cybernaut
+cyberpunk
+cyborg
+cyclist
+cymbalist
+cynic
+Cynic
+cytogeneticist
+cytologist
+czar
+czar
+czarina
+dabbler
+dacoit
+dad
+dairymaid
+dairyman
+dairyman
+Dalai Lama
+dalesman
+dallier
+Dalmatian
+dame
+damsel
+dame
+dancer
+dancer
+clog dancer
+dancing-master
+dancing partner
+dandy
+Daniel
+danseur
+daredevil
+dark horse
+darling
+darner
+dart player
+Darwinian
+dastard
+date
+dauber
+daughter
+daughter-in-law
+dauphin
+dawdler
+day boarder
+dayboy
+daydreamer
+lotus-eater
+daygirl
+day laborer
+deacon
+deacon
+deaconess
+deadeye
+dead person
+decipherer
+decoder
+decoy
+deer hunter
+deipnosophist
+dropout
+dropout
+deadbeat dad
+deadhead
+deaf person
+dealer
+dean
+dean
+dean
+debaser
+debater
+debtor
+debutante
+decadent
+deceiver
+deckhand
+decorator
+deep-sea diver
+defamer
+defaulter
+defaulter
+defaulter
+defeatist
+defecator
+defense attorney
+defense contractor
+deist
+delayer
+delegate
+delinquent
+deliverer
+deliveryman
+demagogue
+demander
+demigod
+demimondaine
+democrat
+Democrat
+demographer
+demon
+demoniac
+demonstrator
+demonstrator
+demonstrator
+denier
+den mother
+den mother
+dental assistant
+dental hygienist
+dental technician
+dental surgeon
+dentist
+departer
+department head
+dependant
+depositor
+depressive
+deputy
+deputy
+deputy
+deputy
+derelict
+dermatologist
+dervish
+descendant
+descender
+deserter
+deserter
+designated driver
+designated hitter
+designer
+desk clerk
+desk officer
+desk sergeant
+desperado
+desperate
+destroyer
+detainee
+detective
+detective
+detractor
+deus ex machina
+developer
+deviationist
+devil's advocate
+devil worshiper
+devisee
+devisor
+devourer
+diabetic
+diagnostician
+dialectician
+diarist
+dichromat
+dick
+dictator
+dictator
+dieter
+dietician
+diemaker
+differentiator
+digger
+dimwit
+diner
+dingbat
+dining-room attendant
+diocesan
+diplomat
+diplomat
+diplomate
+director
+director
+director
+Director of Central Intelligence
+dirty old man
+disbeliever
+disciple
+disentangler
+dishwasher
+disk jockey
+dispatcher
+dispatch rider
+dispenser
+displaced person
+dissenter
+disturber
+political dissident
+distiller
+distortionist
+distributor
+district attorney
+district manager
+ditch digger
+diver
+diver
+divergent thinker
+divider
+diviner
+divorcee
+ex-wife
+divorce lawyer
+docent
+doctor
+doctor
+Doctor of the Church
+dodderer
+dodger
+dodo
+dog
+dog catcher
+doge
+dogfighter
+dog in the manger
+dogmatist
+dogsbody
+dolichocephalic
+domestic
+domestic partner
+domestic prelate
+dominatrix
+Dominican
+dominus
+Don
+don
+Donatist
+Don Juan
+donna
+donor
+donor
+Don Quixote
+don't-know
+doorkeeper
+doorkeeper
+dosser
+dotard
+double
+double agent
+double-crosser
+double dipper
+doubting Thomas
+dove
+dowager
+down-and-out
+doyenne
+draft dodger
+draftee
+drafter
+draftsman
+draftsman
+dragoman
+dragon
+dragoon
+redcoat
+drama critic
+dramatist
+draper
+drawee
+drawer
+drawing card
+drawler
+dreamer
+dresser
+dresser
+dressmaker
+dressmaker's model
+dribbler
+dribbler
+drill master
+drinker
+drinker
+driveller
+driver
+driver
+driver
+dropkicker
+drudge
+drug addict
+drug baron
+drug user
+Druid
+drum major
+drum majorette
+drum majorette
+drummer
+drunk
+drunk-and-disorderly
+drunkard
+Druze
+dry
+dry nurse
+dualist
+duce
+duchess
+duck hunter
+duke
+duke
+dueler
+duenna
+duffer
+dumbbell
+dummy
+dunce
+dunker
+dunker
+Dutch uncle
+dwarf
+dyer
+dyslectic
+dyspeptic
+dynamiter
+eager beaver
+Eagle Scout
+ear doctor
+earl
+Earl Marshal
+early bird
+early bird
+earner
+easterner
+East-sider
+eater
+eavesdropper
+eccentric
+eclectic
+ecologist
+economic libertarian
+econometrician
+economist
+economizer
+ectomorph
+edger
+editor
+subeditor
+educationist
+educator
+Edwardian
+effecter
+efficiency expert
+egalitarian
+egghead
+egocentric
+egomaniac
+egotist
+Egyptologist
+ejaculator
+ejaculator
+elder
+elder
+elder statesman
+elder statesman
+eldest hand
+elected official
+electrical engineer
+electrician
+electrocutioner
+electrologist
+electroplater
+electrotherapist
+elegist
+elevator girl
+elevator man
+elevator operator
+elitist
+Elizabethan
+elocutionist
+emancipator
+embalmer
+embezzler
+embroiderer
+embroideress
+embryologist
+emeritus
+emigrant
+Emile
+eminence grise
+emir
+emissary
+emotional person
+emperor
+empress
+empiricist
+employable
+employee
+employer
+employment agent
+empty nester
+enchanter
+conjurer
+enchantress
+enchantress
+encyclopedist
+endomorph
+enemy
+energizer
+end
+end man
+end man
+endocrinologist
+endodontist
+endorser
+end user
+enfant terrible
+engineer
+English teacher
+engraver
+engraver
+enjoyer
+enlisted man
+enlisted person
+enlisted woman
+enophile
+enrollee
+ENT man
+enthusiast
+entomologist
+entrant
+entrant
+entrepreneur
+environmentalist
+Green
+envoy
+enzymologist
+eparch
+eparch
+Ephesian
+epicure
+epidemiologist
+epigone
+epileptic
+Episcopalian
+epistemologist
+equerry
+equerry
+erotic
+escalader
+escapee
+escapist
+escapologist
+eschatologist
+escort
+Eskimo
+espionage agent
+Esquire
+esquire
+essayist
+esthete
+esthetician
+esthetician
+etcher
+ethicist
+ethnarch
+ethnic
+ethnographer
+ethnologist
+ethologist
+etiologist
+Etonian
+etymologist
+eunuch
+evacuee
+evaluator
+evangelist
+Evangelist
+event planner
+everyman
+evolutionist
+examiner
+examiner
+exarch
+exarch
+exarch
+excogitator
+Excellency
+exchanger
+executant
+executioner
+executive
+executive officer
+executive secretary
+executive vice president
+executor
+executrix
+exegete
+exhibitor
+exhibitionist
+exhibitionist
+exile
+exile
+existentialist
+exodontist
+exorcist
+exorcist
+expert witness
+exploiter
+explorer
+exporter
+expositor
+expressionist
+expurgator
+ex-spouse
+exterminator
+extern
+extremist
+extrovert
+eyeful
+eyeglass wearer
+eyewitness
+Fabian
+fabulist
+facilitator
+factotum
+faddist
+fagot
+fairy godmother
+fakir
+falangist
+falconer
+faller
+falsifier
+familiar
+family doctor
+family man
+famulus
+fan
+fanatic
+fancier
+fancy man
+fantasist
+fantast
+fare
+farm boy
+farmer
+farmerette
+farm girl
+farmhand
+farrier
+Farsi
+fascist
+fascista
+fashion consultant
+fastener
+fatalist
+fat cat
+father
+Father
+father
+father figure
+father-figure
+father-in-law
+fatso
+Fauntleroy
+Fauve
+favorite son
+featherweight
+featherweight
+featherweight
+federalist
+Federalist
+fellah
+fellow
+fellow
+fellow traveler
+female aristocrat
+female offspring
+female sibling
+female child
+feminist
+fence
+fencer
+fence-sitter
+ferryman
+fetishist
+feudal lord
+fiance
+fiancee
+fiduciary
+fielder
+fielder
+field judge
+field marshal
+field-grade officer
+fifth columnist
+fighter pilot
+file clerk
+filer
+filibuster
+filicide
+film director
+film maker
+film star
+finagler
+finalist
+finance minister
+financier
+finder
+finder
+fingerprint expert
+fink
+fieldworker
+fire chief
+fire-eater
+fire-eater
+fireman
+fire marshall
+fire walker
+fire warden
+fire watcher
+first baseman
+firstborn
+first lady
+first lady
+first lieutenant
+first offender
+first-nighter
+first-rater
+first sergeant
+fisherman
+fishmonger
+fitter
+fixer
+flag captain
+flagellant
+flagellant
+flag officer
+flak catcher
+flamen
+flanker
+flanker back
+flapper
+flash in the pan
+flatfoot
+flatmate
+flatterer
+fleet admiral
+flibbertigibbet
+flier
+flight engineer
+flight surgeon
+floater
+floater
+floater
+flogger
+floor leader
+floorwalker
+flop
+Florentine
+florist
+flower girl
+flower girl
+flunky
+flutist
+fly-by-night
+flyweight
+flyweight
+foe
+folk dancer
+folk poet
+folk singer
+folk writer
+follower
+follower
+fondler
+food faddist
+food manufacturer
+fool
+foot
+football coach
+football hero
+football official
+football player
+footman
+footpad
+forager
+forebear
+forecaster
+forefather
+forefather
+foremother
+foreign agent
+foreign correspondent
+foreigner
+foreign minister
+foreigner
+boss
+foreman
+foreman
+foreperson
+forester
+forewoman
+forewoman
+forger
+forger
+fortune hunter
+fortuneteller
+forty-niner
+forward
+foster-brother
+foster-child
+foster-daughter
+foster-father
+foster-mother
+foster-nurse
+foster-parent
+foster-sister
+foster-son
+founder
+Founding Father
+founder
+foundling
+foundress
+four-minute man
+fowler
+fox hunter
+framer
+framer
+Francophile
+Francophobe
+franc-tireur
+franklin
+fraternal twin
+fratricide
+freak
+free agent
+free agent
+freedman
+freedom rider
+freeholder
+freelancer
+free-liver
+freeloader
+freeman
+Freemason
+free trader
+freight agent
+French teacher
+freshman
+Freudian
+friar
+monk
+Benedictine
+friend
+frontiersman
+frontierswoman
+frontbencher
+front man
+front-runner
+frotteur
+fruiterer
+fruit grower
+frump
+fry cook
+fucker
+fucker
+fuddy-duddy
+fugitive
+fugitive
+fugleman
+fullback
+fuller
+full professor
+fumigator
+funambulist
+functional illiterate
+functionalist
+fundamentalist
+fundraiser
+fusilier
+futurist
+gadabout
+gadgeteer
+gaffer
+gagman
+gagman
+gainer
+gainer
+gal
+Galilean
+galley slave
+gallows bird
+galoot
+galvanizer
+galvanizer
+gambist
+gambler
+gambler
+gamekeeper
+games-master
+gamine
+gamine
+gandy dancer
+ganger
+gangsta
+gangster
+garbage man
+gardener
+gardener
+garmentmaker
+garment cutter
+garnishee
+garroter
+gasbag
+gas fitter
+gasman
+gastroenterologist
+gatecrasher
+gatekeeper
+gatherer
+gaucho
+gawker
+gay man
+gazetteer
+geisha
+gem cutter
+gendarme
+genealogist
+Genevan
+Genoese
+genre painter
+geek
+geezer
+general
+general
+general manager
+general officer
+general practitioner
+generator
+geneticist
+genitor
+progenitor
+genius
+gent
+gentleman
+gentleman-at-arms
+geographer
+geologist
+geomancer
+geometer
+geometry teacher
+Germanist
+gerontologist
+geophysicist
+ghostwriter
+giant
+giant
+Gibson girl
+gigolo
+gilder
+gillie
+girl
+girl
+girl Friday
+girlfriend
+girlfriend
+Girl Scout
+girl wonder
+Girondist
+gitana
+gitano
+giver
+gladiator
+glassblower
+glass cutter
+glass cutter
+glassmaker
+gleaner
+gleaner
+globetrotter
+glossarist
+glutton
+Gnostic
+god
+gonif
+government agent
+G-man
+goalkeeper
+goat herder
+gobbler
+godchild
+goddaughter
+godfather
+godfather
+godmother
+godparent
+godson
+gofer
+goffer
+Gog and Magog
+go-getter
+goldbeater
+goldbrick
+goldbrick
+gold digger
+gold miner
+goldsmith
+golem
+golfer
+golf pro
+golf widow
+goliard
+gondolier
+goner
+Gongorist
+good egg
+good guy
+good old boy
+good person
+good Samaritan
+goody-goody
+gossip
+gossip columnist
+Goth
+Gothic romancer
+gouger
+governess
+governor
+governor general
+grabber
+grader
+graduate nurse
+graduate student
+grain merchant
+grammarian
+grandchild
+granddaughter
+grand dragon
+grand duchess
+grand duke
+grande dame
+grandee
+grandfather
+Grand Inquisitor
+grandma
+grandmaster
+grand mufti
+grandparent
+grandson
+grandstander
+granny
+grantee
+granter
+grantor
+graphic designer
+graphologist
+grass widower
+gravedigger
+graverobber
+graverobber
+gravida
+grazier
+great
+great-aunt
+great grandchild
+great granddaughter
+great grandmother
+great grandfather
+great grandparent
+great grandson
+great-nephew
+great-niece
+great-uncle
+Grecian
+Green Beret
+greengrocer
+greenskeeper
+grenadier
+greeter
+gringo
+grinner
+griot
+grip
+groaner
+grocer
+grocery boy
+groom
+groom
+groomsman
+grouch
+groundling
+groundsman
+group captain
+groupie
+growler
+grunt
+grunter
+guarantor
+guard
+prison guard
+guard
+guard
+guardsman
+guerrilla
+guesser
+guest
+guest
+guest of honor
+guest worker
+guide
+guitarist
+gulper
+gunman
+gunnery sergeant
+gunrunner
+gunsmith
+guru
+guru
+Guru
+gutter
+guvnor
+guzzler
+guy
+gymnast
+gymnosophist
+gym rat
+gynecologist
+Gypsy
+hack
+hack
+hacker
+hacker
+hacker
+hag
+haggler
+hagiographer
+hairdresser
+hairsplitter
+hajji
+hajji
+hakim
+hakim
+Hakka
+halberdier
+halfback
+half blood
+half-caste
+half-breed
+fathead
+ham
+ham
+Ham
+Haman
+hand
+handler
+handicapped person
+animal trainer
+handmaid
+handyman
+hanger
+hang glider
+hangman
+haranguer
+Hanoverian
+harasser
+hardliner
+harlequin
+harmonizer
+harmonizer
+harpist
+harpooner
+harpsichordist
+harasser
+harridan
+harvester
+has-been
+hash head
+Hasid
+hatchet man
+hatchet man
+hatemonger
+hater
+hatmaker
+hauler
+hawk
+head
+head
+head
+headhunter
+headhunter
+headliner
+head linesman
+headman
+headmaster
+headmistress
+head nurse
+head of household
+head of state
+headsman
+health professional
+hearer
+audile
+motile
+hearing examiner
+heartbreaker
+heartthrob
+heathen
+paynim
+heaver
+heavy hitter
+heavyweight
+heavyweight
+heavyweight
+heavy
+Hebraist
+heckler
+hedger
+hedger
+hedger
+hedonist
+Hegelian
+Heidelberg man
+heir
+heir apparent
+heir-at-law
+heiress
+heir presumptive
+hellion
+hellhound
+hell-kite
+helmsman
+hierarch
+hire
+hired help
+histologist
+helpmate
+hematologist
+hemiplegic
+hemophiliac
+herald
+herbalist
+herder
+heretic
+heretic
+hermaphrodite
+hermit
+herpetologist
+protagonist
+antihero
+hero
+heroine
+heroine
+heroin addict
+hero worshiper
+Herr
+heterosexual
+hewer
+highbinder
+highbrow
+high commissioner
+highflier
+Highlander
+Highlander
+high-muck-a-muck
+Highness
+high priest
+high roller
+highjacker
+highjacker
+highway engineer
+hiker
+hillbilly
+hippie
+hired hand
+hireling
+hisser
+historian
+hitchhiker
+hitter
+Hittite
+hoarder
+hobbledehoy
+hobbler
+hobbyist
+hockey coach
+hockey player
+hod carrier
+hog
+hoister
+holder
+holder
+holdout
+holdover
+holdup man
+Holy Roller
+Holy Roman Emperor
+homeboy
+homeboy
+homebuilder
+home buyer
+homegirl
+home help
+homeless
+homeopath
+homeowner
+Home Secretary
+homophobe
+homosexual
+homunculus
+honest woman
+honker
+honoree
+honor guard
+hood
+hoodoo
+hoofer
+hooker
+hooker
+Hooray Henry
+hope
+hoper
+hopper
+hornist
+horse doctor
+horseman
+horseman
+horse trader
+horsewoman
+horse wrangler
+horticulturist
+hosier
+hospital chaplain
+host
+hosteller
+hostess
+host
+host
+hostess
+hostage
+hotdog
+hotel detective
+hotelier
+hotspur
+housebreaker
+housefather
+house guest
+house husband
+housekeeper
+housemaster
+housemate
+housemother
+house painter
+house physician
+house sitter
+housewife
+housewrecker
+housing commissioner
+Houyhnhnm
+Huayna Capac
+huckster
+huckster
+huddler
+huddler
+hugger
+Huguenot
+humanist
+humanist
+humanitarian
+hummer
+humorist
+humpback
+Hun
+hunger marcher
+hunk
+hunted person
+hunter
+hunter-gatherer
+hunting guide
+huntress
+hunter
+hurdler
+husband
+ex-husband
+hussar
+Hussite
+hustler
+hydrologist
+hydromancer
+hygienist
+hyperope
+hypertensive
+hypnotist
+hypochondriac
+hypocrite
+hypotensive
+hysteric
+Iberian
+Iberian
+iceman
+ice-skater
+ichthyologist
+iconoclast
+iconoclast
+idealist
+identical twin
+ideologist
+idiot
+idiot savant
+idler
+idol
+idolater
+idolatress
+idolizer
+ignoramus
+illiterate
+imam
+immigrant
+immortal
+immune
+immunologist
+imp
+imperialist
+impersonator
+import
+important person
+importer
+imposter
+impressionist
+inamorata
+inamorato
+incompetent
+incubus
+incumbent
+incurable
+index case
+indexer
+Indian agent
+Indian chief
+Indian giver
+individual
+inductee
+industrialist
+infanticide
+infantryman
+doughboy
+inferior
+infernal
+infielder
+infiltrator
+infiltrator
+informant
+informer
+ingenue
+ingenue
+ingrate
+initiate
+polymath
+in-law
+inmate
+inoculator
+inpatient
+inquirer
+inquiry agent
+inquisitor
+Inquisitor
+insider
+insomniac
+inspector
+inspector general
+instigator
+instigator
+instructress
+instrument
+insurance broker
+insured
+insurgent
+intelligence analyst
+interior designer
+interlocutor
+interlocutor
+intern
+internal auditor
+International Grandmaster
+internationalist
+internationalist
+internee
+internist
+internuncio
+interpreter
+interpreter
+intervenor
+interviewee
+interviewer
+introvert
+intruder
+invader
+invalid
+invalidator
+inventor
+investigator
+investment adviser
+investment banker
+investor
+invigilator
+iron man
+ironmonger
+ironside
+ironworker
+irredentist
+irreligionist
+Islamist
+islander
+Ismaili
+isolationist
+itinerant
+Ivy Leaguer
+Jack of all trades
+Jacksonian
+Jacob
+Jacobean
+Jacobin
+Jacobite
+jail bird
+Jane Doe
+Janissary
+janissary
+janitor
+Jansenist
+Japheth
+Jat
+Javanese
+jawan
+jaywalker
+jazz musician
+Jeffersonian
+Jekyll and Hyde
+jerk
+jerry-builder
+jester
+Jesuit
+jewel
+jeweler
+jewelry maker
+jezebel
+jilt
+jimdandy
+jobber
+job candidate
+jobholder
+Job
+Job's comforter
+jockey
+jockey
+jogger
+John Doe
+John Doe
+joiner
+joiner
+joker
+joker
+jonah
+journalist
+Judas
+judge
+judge advocate
+judge advocate
+judge advocate general
+Judith
+juggler
+juggernaut
+jumper
+jumper
+Jungian
+junior
+junior
+Junior
+junior featherweight
+junior lightweight
+junior middleweight
+junior welterweight
+jurist
+juror
+justice of the peace
+justiciar
+kachina
+kaffir
+Kalon Tripa
+kamikaze
+Kaiser
+keeper
+kerb crawler
+keyboardist
+Keynesian
+khan
+Khedive
+kibbutznik
+kibitzer
+kicker
+kiddy
+kidnapper
+killer
+killer bee
+king
+kingmaker
+King of England
+King of France
+King of the Germans
+king
+kingpin
+King's Counsel
+Counsel to the Crown
+relative
+blood relation
+kin
+enate
+agnate
+kink
+kinsman
+kinswoman
+kisser
+kissing cousin
+kitchen help
+kitchen police
+Klansman
+kleptomaniac
+klutz
+knacker
+knacker
+kneeler
+knight
+knight bachelor
+knight banneret
+Knight of the Round Table
+knight-errant
+Knight Templar
+Knight Templar
+knitter
+knocker
+knocker
+knower
+know-it-all
+kolkhoznik
+kook
+koto player
+Kshatriya
+kvetch
+labor coach
+laborer
+labor leader
+Labourite
+lacer
+lackey
+lacrosse player
+Lady
+lady
+lady-in-waiting
+ladylove
+lady's maid
+laird
+lama
+Lamarckian
+lamb
+lamb
+lame duck
+laminator
+lamplighter
+lampoon artist
+lance corporal
+lancer
+land agent
+landgrave
+landlady
+landlord
+landlubber
+landlubber
+landowner
+landscape architect
+landscapist
+langlaufer
+languisher
+lapidary
+lapidary
+larcenist
+large person
+lascar
+lasher
+lass
+latchkey child
+latecomer
+lather
+Latin
+Latin
+Latinist
+latitudinarian
+Jehovah's Witness
+Latter-Day Saint
+laudator
+laugher
+laureate
+law agent
+lawgiver
+lawman
+law student
+lawyer
+layman
+lay reader
+lay witness
+Lazarus
+Lazarus
+lazybones
+leading lady
+leading man
+leaker
+learner
+leaseholder
+lector
+lector
+lecturer
+leech
+left-handed pitcher
+left-hander
+legal representative
+legate
+legatee
+legionnaire
+Legionnaire
+legislator
+lender
+leper
+leper
+lepidopterist
+lesbian
+lessor
+letter
+letterer
+letterman
+leveler
+leviathan
+Levite
+lexicographer
+liar
+liberal
+liberal
+liberator
+libertarian
+libertarian
+libertine
+librarian
+librettist
+licensed practical nurse
+licensee
+licenser
+licentiate
+lie-abed
+lieder singer
+liege
+lieutenant
+lieutenant
+lieutenant
+lieutenant colonel
+lieutenant commander
+lieutenant general
+lieutenant governor
+lieutenant junior grade
+life
+lifeguard
+life peer
+lifer
+life tenant
+lighterman
+light flyweight
+light heavyweight
+light heavyweight
+light heavyweight
+light middleweight
+lighthouse keeper
+lightning rod
+light-o'-love
+lightweight
+lightweight
+lightweight
+light welterweight
+lilliputian
+linebacker
+limnologist
+line judge
+lineman
+lineman
+linendraper
+line officer
+linesman
+line worker
+linguist
+linguist
+linkboy
+lion
+lion-hunter
+lion-hunter
+lip reader
+liquidator
+lisper
+lister
+literary critic
+literate
+lithographer
+lithomancer
+litigant
+litterer
+little brother
+Little John
+little leaguer
+Little Red Riding Hood
+little sister
+liturgist
+liveborn infant
+liver
+liver
+liveryman
+loader
+lobbyist
+lobsterman
+locator
+lockmaster
+locksmith
+locum tenens
+lodger
+logical positivist
+logician
+logomach
+loiterer
+Lolita
+lollipop lady
+loner
+longbowman
+longer
+long shot
+lookout
+loon
+loose cannon
+Lord
+Lord Chancellor
+Lord of Misrule
+Lord Privy Seal
+Lorelei
+loser
+loser
+failure
+old maid
+underboss
+underdog
+Lot
+Lot's wife
+Lothario
+loudmouth
+lounge lizard
+lout
+lowerclassman
+low-birth-weight baby
+Lowlander
+loyalist
+Lubavitcher
+Luddite
+Luddite
+luger
+lumberman
+luminary
+lumper
+light
+lunatic
+bedlamite
+pyromaniac
+luncher
+lunger
+lurker
+luthier
+lutist
+Lutheran
+lyricist
+ma
+macaroni
+macebearer
+Machiavellian
+machine
+machine politician
+machinist
+macho
+Mackem
+macroeconomist
+macushla
+madam
+madame
+madrigalist
+madwoman
+maenad
+maestro
+mafioso
+mafioso
+magdalen
+magician
+magistrate
+magnifico
+magpie
+magus
+magus
+maharaja
+maharani
+mahatma
+Mahdi
+Mahdist
+mahout
+maid
+maid
+maiden aunt
+mailer
+mailman
+major
+major
+major-domo
+major-general
+majority leader
+major leaguer
+maker
+malacologist
+malahini
+malcontent
+male aristocrat
+male child
+transgressor
+male offspring
+male sibling
+malfeasant
+malik
+malingerer
+Malthusian
+maltster
+mammalogist
+mammy
+man
+man
+man
+adonis
+man
+man
+management consultant
+manageress
+managing editor
+mandarin
+mandarin
+mandarin
+mandatary
+mandator
+Mandaean
+maneuverer
+maniac
+manic-depressive
+Manichaean
+manicurist
+manipulator
+mannequin
+man-at-arms
+manikin
+man jack
+man of action
+man of letters
+man of means
+manservant
+manufacturer
+Maoist
+map-reader
+Maquis
+marathoner
+marauder
+marcher
+marcher
+marchioness
+marchioness
+margrave
+margrave
+Marine
+marine
+marine engineer
+mariner
+marksman
+maroon
+marquess
+marquis
+Marrano
+married
+marshal
+marshal
+martinet
+martyr
+martyr
+Marxist
+mascot
+masochist
+mason
+Masorete
+masquerader
+massager
+masseur
+masseuse
+mass murderer
+master
+master
+master
+master
+master-at-arms
+master of ceremonies
+master sergeant
+masturbator
+matchmaker
+mate
+mate
+mate
+mater
+material
+materialist
+materialist
+material witness
+mathematician
+math teacher
+matriarch
+matriarch
+matricide
+matriculate
+matron
+matron
+matron
+matron of honor
+mauler
+maverick
+mayor
+mayoress
+mayoress
+May queen
+meanie
+measurer
+meat packer
+mechanical engineer
+mechanist
+medalist
+medalist
+meddler
+media consultant
+medical assistant
+medical officer
+medical practitioner
+medical scientist
+medical student
+medium
+megalomaniac
+melancholic
+Melkite
+Melkite
+melter
+member
+nonmember
+board member
+clansman
+club member
+memorizer
+Mendelian
+mender
+menial
+mensch
+Menshevik
+mentioner
+mentor
+mercenary
+mercer
+merchant
+Merovingian
+meshuggeneh
+mesne lord
+Mesoamerican
+mesomorph
+messenger
+bearer
+messenger boy
+messmate
+mestiza
+mestizo
+metalhead
+metallurgist
+meteorologist
+meter maid
+Methodist
+Wesleyan
+metic
+Metis
+metropolitan
+metropolitan
+mezzo-soprano
+microbiologist
+microeconomist
+microscopist
+middle-aged man
+middlebrow
+middleweight
+middleweight
+middleweight
+midinette
+midshipman
+midwife
+migrant
+mikado
+Milady
+Milanese
+miler
+miles gloriosus
+militant
+militarist
+military adviser
+military attache
+military chaplain
+military governor
+military leader
+military officer
+military policeman
+militiaman
+milkman
+mill agent
+miller
+mill-girl
+mill-hand
+millenarian
+millionairess
+millwright
+milord
+mime
+mimic
+minder
+mind reader
+miner
+mineralogist
+miniaturist
+minimalist
+minimalist
+mining engineer
+minion
+minister
+minister
+ministrant
+minority leader
+minor leaguer
+minstrel
+Minuteman
+miracle man
+misanthrope
+miser
+misfit
+misleader
+misogamist
+misogynist
+missing link
+missionary
+missionary
+missus
+mistress
+mistress
+mixed-blood
+mnemonist
+mod
+model
+model
+hero
+ideal
+class act
+humdinger
+modeler
+moderationist
+moderator
+moderator
+moderator
+modern
+modernist
+modifier
+Mogul
+Mohammedan
+molecular biologist
+molester
+moll
+mollycoddle
+Mon
+monarchist
+Monegasque
+monetarist
+moneygrubber
+moneymaker
+mongoloid
+Mongoloid
+monogamist
+monolingual
+monologist
+monomaniac
+Monophysite
+monopolist
+monotheist
+Monsieur
+Monsignor
+monster
+moocher
+Moonie
+moonlighter
+mopper
+moppet
+moralist
+morosoph
+morris dancer
+mortal enemy
+mortgagee
+mortgagor
+mortician
+mossback
+moss-trooper
+most valuable player
+mother
+mother
+mother
+mother figure
+mother hen
+mother-in-law
+mother's boy
+mother's daughter
+mother's son
+motorcycle cop
+motorcyclist
+motorist
+motorman
+motormouth
+Mound Builder
+mountaineer
+mountebank
+mounter
+mounter
+mourner
+mouse
+mouth
+mouthpiece
+mover
+mover
+moviegoer
+muckraker
+muezzin
+muffin man
+mufti
+muggee
+mugger
+mugwump
+Mugwump
+mujahid
+mujtihad
+muleteer
+Mullah
+muncher
+muralist
+murderee
+murderer
+murderess
+murder suspect
+muscleman
+muser
+musher
+music critic
+musician
+musician
+musicologist
+music teacher
+musketeer
+Muslimah
+mutant
+mutilator
+mutineer
+mute
+mutterer
+muzhik
+muzzler
+Mycenaen
+mycologist
+mycophagist
+myope
+myrmidon
+mystic
+mythologist
+nabob
+naif
+nailer
+namby-pamby
+name
+name dropper
+namer
+namesake
+nan
+nanny
+narc
+narcissist
+narcoleptic
+nark
+narrator
+nationalist
+nationalist leader
+natural
+naturalist
+naturalist
+naturopath
+nautch girl
+naval attache
+naval commander
+naval officer
+navigator
+navigator
+Navy SEAL
+nawab
+oblate
+obsessive
+obsessive-compulsive
+obstructionist
+naysayer
+Nazarene
+Nazarene
+Nazarene
+Nazi
+nazi
+Neapolitan
+nebbish
+necessitarian
+necker
+necromancer
+needleworker
+negativist
+neglecter
+negotiator
+negotiatress
+neighbor
+neoclassicist
+neoconservative
+neoliberal
+neologist
+neonate
+Neoplatonist
+nephew
+nepotist
+nerd
+Nestorian
+neurasthenic
+neurobiologist
+neurolinguist
+neurologist
+neuroscientist
+neurosurgeon
+neurotic
+neutral
+neutralist
+newcomer
+newcomer
+New Dealer
+New Englander
+newlywed
+newsagent
+newscaster
+newspaper editor
+newspaper columnist
+newspaper critic
+newsreader
+Newtonian
+New Waver
+next friend
+next of kin
+nibbler
+niece
+niggard
+night owl
+night porter
+night rider
+night watchman
+nihilist
+NIMBY
+nincompoop
+ninja
+niqaabi
+Nisei
+nitpicker
+Nobelist
+NOC
+nomad
+nominalist
+nominator
+nonagenarian
+noncandidate
+noncombatant
+noncommissioned officer
+nondescript
+nondriver
+nonparticipant
+nonpartisan
+nonperson
+nonreader
+nonresident
+non-resistant
+nonsmoker
+normalizer
+Northern Baptist
+Northerner
+nosher
+no-show
+no-show
+notary
+noticer
+noticer
+novelist
+novice
+novitiate
+Nubian
+nuclear chemist
+nuclear physicist
+nude
+nudger
+nudist
+nudnik
+nullifier
+nullipara
+number theorist
+numerologist
+numen
+Numidian
+numismatist
+nurse
+nurser
+nursing aide
+nurse-midwife
+nurse practitioner
+nun
+nuncio
+nursling
+nutter
+nymph
+nymphet
+nympholept
+nymphomaniac
+oarsman
+oarswoman
+obliger
+oboist
+obscurantist
+observer
+obstetrician
+Occidental
+occupier
+oceanographer
+octogenarian
+occultist
+odalisque
+odds-maker
+odist
+wine lover
+offerer
+office-bearer
+office boy
+officeholder
+officer
+official
+official
+officiant
+Federal
+Federal
+agent
+offspring
+ogler
+oiler
+oilman
+oilman
+oil painter
+oil tycoon
+old-age pensioner
+old boy
+old boy
+old boy
+old lady
+old man
+old man
+old man
+old master
+oldster
+old-timer
+old woman
+oligarch
+Olympian
+ombudsman
+omnivore
+oncologist
+oneiromancer
+one of the boys
+onlooker
+onomancer
+operagoer
+opera star
+operator
+operator
+operator
+ophthalmologist
+opium addict
+opportunist
+opposition
+oppressor
+optician
+optimist
+optometrist
+Orangeman
+orator
+orchestrator
+ordainer
+orderer
+orderer
+orderly
+orderly
+orderly sergeant
+ordinand
+ordinary
+ordinary
+organ donor
+organ-grinder
+organist
+organization man
+organizer
+organizer
+orientalist
+originator
+Orleanist
+ornithologist
+orphan
+orphan
+orthodontist
+Orthodox Jew
+orthoepist
+orthopedist
+orthoptist
+osteologist
+osteopath
+ostrich
+Ostrogoth
+ouster
+out-and-outer
+outcast
+outcaste
+outdoorsman
+outdoorswoman
+outfielder
+outfielder
+right fielder
+right-handed pitcher
+center fielder
+left fielder
+outfitter
+outlier
+outpatient
+outrider
+outsider
+overachiever
+overlord
+overnighter
+overseer
+owner
+owner
+owner-driver
+owner-occupier
+oyabun
+pachuco
+pacifist
+packer
+packrat
+padrone
+padrone
+pagan
+page
+page
+page
+pain
+painter
+painter
+palatine
+palatine
+Paleo-American
+paleographer
+paleontologist
+pallbearer
+palmist
+pamperer
+pamphleteer
+Panchen Lama
+panderer
+panelist
+panhandler
+pansexual
+pantheist
+paparazzo
+paperboy
+paperhanger
+paperhanger
+paper-pusher
+papoose
+parachutist
+paragrapher
+paralegal
+paralytic
+paramedic
+paranoid
+paraplegic
+paraprofessional
+parapsychologist
+paratrooper
+pardoner
+pardoner
+parent
+parer
+paretic
+parishioner
+park commissioner
+parliamentarian
+Parliamentarian
+parliamentary agent
+parlormaid
+parodist
+parricide
+parrot
+Parsee
+partaker
+participant
+partisan
+partitionist
+partner
+part-owner
+part-timer
+party
+party boss
+party girl
+partygoer
+party man
+pasha
+passenger
+passer
+passer
+passer
+passerby
+passive source
+paster
+past master
+past master
+pastry cook
+patentee
+pater
+patient
+patrial
+patriarch
+patriarch
+patriarch
+patriarch
+patrician
+patricide
+patriot
+patroller
+patron
+patron
+patron
+patroness
+patron saint
+patternmaker
+patzer
+pauper
+pavement artist
+pawer
+pawnbroker
+payee
+payer
+paymaster
+peacekeeper
+peacekeeper
+peanut
+pearl diver
+peasant
+peasant
+peasant
+pedaler
+pedant
+peddler
+pederast
+pedestrian
+pedodontist
+pedophile
+peeler
+peer
+peer of the realm
+pelter
+pendragon
+penetrator
+penitent
+penny pincher
+penologist
+pen pal
+penpusher
+pensioner
+pentathlete
+Pentecostal
+percussionist
+perfectionist
+perfecter
+performer
+perfumer
+peri
+perinatologist
+periodontist
+peripatetic
+perisher
+perjurer
+peroxide blond
+perpetrator
+peshmerga
+personality
+personal representative
+personage
+persona grata
+persona non grata
+personification
+embodiment
+deification
+perspirer
+persuader
+pervert
+pessimist
+pest
+Peter Pan
+petit bourgeois
+petitioner
+petit juror
+petroleum geologist
+pet sitter
+petter
+petty officer
+Pharaoh
+Pharisee
+pharisee
+pharmacist
+pharmacologist
+philanthropist
+philatelist
+philhellene
+Philippian
+Philistine
+philistine
+philologist
+philomath
+philosopher
+philosopher
+philosophizer
+phlebotomist
+phonetician
+phonologist
+photographer
+photographer's model
+photojournalist
+photometrist
+phrenologist
+Phrygian
+physical therapist
+physicist
+physiologist
+phytochemist
+pianist
+piano maker
+piano teacher
+pickaninny
+picker
+picker
+picket
+pickpocket
+pickup
+picnicker
+pied piper
+pilgrim
+pilgrim
+Pilgrim
+pill
+pillar
+pill head
+pilot
+pilot
+Piltdown man
+pimp
+pinchgut
+pinch hitter
+pinko
+pioneer
+pioneer
+pipe major
+piper
+pipe smoker
+pip-squeak
+pirate
+pisser
+pistoleer
+pitcher
+pitchman
+pituitary dwarf
+pivot
+place-kicker
+placeman
+placer miner
+plagiarist
+plainclothesman
+plainsman
+plaintiff
+plaiter
+planner
+plant
+planter
+planter
+plasterer
+plaster saint
+platelayer
+plater
+platinum blond
+platitudinarian
+Platonist
+playboy
+player
+player
+player
+playgoer
+playmaker
+playmate
+pleaser
+plebeian
+pledge
+pledgee
+pledger
+pledge taker
+plenipotentiary
+plier
+plodder
+plodder
+plotter
+plowboy
+plowman
+plowwright
+plumber
+plunderer
+pluralist
+pluralist
+pluralist
+plutocrat
+poacher
+poet
+poetess
+poet laureate
+poet laureate
+poilu
+pointillist
+point man
+point man
+pointsman
+point woman
+poisoner
+polemicist
+police commissioner
+policeman
+police matron
+police sergeant
+policyholder
+policy maker
+political prisoner
+political scientist
+politician
+politician
+politician
+pollster
+polluter
+poltroon
+polyandrist
+polygamist
+polygynist
+polytheist
+pomologist
+ponce
+pontifex
+pooler
+pool player
+poor devil
+poor person
+pope
+popinjay
+popularizer
+pork butcher
+pornographer
+porter
+porter
+portraitist
+portwatcher
+poseur
+poseuse
+positivist
+posseman
+possible
+postdiluvian
+postdoc
+poster boy
+poster child
+poster girl
+postmature infant
+postulator
+postulator
+posturer
+private citizen
+probable
+problem solver
+pro-lifer
+proprietress
+prosthetist
+prosthodontist
+provincial
+postal clerk
+postilion
+Postimpressionist
+postmaster
+postmistress
+postmaster general
+postulant
+potboy
+pothead
+potholer
+pothunter
+pothunter
+pothunter
+potter
+poultryman
+powderer
+powder monkey
+power
+influence
+Moloch
+power broker
+powerhouse
+power user
+power worker
+practitioner
+praetor
+Praetorian Guard
+pragmatist
+pragmatist
+prankster
+prattler
+prayer
+preacher
+prebendary
+preceptor
+predecessor
+preemptor
+preemptor
+prefect
+Pre-Raphaelite
+premature baby
+presbyope
+presbyter
+Presbyterian
+preschooler
+presenter
+presenter
+presentist
+preservationist
+preserver
+preserver
+president
+President of the United States
+president
+president
+president
+presiding officer
+pre-Socratic
+press agent
+press lord
+press photographer
+Pretender
+preterist
+prevailing party
+prey
+priest
+priest
+priestess
+prima ballerina
+prima donna
+prima donna
+primary care physician
+primigravida
+primipara
+primordial dwarf
+primus
+prince
+Elector
+prince charming
+prince consort
+princeling
+princeling
+Prince of Wales
+princess
+princess royal
+principal
+principal
+principal
+principal investigator
+printer
+printer's devil
+printmaker
+print seller
+prior
+prisoner
+prisoner of war
+private
+private detective
+privateer
+prizefighter
+probability theorist
+probationer
+probationer
+probation officer
+processor
+process-server
+proconsul
+proconsul
+procrastinator
+proctologist
+proctor
+procurator
+procurer
+procuress
+prodigal
+prodigy
+producer
+professional
+professional
+professor
+profiteer
+profit taker
+programmer
+projectionist
+proletarian
+promisee
+promiser
+promoter
+prompter
+promulgator
+proofreader
+propagandist
+propagator
+propagator
+property man
+prophet
+prophetess
+prophet
+proposer
+propositus
+prosecutor
+proselyte
+prospector
+prostitute
+protectionist
+protege
+protegee
+protozoologist
+provider
+provost
+provost marshal
+prowler
+proxy
+prude
+pruner
+psalmist
+psephologist
+pseudohermaphrodite
+psychiatrist
+psychic
+spirit rapper
+psycholinguist
+psychologist
+psychophysicist
+sociopath
+psychopomp
+psychotherapist
+psychotic
+pteridologist
+publican
+public defender
+publicist
+public relations person
+public servant
+publisher
+publisher
+puddler
+pudge
+puerpera
+puller
+puller
+puncher
+punching bag
+punk rocker
+punster
+punter
+punter
+puppet ruler
+puppeteer
+puppy
+purchasing agent
+purist
+puritan
+Puritan
+purser
+pursued
+pursuer
+pursuer
+purveyor
+pusher
+pusher
+pusher
+pushover
+pussycat
+putter
+putterer
+putz
+Pygmy
+pygmy
+pyrographer
+pyromancer
+python
+pythoness
+qadi
+quack
+quadripara
+quadriplegic
+quadruplet
+quaestor
+quaffer
+quaker
+qualifier
+quarreler
+quarryman
+quarter
+quarterback
+quartermaster
+quartermaster general
+Quebecois
+queen
+Queen of England
+queen
+queen
+queen consort
+queen dowager
+queen mother
+queen regent
+Queen's Counsel
+question master
+Quetzalcoatl
+quibbler
+quick study
+quietist
+quintipara
+quintuplet
+quitter
+quoter
+rabbi
+racer
+racetrack tout
+racist
+racker
+racketeer
+radical
+radio announcer
+radiobiologist
+radiographer
+radiologic technologist
+radiologist
+radio operator
+raftsman
+ragamuffin
+ragpicker
+ragsorter
+railbird
+rail-splitter
+rainmaker
+rainmaker
+raiser
+raja
+Rajput
+rake
+rambler
+rambler
+ramrod
+rancher
+ranch hand
+rani
+ranker
+ranker
+ranter
+raper
+rape suspect
+rapper
+rapporteur
+rare bird
+Raskolnikov
+rat-catcher
+ratepayer
+raver
+raw recruit
+reactionary
+reader
+reader
+reading teacher
+realist
+realist
+realist
+real estate broker
+Realtor
+rear admiral
+reasoner
+rebutter
+receiver
+receiver
+receptionist
+recidivist
+recidivist
+recitalist
+reciter
+record-breaker
+recorder
+recorder player
+recruit
+recruit
+recruiter
+recruiter
+recruiting-sergeant
+rectifier
+redact
+redcap
+redcap
+redeemer
+redhead
+redneck
+reeler
+reenactor
+referral
+referee
+referee
+refiner
+refinisher
+reformer
+Reform Jew
+refugee
+regent
+regent
+regicide
+registered nurse
+registrant
+registrar
+registrar
+registrar
+Regius professor
+regular
+regular
+regular
+regulator
+reincarnation
+reliever
+reliever
+religious
+eremite
+anchorite
+cenobite
+religious leader
+remittance man
+remover
+Renaissance man
+Renaissance man
+renegade
+rent collector
+renter
+rentier
+repairman
+repatriate
+repeater
+reporter
+newswoman
+repository
+representative
+reprobate
+republican
+Republican
+rescuer
+research director
+research worker
+reservist
+resident
+resident commissioner
+respecter
+respondent
+respondent
+restaurateur
+rester
+restrainer
+retailer
+retiree
+retreatant
+returning officer
+reveler
+drunken reveler
+revenant
+revenant
+revenuer
+reversioner
+reviewer
+revisionist
+revolutionist
+rheumatic
+rheumatologist
+Rhodesian man
+Rhodes scholar
+rhymer
+rhythm and blues musician
+ribald
+Richard Roe
+rich person
+millionaire
+billionaire
+multi-billionaire
+rider
+rider
+disreputable person
+riding master
+Riff
+rifleman
+rifleman
+rigger
+rigger
+right-hander
+right-hand man
+rightist
+ringer
+ringer
+ring girl
+ringleader
+ringmaster
+rioter
+ripper
+Rip van Winkle
+Rip van Winkle
+riser
+ritualist
+ritualist
+rival
+riveter
+road builder
+road hog
+roadman
+roarer
+roaster
+roaster
+robber
+robbery suspect
+Robert's Rules of Order
+Robin Hood
+Robinson Crusoe
+rock
+rock climber
+rocker
+rocker
+rocker
+rocket engineer
+rocket scientist
+rock star
+rogue
+roisterer
+rollerblader
+roller-skater
+Roman Emperor
+Romanov
+romantic
+romanticist
+Romeo
+romper
+roofer
+room clerk
+roommate
+ropemaker
+roper
+roper
+ropewalker
+rosebud
+Rosicrucian
+Rosicrucian
+Rotarian
+rotter
+Mountie
+Rough Rider
+roughrider
+Roundhead
+roundhead
+roundsman
+router
+rover
+rubberneck
+ruler
+civil authority
+dynast
+rug merchant
+Rumpelstiltskin
+Shylock
+rumrunner
+runner
+runner
+runner
+runner-up
+running back
+running mate
+runt
+ruralist
+rusher
+rusher
+rusher
+rustic
+rustler
+Sabbatarian
+saboteur
+sachem
+sachem
+sacred cow
+sacrificer
+saddler
+Sadducee
+sadhu
+sadist
+sadomasochist
+safebreaker
+sage
+sailing master
+sailmaker
+sailor
+saint
+saint
+salesclerk
+salesgirl
+salesman
+salesperson
+saloon keeper
+salter
+salter
+salutatorian
+salvager
+Samaritan
+samurai
+sandbagger
+sandboy
+sandwichman
+sangoma
+sannup
+sannyasi
+Santa Claus
+Tristan
+Iseult
+sapper
+sapper
+Saracen
+Saracen
+Saracen
+Sardinian
+Sassenach
+Satanist
+satellite
+satirist
+satyr
+satrap
+saunterer
+savage
+saver
+savior
+Savoyard
+sawyer
+saxophonist
+scab
+scalawag
+scalper
+scandalmonger
+scanner
+scapegoat
+scapegrace
+Scaramouch
+scaremonger
+scatterbrain
+scenarist
+scene painter
+sceneshifter
+scene-stealer
+scenic artist
+schemer
+schizophrenic
+schlemiel
+schlepper
+schlimazel
+schlockmeister
+schmuck
+schnook
+schnorrer
+scholar
+scholar
+Scholastic
+scholiast
+schoolboy
+schoolchild
+schoolfriend
+schoolgirl
+Schoolman
+schoolmarm
+schoolmaster
+schoolmate
+school superintendent
+schoolteacher
+science teacher
+scientist
+scion
+scoffer
+scoffer
+scofflaw
+scold
+scorekeeper
+scorer
+scorer
+scourer
+scourer
+scout
+scout
+Scout
+scoutmaster
+scrambler
+scratch
+scratcher
+scratcher
+scrawler
+screen actor
+screener
+screenwriter
+screwballer
+scribe
+scrimshanker
+scriptwriter
+scrubber
+scrub nurse
+scrutinizer
+scrutineer
+scuba diver
+sculler
+scullion
+sculptor
+sculptress
+Scythian
+sea king
+sea lawyer
+sealer
+searcher
+Sea Scout
+seasonal worker
+seasoner
+secessionist
+second
+second baseman
+second cousin
+seconder
+second fiddle
+second hand
+second-in-command
+second lieutenant
+second-rater
+secret agent
+secretary
+secretary
+Attorney General
+Secretary of Agriculture
+Secretary of Commerce
+Secretary of Defense
+Secretary of Education
+Secretary of Energy
+Secretary of Health and Human Services
+Secretary of Housing and Urban Development
+Secretary of Labor
+Secretary of State
+Secretary of the Interior
+Secretary of the Treasury
+Secretary of Transportation
+Secretary of Veterans Affairs
+Secretary General
+sectarian
+Section Eight
+section hand
+section man
+secularist
+secundigravida
+security consultant
+security director
+seducer
+seducer
+seductress
+seeded player
+seeder
+seedsman
+seeker
+seer
+segregate
+segregator
+seismologist
+selectman
+selectwoman
+selfish person
+self-starter
+seller
+selling agent
+semanticist
+semifinalist
+seminarian
+semiprofessional
+senator
+sendee
+sender
+Senhor
+senior
+senior chief petty officer
+senior master sergeant
+senior vice president
+sentimentalist
+sensationalist
+separatist
+Sephardi
+septuagenarian
+serf
+sergeant
+sergeant at arms
+sergeant major
+serial killer
+spree killer
+sericulturist
+serjeant-at-law
+serologist
+servant
+servant girl
+server
+serviceman
+servitor
+settler
+settler
+settler
+settlor
+sewer
+sewing-machine operator
+sexagenarian
+sex kitten
+sex object
+sex offender
+sex symbol
+sexton
+shadow
+Shah
+shaheed
+Shaker
+shaker
+Shakespearian
+shanghaier
+sharecropper
+shark
+shark
+sharpshooter
+shaver
+Shavian
+shearer
+shearer
+shedder
+she-devil
+sheepherder
+sheepman
+sheep
+sheep
+shegetz
+sheik
+sheika
+sheller
+shelver
+Shem
+shepherd
+shepherdess
+sheriff
+shiksa
+shill
+shingler
+ship-breaker
+ship broker
+shipbuilder
+ship chandler
+shipmate
+shipowner
+shipper
+shipping agent
+shipping clerk
+ship's chandler
+shipwright
+shirtmaker
+shocker
+shogun
+Shona
+shoofly
+shooter
+shooter
+shopaholic
+shop boy
+shop girl
+shopkeeper
+shopper
+shopper
+shop steward
+shortstop
+shot
+gunman
+shot putter
+shoveler
+showman
+showman
+shrew
+Shudra
+shuffler
+shuffler
+shutterbug
+shy person
+shyster
+Siamese twin
+sibling
+sibyl
+sibyl
+sick person
+side judge
+sidesman
+sightreader
+sightseer
+signaler
+signalman
+signer
+signer
+sign painter
+signor
+signora
+signore
+signorina
+Sikh
+silent partner
+silly
+silversmith
+addle-head
+Simeon
+simperer
+simpleton
+singer
+sinner
+Sinologist
+sipper
+sir
+Sir
+sirdar
+sire
+Siren
+sirrah
+sister
+Sister
+Beguine
+sister
+half sister
+sissy
+waverer
+sister-in-law
+sitar player
+sitter
+sitting duck
+six-footer
+sixth-former
+skateboarder
+skater
+skeptic
+sketcher
+skidder
+skidder
+skier
+ski jumper
+skimmer
+Skinnerian
+skinny-dipper
+skirmisher
+skilled worker
+skin-diver
+skinhead
+skinner
+skipper
+skivvy
+skycap
+skydiver
+slacker
+slammer
+slapper
+slasher
+slattern
+slave
+slave
+slave
+slave driver
+slave driver
+slaveholder
+slaver
+sledder
+sleeper
+sleeper
+sleeper
+Sleeping Beauty
+sleeping beauty
+sleepwalker
+sleepyhead
+sleuth
+slicer
+slicker
+slinger
+slip
+slob
+sloganeer
+slopseller
+slouch
+sloucher
+sluggard
+small businessman
+small-for-gestational-age infant
+smallholder
+small person
+small farmer
+smarta
+smasher
+smasher
+smiler
+smirker
+smith
+smith
+smoker
+smoothie
+smuggler
+snake charmer
+snake
+snarer
+snatcher
+sneak
+sneak thief
+sneerer
+sneezer
+sniffer
+sniffler
+sniper
+snob
+snoop
+snorer
+snorter
+snowboarder
+snuffer
+snuffer
+snuffler
+sobersides
+sob sister
+soccer player
+social anthropologist
+social climber
+socialist
+collectivist
+socialite
+socializer
+social scientist
+social secretary
+social worker
+Socinian
+sociobiologist
+sociolinguist
+sociologist
+sod
+soda jerk
+sodalist
+sodomite
+softy
+sojourner
+solderer
+soldier
+solicitor
+solicitor
+solicitor general
+soloist
+sommelier
+somniloquist
+son
+songster
+songstress
+songwriter
+son-in-law
+sonneteer
+Sophist
+sophisticate
+sophomore
+soprano
+sorcerer
+shaman
+medicine man
+sorceress
+sorehead
+sort
+sorter
+soubrette
+soul
+soul mate
+sounding board
+soundman
+sourdough
+sourpuss
+Southern Baptist
+Southerner
+Rebel
+sovereign
+sower
+space cadet
+spacewalker
+space writer
+spammer
+Spanish American
+sparer
+sparring partner
+spastic
+speaker
+native speaker
+Speaker
+spearhead
+speechwriter
+special agent
+specialist
+specialist
+specifier
+spectator
+speculator
+speculator
+speech therapist
+speeder
+speed freak
+speedskater
+spellbinder
+speller
+spender
+spendthrift
+big spender
+sphinx
+spindlelegs
+spin doctor
+spinner
+spinster
+spirit
+spitfire
+spitter
+spiv
+splicer
+splicer
+split end
+splitter
+splitter
+spoiler
+spoilsport
+spokesman
+spokesperson
+spokeswoman
+sponger
+sport
+sport
+sport
+sporting man
+sporting man
+sports announcer
+sports editor
+sports fan
+sports writer
+spotter
+spotter
+spot-welder
+spouse
+sprawler
+sprayer
+sprog
+sprog
+sprinter
+spurner
+spy
+spy
+spymaster
+squabbler
+square dancer
+square shooter
+square
+square
+squatter
+squatter
+squaw
+squaw man
+squeeze
+squinter
+squire
+squire
+squire
+stabber
+stableman
+stacker
+staff member
+staff officer
+staff sergeant
+stage director
+stagehand
+stage manager
+staggerer
+stainer
+stakeholder
+Stalinist
+stalker
+stalker
+stalking-horse
+stammerer
+stamper
+stamper
+stamp dealer
+standard-bearer
+standardizer
+standee
+stander
+stand-in
+star
+starer
+starets
+starlet
+starter
+starter
+starting pitcher
+starveling
+stater
+state's attorney
+state senator
+statesman
+stateswoman
+state treasurer
+stationer
+stationmaster
+statistician
+statistician
+stay-at-home
+steamfitter
+steelmaker
+steeplejack
+stemmer
+stenographer
+stentor
+stepbrother
+stepchild
+stepdaughter
+stepfather
+stepmother
+stepparent
+stepson
+stevedore
+steward
+steward
+steward
+stewardess
+stickler
+stiff
+stifler
+stigmatic
+stillborn infant
+stinter
+stipendiary
+stippler
+stitcher
+stockbroker
+stockjobber
+stocktaker
+stock trader
+stockholder
+stockholder of record
+stockist
+stockman
+Stoic
+stoic
+stoker
+stone breaker
+stonecutter
+stoner
+stonewaller
+stooper
+stooper
+store detective
+storm trooper
+storyteller
+stowaway
+strafer
+straggler
+straight man
+stranger
+stranger
+straphanger
+straphanger
+strategist
+straw boss
+strider
+stringer
+stringer
+streaker
+street cleaner
+street fighter
+street fighter
+street urchin
+street arab
+streetwalker
+stretcher-bearer
+strike leader
+striker
+striker
+striker
+striper
+strip miner
+stripper
+stripper
+stroke
+strongman
+strongman
+struggler
+Stuart
+stud
+student
+student teacher
+study
+stuffed shirt
+stumblebum
+double
+stumbler
+stupid
+stylist
+stylite
+subaltern
+subcontractor
+subdeacon
+subdivider
+subduer
+subject
+subjectivist
+subjugator
+sublieutenant
+submariner
+submitter
+submitter
+subnormal
+subordinate
+subscriber
+subscriber
+subscriber
+subsidizer
+substitute
+subtracter
+suburbanite
+subvocalizer
+successor
+successor
+succorer
+sucker
+suer
+Sufi
+suffragan
+suffragette
+suffragist
+sugar daddy
+suggester
+suicide
+suicide bomber
+suit
+suitor
+sultan
+Sumerian
+summercaters
+sumo wrestler
+sun
+sunbather
+sundowner
+sun worshiper
+supercargo
+supergrass
+super heavyweight
+superintendent
+superior
+superior
+supermarketer
+supermodel
+supermom
+supernumerary
+supernumerary
+supervisor
+supplier
+supply officer
+supporter
+suppressor
+supremacist
+suprematist
+supremo
+surfer
+surgeon
+Surgeon General
+Surgeon General
+surpriser
+surrealist
+surrenderer
+surrogate
+surrogate mother
+surveyor
+surveyor
+survivalist
+survivor
+survivor
+suspect
+sutler
+Svengali
+Svengali
+swaggerer
+swagman
+swearer
+swearer
+sweater girl
+sweeper
+sweetheart
+sweetheart
+swimmer
+swimmer
+swineherd
+swinger
+swinger
+swing voter
+switcher
+switch-hitter
+switch-hitter
+switchman
+swot
+sycophant
+syllogist
+sylph
+sylph
+sylvan
+symbolic logician
+symbolist
+symbolist
+sympathizer
+sympathizer
+symphonist
+symposiast
+syncopator
+syndic
+syndicator
+synonymist
+synthesist
+syphilitic
+system administrator
+systems analyst
+tablemate
+tacker
+tackle
+tackler
+tactician
+Tagalog
+tagalong
+tagger
+tagger
+tail
+tailback
+tailgater
+tailor
+taker
+talent
+talent agent
+talking head
+tallyman
+tallyman
+tamer
+tanker
+tanner
+tantalizer
+taoiseach
+tap dancer
+tapper
+tapper
+tapper
+tapster
+Tartuffe
+Tarzan
+taskmaster
+taskmistress
+taster
+tattletale
+tax assessor
+tax collector
+taxer
+taxi dancer
+taxidermist
+taxidriver
+taxonomist
+taxpayer
+teacher
+teacher's pet
+teaching fellow
+teammate
+teamster
+teamster
+tearaway
+tease
+teaser
+techie
+technical sergeant
+technician
+technician
+technocrat
+technocrat
+technophile
+technophobe
+Ted
+teetotaler
+telecaster
+telegrapher
+teleologist
+telepathist
+telephone operator
+televangelist
+television reporter
+television star
+Tell
+teller
+teller
+tellurian
+temp
+temporizer
+tempter
+term infant
+toiler
+tenant
+tenant
+tenant
+tenant farmer
+tenderfoot
+tennis coach
+tennis player
+tennis pro
+tenor
+tenor saxophonist
+tentmaker
+termer
+territorial
+terror
+terror
+terrorist
+tertigravida
+testator
+testatrix
+test driver
+testee
+testifier
+test pilot
+test-tube baby
+Teutonist
+Texas Ranger
+thane
+thane
+thatcher
+Thatcherite
+theatrical producer
+theologian
+theorist
+theosophist
+therapist
+Thessalian
+Thessalonian
+thief
+thinker
+thinker
+thin person
+third baseman
+third party
+third-rater
+thoroughbred
+thrall
+thrower
+throwster
+thrush
+thunderbird
+thurifer
+ticket collector
+tier
+tier
+tiger
+tight end
+tiler
+tiller
+tilter
+timberman
+timekeeper
+timekeeper
+timeserver
+Timorese
+tinker
+tinker
+tinkerer
+tinsmith
+tinter
+tipper
+tippler
+tipster
+tither
+titterer
+T-man
+toast
+toaster
+toastmaster
+toast mistress
+tobacconist
+Tobagonian
+tobogganist
+Todd
+toddler
+toff
+tollkeeper
+toller
+tomboy
+Tom Thumb
+Tom Thumb
+toolmaker
+top banana
+topper
+topper
+torchbearer
+torch singer
+tormentor
+tort-feasor
+torturer
+Tory
+Tory
+Tory
+tosser
+tosser
+totalitarian
+totemist
+toucher
+touch-typist
+tough guy
+tour guide
+tourist
+tout
+tout
+tovarich
+tower of strength
+towhead
+town clerk
+town crier
+townsman
+townee
+townie
+townsman
+toxicologist
+tracer
+tracker
+track star
+Tractarian
+trader
+trade unionist
+traditionalist
+traffic cop
+dealer
+tragedian
+tragedian
+tragedienne
+trailblazer
+trail boss
+trainbandsman
+trainbearer
+trainee
+trainer
+trainman
+traitor
+traitress
+tramp
+trampler
+transactor
+transalpine
+transcendentalist
+transcriber
+transcriber
+transcriber
+transfer
+transferee
+transferer
+transferor
+transient
+translator
+transmigrante
+transplanter
+transsexual
+transsexual
+transvestite
+trapper
+Trappist
+trapshooter
+travel agent
+traveling salesman
+traverser
+trawler
+treasurer
+Treasury
+tree hugger
+tree surgeon
+trekker
+trencher
+trend-setter
+trial attorney
+trial judge
+tribesman
+tribologist
+tribune
+trier
+trier
+trifler
+trigonometrician
+Trilby
+Trinidadian
+triplet
+tripper
+tritheist
+triumvir
+trombonist
+trooper
+trouper
+trooper
+trophy wife
+Trotskyite
+troublemaker
+troubleshooter
+truant
+trudger
+trumpeter
+trustbuster
+trustee
+trusty
+tub-thumper
+tucker
+Tudor
+tumbler
+tuner
+turncock
+turner
+turner
+turner
+turtler
+tutee
+tv announcer
+twaddler
+twerp
+twiddler
+twin
+twiner
+two-timer
+Tyke
+tympanist
+typist
+tyrant
+tyrant
+tyrant
+ugly duckling
+umpire
+uncle
+uncle
+underachiever
+undergraduate
+undersecretary
+underseller
+understudy
+undesirable
+undoer
+undoer
+unemployed person
+unicorn
+unicyclist
+unilateralist
+uniocular dichromat
+union representative
+Unitarian
+Trinitarian
+Arminian
+universal agent
+universal donor
+UNIX guru
+Unknown Soldier
+unmarried woman
+unpleasant woman
+untouchable
+upbraider
+upholder
+upholsterer
+upsetter
+upstager
+upstart
+upstart
+urban guerrilla
+urchin
+urologist
+user
+usher
+usherette
+usher
+usufructuary
+usurer
+usurper
+utilitarian
+utility man
+utility man
+utilizer
+Utopian
+utterer
+utterer
+uxor
+uxoricide
+vacationer
+vaccinee
+vagrant
+Vaisya
+valedictorian
+valentine
+valet
+valetudinarian
+valley girl
+valuer
+vandal
+Vandal
+vanisher
+varnisher
+vassal
+vaudevillian
+vaulter
+vegetarian
+Vedist
+vegan
+venerator
+venter
+ventriloquist
+venture capitalist
+venturer
+verger
+vermin
+very important person
+vestal
+vestryman
+vestrywoman
+veteran
+veteran
+veteran
+veterinarian
+vibist
+vicar
+vicar
+vicar
+vicar apostolic
+vicar-general
+vice admiral
+vice chairman
+vice chancellor
+vicegerent
+vice president
+Vice President of the United States
+vice-regent
+viceroy
+vicereine
+victim
+victim
+victimizer
+victor
+Victorian
+victualer
+vigilante
+villager
+villain
+villain
+villainess
+vintager
+vintner
+vintner
+violator
+violator
+violinist
+violin maker
+violist
+virago
+virgin
+virologist
+virtuoso
+Visayan
+viscount
+viscountess
+viscountess
+viscount
+Visigoth
+visionary
+visionary
+visiting fireman
+visiting nurse
+visiting professor
+visitor
+visualizer
+visually impaired person
+vitalist
+vital principle
+viticulturist
+vivisectionist
+vixen
+vizier
+vociferator
+voice
+voicer
+voicer
+volleyball player
+volunteer
+volunteer
+voluptuary
+vomiter
+votary
+votary
+votary
+voter
+vouchee
+voucher
+vower
+voyager
+voyeur
+vulcanizer
+vulgarian
+vulgarizer
+Wac
+waddler
+waffler
+wag
+Wagnerian
+wagoner
+wagonwright
+Wahhabi
+waif
+wailer
+waiter
+waitress
+waiter
+waker
+waker
+walk-in
+walk-in
+walking delegate
+walk-on
+wallah
+wallflower
+walloper
+walloper
+wallpaperer
+wally
+Walter Mitty
+waltzer
+wanderer
+Wandering Jew
+wanter
+wanton
+war baby
+warbler
+war bride
+war correspondent
+war criminal
+ward
+warden
+warder
+wardress
+warehouser
+war god
+warlock
+warlord
+warner
+warrantee
+warrantee
+warrant officer
+warrener
+warrior
+war widow
+washer
+washerman
+washwoman
+wassailer
+wastrel
+watchdog
+watcher
+watchmaker
+watchman
+water boy
+water dog
+watercolorist
+waterer
+water witch
+Wave
+waver
+wayfarer
+wayfarer
+weakling
+wearer
+weasel
+weatherman
+weaver
+webmaster
+wedding guest
+weekender
+weekend warrior
+weekend warrior
+weeder
+weeper
+weeper
+weigher
+weightlifter
+welcher
+welder
+welfare case
+welterweight
+welterweight
+welterweight
+wencher
+westerner
+West Indian
+West-sider
+wet nurse
+wetter
+whaler
+wharf rat
+wheedler
+wheeler
+wheelwright
+whiffer
+Whig
+Whig
+Whig
+whiner
+whip
+whipper-in
+whippersnapper
+whirling dervish
+whisperer
+whistle blower
+whistler
+whited sepulcher
+whiteface
+Carmelite
+Dominican
+Franciscan
+Augustinian
+Austin Friar
+white hope
+white separatist
+white slave
+white slaver
+white supremacist
+whittler
+whoremaster
+whoremaster
+Wiccan
+wicket-keeper
+widow
+widower
+wife
+wiggler
+wigmaker
+wildcatter
+wild man
+wimp
+winder
+wing
+wingback
+wing commander
+winger
+wingman
+winner
+winner
+window cleaner
+window dresser
+window washer
+wine taster
+winker
+wiper
+wireman
+wire-puller
+wirer
+wise guy
+junior
+wisp
+witch doctor
+witch-hunter
+withdrawer
+withdrawer
+withdrawer
+withdrawer
+withdrawer
+withdrawer
+withholder
+withholder
+withstander
+witness
+witness
+witness
+wittol
+Wobbly
+wog
+wolf
+wolf boy
+woman
+woman
+womanizer
+wonder boy
+wonderer
+wonderer
+wonder woman
+woodcarver
+woodcutter
+woodworker
+woodsman
+wool stapler
+wool stapler
+wordmonger
+word-painter
+wordsmith
+workaholic
+working girl
+workman
+workmate
+worldling
+worm
+worrier
+worshiper
+worthy
+wrangler
+wrecker
+wrester
+wrestler
+wretch
+wright
+write-in candidate
+writer
+writer
+Wykehamist
+xylophonist
+yakuza
+Yahoo
+yachtsman
+yanker
+Yankee
+yard bird
+yardie
+yardman
+yardman
+yardmaster
+yawner
+yenta
+yenta
+yeoman
+yeoman
+yodeller
+yogi
+yokel
+young buck
+young person
+young Turk
+Young Turk
+yuppie
+zany
+Zealot
+Zionist
+zombi
+zombi
+zombi
+zoo keeper
+zoologist
+Zurvan
+Aalto
+Aaron
+Aaron
+Abel
+Abelard
+Abraham
+Acheson
+Adam
+Adams
+Adams
+Adams
+Adenauer
+Adrian
+Aeschylus
+Aesop
+Agassiz
+Agee
+Agricola
+Agrippa
+Agrippina
+Agrippina
+Ahab
+Aiken
+Ailey
+a Kempis
+Akhenaton
+Alaric
+Albee
+Albers
+Albert
+Alberti
+Alcaeus
+Alcibiades
+Alcott
+Alexander
+Alexander I
+Alexander II
+Alexander III
+Alexander VI
+Alfred
+Alger
+Algren
+Al-hakim
+Alhazen
+Ali
+Ali
+Allen
+Allen
+Allen
+Alonso
+Amati
+Ambrose
+Amos
+Amundsen
+Anaxagoras
+Anaximander
+Anaximenes
+Andersen
+Anderson
+Anderson
+Anderson
+Anderson
+Anderson
+Andrew
+Andrews
+Anne
+Anouilh
+Anselm
+Anthony
+Antichrist
+Antigonus
+Antoninus
+Antonius Pius
+Antony
+Apollinaire
+Appleton
+Aquinas
+Arafat
+Aragon
+Archimedes
+Arendt
+Aristarchus
+Aristarchus of Samos
+Aristophanes
+Aristotle
+Arius
+Arminius
+Arminius
+Armstrong
+Armstrong
+Arnold
+Arnold
+Arnold of Brescia
+Arp
+Arrhenius
+Artaxerxes I
+Artaxerxes II
+Arthur
+Arthur
+Asanga
+Asch
+Ashe
+Ashton
+Ashurbanipal
+Asimov
+Astaire
+Astor
+Astor
+Ataturk
+Athanasius
+Athelstan
+Attila
+Attlee
+Auchincloss
+Auden
+Audubon
+Augustine
+Augustus
+Austen
+Averroes
+Avicenna
+Avogadro
+Bach
+Bacon
+Bacon
+Baedeker
+Bailey
+Bailey
+Bakunin
+Balanchine
+Balboa
+Baldwin
+Baldwin
+Balenciaga
+Balfour
+Ball
+Balthazar
+Balzac
+Bankhead
+Banks
+Bannister
+Banting
+Baraka
+Barany
+Barbarossa
+Barber
+Bardeen
+Barkley
+Barnum
+Barrie
+Barrymore
+Barrymore
+Barrymore
+Barrymore
+Barrymore
+Barth
+Barth
+Barthelme
+Bartholdi
+Bartholin
+Bartlett
+Bartlett
+Bartok
+Baruch
+Baruch
+Baryshnikov
+Basil
+Bathsheba
+Baudelaire
+Baum
+Bayard
+Bayes
+Beadle
+Beaumont
+Beaumont
+Beauvoir
+Beaverbrook
+Becket
+Beckett
+Becquerel
+Bede
+Beecher
+Beerbohm
+Beethoven
+Begin
+Behrens
+Belisarius
+Bell
+Bell
+Bell
+Bellarmine
+Bellini
+Belloc
+Bellow
+Belshazzar
+Benchley
+Benedict
+Benedict XIV
+Benedict XV
+Benedict
+Benet
+Benet
+Ben Gurion
+Benjamin
+Bennett
+Benny
+Bentham
+Benton
+Benton
+Berg
+Bergman
+Bergman
+Bergson
+Beria
+Bering
+Berkeley
+Berlage
+Berlin
+Berlioz
+Bernard
+Bernhardt
+Bernini
+Bernoulli
+Bernoulli
+Bernoulli
+Bernstein
+Berra
+Berry
+Bertillon
+Bertolucci
+Berzelius
+Bessel
+Bessemer
+Best
+Bethe
+Bethune
+Beveridge
+Bevin
+Bierce
+Binet
+bin Laden
+Bismarck
+Bizet
+Black
+Black
+Black Hawk
+Blair
+Blake
+Bleriot
+Bligh
+Blitzstein
+Bloch
+Blok
+Bloomfield
+Blucher
+Boccaccio
+Bodoni
+Boehme
+Boell
+Boethius
+Bogart
+Bohr
+Boleyn
+Bolivar
+Boltzmann
+Bond
+Bonhoeffer
+Boniface
+Boniface VIII
+Bonney
+Bontemps
+Boole
+Boone
+Booth
+Borges
+Borgia
+Borgia
+Born
+Borodin
+Bosch
+Bose
+Boswell
+Botticelli
+Bougainville
+Boulez
+Bowditch
+Bowdler
+Bowie
+Boyle
+Boyle
+Bradbury
+Bradford
+Bradley
+Bradley
+Bradstreet
+Brady
+Brady
+Bragg
+Brahe
+Brahms
+Braille
+Bramante
+Brancusi
+Brandt
+Braque
+Braun
+Braun
+Brecht
+Breuer
+Brezhnev
+Bridges
+Bridget
+Brinton
+Britten
+Broca
+Brockhouse
+Broglie
+Bronte
+Bronte
+Bronte
+Brooke
+Brooks
+Brown
+Brown
+Browne
+Browne
+Browning
+Browning
+Browning
+Bruce
+Bruce
+Bruch
+Bruckner
+Brueghel
+Brummell
+Brunelleschi
+Bruno
+Bruno
+Brutus
+Bryan
+Buber
+Buchanan
+Buchner
+Buck
+Budge
+Bukharin
+Bullfinch
+Bultmann
+Bunche
+Bunsen
+Bunuel
+Bunyan
+Burbage
+Burbank
+Burger
+Burgess
+Burgoyne
+Burk
+Burke
+Burnett
+Burnham
+Burns
+Burns
+Burnside
+Burr
+Burroughs
+Burroughs
+Burroughs
+Burt
+Burton
+Burton
+Bush
+Bush
+Bush
+Bushnell
+Butler
+Butler
+Butterfield
+Byrd
+Byrd
+Byron
+Cabell
+Cabot
+Cabot
+Caesar
+Caesar
+Cage
+Cagliostro
+Cagney
+Calder
+Calderon
+Caldwell
+Caligula
+Calixtus II
+Calixtus III
+Callas
+Calvin
+Calvin
+Calvino
+Campbell
+Camus
+Canetti
+Canute
+Capek
+Capone
+Capra
+Caravaggio
+Carducci
+Carew
+Carl XVI Gustav
+Carlyle
+Carmichael
+Carnegie
+Carnegie
+Carnot
+Carothers
+Carrel
+Carrere
+Carroll
+Carson
+Carson
+Carter
+Carter
+Cartier
+Cartwright
+Caruso
+Carver
+Casals
+Casanova
+Cash
+Caspar
+Cassirer
+Cassius
+Castro
+Cather
+Catherine I
+Catherine II
+Catherine of Aragon
+Catherine de Medicis
+Catullus
+Cavell
+Cavendish
+Caxton
+Cellini
+Celsius
+Cervantes
+Cezanne
+Chagall
+Chamberlain
+Chambers
+Champlain
+Champollion
+Chandler
+Chaplin
+Chapman
+Chain
+Capet
+Cattell
+Cattell
+Charcot
+Charlemagne
+Charles
+Charles
+Charles
+Charles
+Charles
+Charles
+Charles
+Chase
+Chateaubriand
+Chaucer
+Chavez
+Chavez
+Cheever
+Chekhov
+Cherubini
+Chesterfield
+Chesterton
+Chevalier
+Chiang Kai-shek
+Chippendale
+Chirico
+Chomsky
+Chopin
+Chopin
+Christie
+Christopher
+Churchill
+Churchill
+Ciardi
+Cicero
+Cimabue
+Cincinnatus
+Clark
+Clark
+Clark
+Clark
+Claudius
+Clausewitz
+Clay
+Clay
+Cleanthes
+Clemenceau
+Clemens
+Clement III
+Clement VII
+Clement XI
+Clement XIV
+Cleopatra
+Cleveland
+Cline
+Clinton
+Clinton
+Clinton
+Clive
+Clovis
+Coca
+Cochise
+Cochran
+Cockcroft
+Cocteau
+Cody
+Cohan
+Cohn
+Coleridge
+Colette
+Collins
+Columbus
+Comenius
+Compton
+Comstock
+Comte
+Conan Doyle
+Condorcet
+Confucius
+Congreve
+Connolly
+Connors
+Conrad
+Constable
+Constantine
+Cook
+Cooke
+Cooke
+Coolidge
+Cooper
+Cooper
+Cooper
+Copernicus
+Copland
+Copley
+Coppola
+Corbett
+Corday
+Cordoba
+Corelli
+Corneille
+Cornell
+Cornell
+Cornwallis
+Corot
+Correggio
+Cortes
+Cosimo de Medici
+Coue
+Coulomb
+Couperin
+Courbet
+Court
+Cousteau
+Coward
+Cowper
+Cowper
+Craigie
+Crane
+Crane
+Crawford
+Crawford
+Crazy Horse
+Crichton
+Crick
+Crispin
+Crockett
+Croesus
+Crohn
+Cromwell
+Cronyn
+Crookes
+Crosby
+Crouse
+Culbertson
+Cumberland
+cummings
+Cunningham
+Curie
+Curie
+Curl
+Currier
+Curtis
+Curtiss
+Cushing
+Custer
+Cuvier
+Cynewulf
+Cyrano de Bergerac
+Cyril
+Cyrus
+Cyrus II
+Czerny
+da Gamma
+Daguerre
+Daimler
+Dali
+Dalton
+Damocles
+Damon
+Daniel
+Dante
+Danton
+Darius I
+Darius III
+Darrow
+Darwin
+Daumier
+David
+David
+David
+Davis
+Davis
+Davis
+Davis
+Davis
+Davy
+Davys
+Dawes
+Day
+Dayan
+Dean
+De Bakey
+Debs
+Debussy
+Decatur
+Decius
+Deere
+Defoe
+De Forest
+Degas
+de Gaulle
+Dekker
+de Kooning
+Delacroix
+de la Mare
+Delbruck
+Delibes
+Delilah
+Delius
+Delorme
+Demetrius
+de Mille
+DeMille
+Democritus
+Demosthenes
+Dempsey
+Deng Xiaoping
+De Niro
+Depardieu
+De Quincey
+Derain
+Derrida
+de Saussure
+Descartes
+De Sica
+de Valera
+deVries
+Dewar
+Dewey
+Dewey
+Dewey
+Diaghilev
+Diana
+Diane de Poitiers
+Dias
+Dickens
+Dickinson
+Diderot
+Didion
+Diesel
+Dietrich
+DiMaggio
+Dinesen
+Diocletian
+Diogenes
+Dionysius
+Diophantus
+Dior
+Dirac
+Disney
+Disraeli
+Dix
+Doctorow
+Dolby
+Domingo
+Dominic
+Domino
+Domitian
+Donatello
+Donatus
+Donizetti
+Don Juan
+Donkin
+Donne
+Doolittle
+Doppler
+Dos Passos
+Dostoyevsky
+Douglas
+Douglass
+Dowding
+Dowland
+Down
+Downing
+D'Oyly Carte
+Draco
+Drake
+Dreiser
+Drew
+Dreyfus
+Dryden
+Du Barry
+Du Bois
+Duchamp
+Dufy
+Dukas
+Dulles
+Dumas
+du Maurier
+du Maurier
+Duncan
+Duns Scotus
+Durant
+Durante
+Durer
+Durkheim
+Durrell
+Duse
+Duvalier
+Duvalier
+Dvorak
+Dylan
+Eames
+Earhart
+Eastman
+Eccles
+Eck
+Eckhart
+Eddington
+Eddy
+Ederle
+Edgar
+Edison
+Edmund I
+Edmund II
+Edward
+Edward
+Edward
+Edward
+Edward
+Edward
+Edward
+Edward
+Edward
+Edward
+Edwards
+Edward the Confessor
+Edward the Elder
+Edward the Martyr
+Edwin
+Edwy
+Egbert
+Eglevsky
+Ehrenberg
+Ehrlich
+Eichmann
+Eiffel
+Eigen
+Eijkman
+Einstein
+Einthoven
+Eisenhower
+Eisenstaedt
+Eisenstein
+Ekman
+Eleanor of Aquitaine
+Elgar
+El Greco
+Elijah
+Eliot
+Eliot
+Elizabeth
+Elizabeth
+Ellington
+Ellison
+Ellsworth
+Emerson
+Empedocles
+Endecott
+Enesco
+Engels
+Epictetus
+Epicurus
+Epstein
+Erasmus
+Eratosthenes
+Erlenmeyer
+Ernst
+Erving
+Esaki
+Esau
+Esther
+Ethelbert
+Ethelred
+Ethelred
+Euclid
+Eugene
+Euler
+Euripides
+Eusebius
+Eustachio
+Evans
+Evans
+Evers
+Evert
+Eyck
+Eysenck
+Ezekiel
+Ezra
+Faberge
+Fahd
+Fahrenheit
+Fairbanks
+Fairbanks
+Faisal
+Falla
+Fallopius
+Fallot
+Faraday
+Farmer
+Farmer
+Farouk I
+Farragut
+Farrell
+Farrell
+Fatima
+Faulkner
+Fawkes
+Fechner
+Feifer
+Fellini
+Ferber
+Ferdinand I
+Ferdinand I
+Ferdinand II
+Ferdinand III
+Ferdinand
+Fermat
+Fermi
+Feynman
+Fiedler
+Fielding
+Fields
+Fillmore
+Finnbogadottir
+Firth
+Fischer
+Fischer
+Fischer
+Fitzgerald
+Fitzgerald
+Fitzgerald
+Flaminius
+Flaubert
+Fleming
+Fleming
+Fletcher
+Flinders
+Florey
+Florio
+Flory
+Fonda
+Fonda
+Fontanne
+Fonteyn
+Ford
+Ford
+Ford
+Ford
+Ford
+Ford
+Forester
+Fosbury
+Foster
+Foucault
+Fourier
+Fourier
+Fowler
+Fox
+Fox
+Fragonard
+France
+Francis II
+Francis Ferdinand
+Francis Joseph
+Francis of Assisi
+Franck
+Franck
+Franco
+Franklin
+Franklin
+Frazer
+Frederick I
+Frederick I
+Frederick II
+Frederick II
+Frederick William
+Frederick William I
+Frederick William II
+Frederick William III
+Frederick William IV
+Fremont
+French
+Fresnel
+Freud
+Frick
+Friedan
+Friedman
+Frisch
+Frisch
+Frisch
+Frobisher
+Froebel
+Frost
+Fry
+Fry
+Frye
+Fuchs
+Fuentes
+Fugard
+Fulbright
+Fuller
+Fuller
+Fulton
+Funk
+Furnivall
+Gable
+Gabor
+Gaboriau
+Gagarin
+Gainsborough
+Galahad
+Galbraith
+Galen
+Galileo
+Gallaudet
+Galois
+Galsworthy
+Galton
+Galvani
+Gamow
+Gandhi
+Gandhi
+Garbo
+Garcia Lorca
+Gardiner
+Gardner
+Gardner
+Garfield
+Garibaldi
+Garland
+Garnier
+Garrick
+Garrison
+Gaskell
+Gates
+Gatling
+Gaudi
+Gauguin
+Gauss
+Gawain
+Gay-Lussac
+Gehrig
+Geiger
+Geisel
+Gell-Mann
+Genet
+Genet
+Genghis Khan
+Genseric
+Geoffrey of Monmouth
+George
+George
+George
+George
+George
+George
+George
+Geraint
+Geronimo
+Gershwin
+Gershwin
+Gesell
+Gesner
+Giacometti
+Gibbon
+Gibbs
+Gibran
+Gibson
+Gibson
+Gibson
+Gide
+Gielgud
+Gilbert
+Gilbert
+Gilbert
+Gilbert
+Gilgamesh
+Gillespie
+Gillette
+Gilman
+Gilmer
+Ginsberg
+Giotto
+Girard
+Giraudoux
+Gish
+Gjellerup
+Gladstone
+Glaser
+Glendower
+Glenn
+Glinka
+Gluck
+Godard
+Goddard
+Godel
+Godiva
+Godunov
+Goebbels
+Goethals
+Goethe
+Gogol
+Goldberg
+Golding
+Goldman
+Goldmark
+Goldoni
+Goldsmith
+Goldwyn
+Golgi
+Goliath
+Gombrowicz
+Gompers
+Goncourt
+Goncourt
+Gongora
+Gonne
+Goodall
+Goodman
+Goodyear
+Gorbachev
+Gordimer
+Gordius
+Gore
+Gorgas
+Goring
+Gorky
+Goudy
+Gould
+Gould
+Gounod
+Goya
+Graf
+Graham
+Graham
+Grahame
+Grainger
+Gram
+Grant
+Grant
+Grant
+Granville-Barker
+Grappelli
+Grass
+Graves
+Gray
+Gray
+Gray
+Gray
+Greeley
+Green
+Greenberg
+Greene
+Gregory
+Gregory
+Gregory
+Gregory
+Gregory
+Gregory
+Gresham
+Gretzky
+Grey
+Grey
+Grey
+Grieg
+Griffith
+Grimm
+Grimm
+Gris
+Gromyko
+Gropius
+Grotius
+Groves
+Guarneri
+Guarneri
+Guevara
+Guinevere
+Guest
+Guggenheim
+Guggenheim
+Guinness
+Gustavus
+Gustavus
+Gustavus
+Gustavus
+Gustavus
+Gustavus
+Gutenberg
+Guthrie
+Gwynn
+Habakkuk
+Haber
+Hadrian
+Haeckel
+Haggai
+Haggard
+Hahn
+Haile Selassie
+Haldane
+Haldane
+Haldane
+Haldane
+Hale
+Hale
+Hale
+Halevy
+Haley
+Haley
+Hall
+Hall
+Hall
+Hall
+Hall
+Halley
+Hals
+Hamilton
+Hamilton
+Hamilton
+Hamilton
+Hammarskjold
+Hammerstein
+Hammett
+Hammurabi
+Hampton
+Hamsun
+Hancock
+Handel
+Handy
+Hanks
+Hannibal
+Harding
+Hardy
+Hardy
+Hargreaves
+Harlow
+Harmsworth
+Harold I
+Harold II
+Harriman
+Harriman
+Harris
+Harris
+Harris
+Harris
+Harris
+Harris
+Harrison
+Harrison
+Harrison
+Harrison
+Harrod
+Harrod
+Hart
+Hart
+Harte
+Hartley
+Harvard
+Harvey
+Hasdrubal
+Hasek
+Hassam
+Hassel
+Hastings
+Hathaway
+Havel
+Hawking
+Hawkins
+Hawkins
+Haworth
+Hawthorne
+Haydn
+Hayek
+Hayes
+Hayes
+Hays
+Hays
+Haywood
+Hazlitt
+Hearst
+Heaviside
+Hebbel
+Hecht
+Hegel
+Heidegger
+Heinlein
+Heinz
+Heisenberg
+Heller
+Hellman
+Helmholtz
+Heloise
+Heming
+Hemingway
+Hendrix
+Henry
+Henry
+Henry
+Henry I
+Henry II
+Henry II
+Henry III
+Henry III
+Henry IV
+Henry IV
+Henry IV
+Henry V
+Henry VI
+Henry VII
+Henry VII
+Henry VIII
+Henson
+Hepburn
+Hepworth
+Heraclitus
+Herbart
+Herbert
+Herder
+Herman
+Hero
+Herod
+Herodotus
+Herrick
+Herschel
+Herschel
+Hershey
+Hertz
+Hertz
+Herzberg
+Hesiod
+Hess
+Hess
+Hess
+Hess
+Hesse
+Hevesy
+Heyerdahl
+Heyrovsky
+Heyse
+Heyward
+Hezekiah
+Hiawatha
+Hickock
+Higginson
+Hilbert
+Hill
+Hill
+Hillary
+Hillel
+Himmler
+Hinault
+Hindemith
+Hindenburg
+Hipparchus
+Hippocrates
+Hirohito
+Hirschfeld
+Hirschsprung
+Hitchcock
+Hitchings
+Hitler
+Hoagland
+Hobbes
+Hobbs
+Ho Chi Minh
+Hodgkin
+Hodgkin
+Hodgkin
+Hoffa
+Hoffman
+Hoffman
+Hoffmann
+Hoffmann
+Hoffmann
+Hoffmann
+Hoffmannsthal
+Hogan
+Hogarth
+Hogg
+Hokusai
+Holbein
+Holbein
+Hollerith
+Holly
+Holmes
+Holmes
+Holmes
+Holofernes
+Homer
+Homer
+Honegger
+Hooke
+Hooker
+Hooker
+Hoover
+Hoover
+Hoover
+Hope
+Hopkins
+Hopkins
+Hopkins
+Hopkins
+Hopkins
+Hopkinson
+Horace
+Horne
+Horne
+Horney
+Horowitz
+Horta
+Hosea
+Houdini
+Houghton
+Housman
+Houston
+Howard
+Howard
+Howe
+Howe
+Howe
+Howe
+Howells
+Hoyle
+Hoyle
+Hubbard
+Hubble
+Hubel
+Hudson
+Hudson
+Huggins
+Hughes
+Hughes
+Hughes
+Hughes
+Hugo
+Hull
+Hull
+Humboldt
+Humboldt
+Hume
+Humperdinck
+Hunt
+Hunt
+Hunt
+Huntington
+Huntington
+Huntington
+Hurok
+Huss
+Hussein
+Hussein
+Husserl
+Huston
+Hutchins
+Hutchinson
+Hutton
+Hutton
+Huxley
+Huxley
+Huxley
+Huygens
+Hypatia
+Ibert
+Ibsen
+Iglesias
+Ignatius
+Ignatius of Loyola
+Indiana
+Inge
+Inge
+Ingres
+Innocent III
+Innocent VIII
+Innocent XI
+Innocent XII
+Ionesco
+Irenaeus
+Irving
+Irving
+Isaac
+Isabella
+Isaiah
+Isherwood
+Ishmael
+Isocrates
+Issachar
+Ivan III
+Ivan IV
+Ivanov
+Ives
+Ives
+Jackson
+Jackson
+Jackson
+Jackson
+Jackson
+Jackson
+Jackson
+Jack the Ripper
+Jacob
+Jacobi
+Jacobs
+Jacobs
+Jacobs
+Jacquard
+Jaffar
+Jagger
+Jakobson
+James
+James
+James
+James
+James
+James
+James
+Jamison
+Jansen
+Jarrell
+Jaspers
+Jay
+Jeanne d'Arc
+Jeffers
+Jefferson
+Jenner
+Jenny
+Jensen
+Jeroboam
+Jeremiah
+Jerome
+Jespersen
+Jesus
+El Nino
+Jevons
+Jewison
+Jezebel
+Jimenez
+Jimenez de Cisneros
+Jinnah
+Joachim
+Job
+Joel
+Joffre
+Joffrey
+John
+John
+John XXIII
+John Chrysostom
+John of Gaunt
+John the Baptist
+John Paul I
+John Paul II
+Johns
+Johnson
+Johnson
+Johnson
+Johnston
+Joliot
+Joliot-Curie
+Jolliet
+Jolson
+Jonah
+Jones
+Jones
+Jones
+Jones
+Jones
+Jones
+Jong
+Jonson
+Joplin
+Joplin
+Joseph
+Joseph
+Joseph
+Josephus
+Joshua
+Joule
+Jowett
+Joyce
+Juan Carlos
+Judah
+Judas
+Judas Maccabaeus
+Jude
+Julian
+Jung
+Junkers
+Jussieu
+Justinian
+Juvenal
+Kachaturian
+Kafka
+Kahn
+Kalinin
+Kamehameha I
+Kandinsky
+Kant
+Karlfeldt
+Karloff
+Karpov
+Karsavina
+Kasparov
+Kastler
+Kaufman
+Kaunda
+Kazan
+Kean
+Keaton
+Keats
+Keble
+Kekule
+Keller
+Kellogg
+Kelly
+Kelly
+Kelly
+Kelvin
+Kendall
+Kendrew
+Kennan
+Kennedy
+Kennelly
+Kent
+Kenyata
+Keokuk
+Kepler
+Kerensky
+Kern
+Kerouac
+Kesey
+Kettering
+Key
+Keynes
+Khachaturian
+Khama
+Khomeini
+Khrushchev
+Kidd
+Kierkegaard
+Kieslowski
+King
+King
+King
+Kinsey
+Kipling
+Kirchhoff
+Kirchner
+Kissinger
+Kitchener
+Klaproth
+Klee
+Klein
+Klein
+Klein
+Kleist
+Klimt
+Kline
+Klinefelter
+Klopstock
+Knox
+Koch
+Koestler
+Konoe
+Koopmans
+Korbut
+Korchnoi
+Korda
+Korzybski
+Kosciusko
+Koussevitzky
+Krafft-Ebing
+Krasner
+Krebs
+Kreisler
+Kroeber
+Kronecker
+Kropotkin
+Kroto
+Kruger
+Krupp
+Krupp
+Kublai Khan
+Kubrick
+Kuhn
+Kuiper
+Kurosawa
+Kutuzov
+Kuznets
+Kyd
+Laban
+Labrouste
+Lachaise
+Lafayette
+Laffer
+Laffite
+La Fontaine
+Lamarck
+Lamb
+Lambert
+Lancelot
+Land
+Landau
+Landowska
+Landsteiner
+Laney
+Lange
+Langley
+Langmuir
+Langtry
+Lao-tzu
+Laplace
+Lardner
+La Rochefoucauld
+Larousse
+LaSalle
+Lasso
+La Tour
+Latrobe
+Lauder
+Laughton
+Laurel
+Laurens
+Laver
+Lavoisier
+Lawrence
+Lawrence
+Lawrence
+Lawrence
+Lawrence
+Lawrence
+Leacock
+Leakey
+Leakey
+Leakey
+Lear
+Leary
+le Carre
+le Chatelier
+Le Corbusier
+Ledbetter
+Le Duc Tho
+Lee
+Lee
+Lee
+Lee
+Lee
+Lee
+Lee
+Le Gallienne
+Leger
+Lehar
+Leibniz
+Leigh
+Lemaitre
+Lemmon
+Lenard
+Lendl
+L'Enfant
+Lenin
+Lennon
+Le Notre
+Leo I
+Leo III
+Leo IX
+Leo X
+Leo XIII
+Leonard
+Leonardo
+Leonidas
+Leontief
+Lermontov
+Lerner
+Lesseps
+Lessing
+Lessing
+Leuwenhoek
+Levi-Strauss
+Lewis
+Lewis
+Lewis
+Lewis
+Lewis
+Lewis
+Libby
+Lichtenstein
+Lie
+Liliuokalani
+Lillie
+Lin
+Lincoln
+Lind
+Lindbergh
+Lindsay
+Lindsay
+Linnaeus
+Lipchitz
+Lipmann
+Li Po
+Lippi
+Lippi
+Lippmann
+Lippmann
+Lipscomb
+Lister
+Liston
+Liszt
+Littre
+Livermore
+Livingston
+Livingstone
+Livy
+Lloyd
+Lloyd Webber
+Lobachevsky
+Locke
+Lodge
+Loeb
+Loewe
+Loewi
+London
+Longfellow
+Loos
+Loren
+Lorentz
+Lorenz
+Lorenzo de'Medici
+Lorre
+Louis I
+Louis II
+Louis III
+Louis IV
+Louis V
+Louis VI
+Louis VII
+Louis VIII
+Louis IX
+Louis X
+Louis XI
+Louis XII
+Louis XIII
+Louis XIV
+Louis XV
+Louis XVI
+Louis
+Lovelace
+Lovell
+Low
+Lowell
+Lowell
+Lowell
+Lowell
+Lowry
+Lowry
+Lozier
+Lubitsch
+Lucas
+Lucullus
+Luce
+Luce
+Lucretius
+Luculus
+Lugosi
+Luke
+Lully
+Lully
+Lunt
+Luther
+Lutyens
+Lyly
+Lysander
+Lysenko
+Lysimachus
+Lysippus
+Lytton
+MacArthur
+Macaulay
+Macbeth
+MacDowell
+MacGregor
+Mach
+Machiavelli
+Mackenzie
+MacLeish
+Macleod
+Madison
+Madonna
+Maeterlinck
+Magellan
+Maginot
+Magritte
+Mahan
+Mahler
+Mailer
+Maillol
+Maimonides
+Maintenon
+Maitland
+Major
+Makarios III
+Malachi
+Malamud
+Malcolm X
+Malebranche
+Malevich
+Malinowski
+Mallarme
+Mallon
+Malone
+Malory
+Malpighi
+Malraux
+Malthus
+Mamet
+Mandela
+Mandelbrot
+Mandelstam
+Manes
+Manet
+Mann
+Mann
+Mansart
+Mansfield
+Manson
+Mantegna
+Mantell
+Mantle
+Manzoni
+Mao
+Marat
+Marceau
+Marciano
+Marconi
+Marcuse
+Marie Antoinette
+Marini
+Mark
+Markova
+Markov
+Marks
+Marley
+Marlowe
+Marquand
+Marquette
+Marquis
+Marsh
+Marsh
+Marshall
+Marshall
+Marshall
+Marstan
+Marti
+Martial
+Martin
+Martin
+Martin
+Martin
+Martin V
+Marvell
+Marx
+Marx
+Marx
+Marx
+Marx
+Mary
+Mary I
+Mary II
+Mary Queen of Scots
+Mary Magdalene
+Masefield
+Mason
+Mason
+Mason
+Masoud
+Massasoit
+Massenet
+Massine
+Masters
+Mata Hari
+Mathias
+Matisse
+Matthew
+Maugham
+Mauldin
+Maupassant
+Mauriac
+Maurois
+Mauser
+Maxim
+Maximian
+Maxwell
+Mayakovski
+Mayer
+Mayer
+Mays
+Mazzini
+McCarthy
+McCarthy
+McCartney
+McCauley
+McCormick
+McCormick
+McCullers
+McGraw
+McGuffey
+McKim
+McKinley
+McLuhan
+McMaster
+McPherson
+Mead
+Mead
+Meade
+Meade
+Meany
+Medawar
+Meiji Tenno
+Meir
+Meissner
+Meissner
+Meitner
+Melanchthon
+Melba
+Melchior
+Melchior
+Mellon
+Melville
+Menander
+Mencken
+Mendel
+Mendeleyev
+Mendelsohn
+Mendelssohn
+Meniere
+Menninger
+Menninger
+Menninger
+Menotti
+Menuhin
+Mercator
+Mercer
+Merckx
+Mercouri
+Meredith
+Meredith
+Mergenthaler
+Merlin
+Merman
+Merton
+Merton
+Mesmer
+Metchnikoff
+Methuselah
+Metternich
+Meyerbeer
+Meyerhof
+Micah
+Michelangelo
+Michelson
+Michener
+Middleton
+Mies Van Der Rohe
+Milhaud
+Mill
+Mill
+Millais
+Millay
+Miller
+Miller
+Miller
+Millet
+Millikan
+Mills
+Milne
+Miltiades
+Milton
+Minkowski
+Minuit
+Mirabeau
+Miro
+Mitchell
+Mitchell
+Mitchell
+Mitchell
+Mitchell
+Mitchell
+Mitchum
+Mitford
+Mitford
+Mithridates
+Mitterrand
+Mobius
+Modigliani
+Mohammed
+Mohammed Ali
+Mohorovicic
+Moliere
+Molnar
+Molotov
+Mommsen
+Mondrian
+Monet
+Monk
+Monnet
+Monod
+Monroe
+Monroe
+Montagu
+Montaigne
+Montespan
+Montesquieu
+Montessori
+Monteverdi
+Montez
+Montezuma II
+Montfort
+Montgolfier
+Montgolfier
+Montgomery
+Montgomery
+Moody
+Moody
+Moon
+Moore
+Moore
+Moore
+Moore
+Moore
+Moore
+More
+Morgan
+Morgan
+Morgan
+Morgan
+Morgan
+Morley
+Mormon
+Morris
+Morris
+Morris
+Morris
+Morrison
+Morrison
+Morse
+Mortimer
+Morton
+Mosander
+Moses
+Moses
+Mossbauer
+Motherwell
+Mott
+Moynihan
+Mozart
+Mubarak
+Muhammad
+Muir
+Mullah Omar
+Muller
+Muller
+Muller
+Muller
+Muller
+Muller
+Munch
+Munchhausen
+Munro
+Murdoch
+Murdoch
+Murray
+Murray
+Murillo
+Murrow
+Musial
+Musset
+Mussolini
+Mussorgsky
+Muybridge
+Myrdal
+Nabokov
+Nahum
+Naismith
+Nanak
+Nansen
+Naomi
+Napier
+Napoleon
+Napoleon III
+Nash
+Nasser
+Nast
+Nation
+Natta
+Sanchez
+Navratilova
+Nazimova
+Nebuchadnezzar
+Nicholas V
+Nimrod
+Neel
+Nefertiti
+Nehru
+Nelson
+Nernst
+Nero
+Neruda
+Nervi
+Nerva
+Nestor
+Nestorius
+Nevelson
+Newcomb
+Newman
+Newman
+Newton
+Ney
+Nicholas
+Nicholas I
+Nicholas II
+Nicklaus
+Nicolson
+Niebuhr
+Niebuhr
+Nielsen
+Nietzsche
+Nightingale
+Nijinsky
+Nilsson
+Nimitz
+Nixon
+Noah
+Nobel
+Noether
+Noguchi
+Noguchi
+Norman
+Norman
+Norris
+Norrish
+North
+Northrop
+Nostradamus
+Noyes
+Nuffield
+Nureyev
+Oakley
+Oates
+Oates
+Obadiah
+O'Brien
+O'Casey
+Occam
+Ochoa
+Ochs
+O'Connor
+Odets
+Odoacer
+Oersted
+Offenbach
+O'Flaherty
+Ogden
+O'Hara
+Ohm
+O'Keeffe
+Oken
+Olaf II
+Oldenburg
+Oldfield
+Oliver
+Olivier
+Olmsted
+Omar Khayyam
+Ondaatje
+O'Neill
+Ono
+Onsager
+Oort
+Opel
+Oppenheimer
+Orbison
+Orczy
+Orff
+Origen
+Ormandy
+Orozco
+Orr
+Ortega
+Ortega y Gasset
+Orwell
+Osborne
+Osman I
+Ostwald
+Oswald
+Otis
+O'Toole
+Otto I
+Ovid
+Owen
+Owen
+Owens
+Ozawa
+Paderewski
+Paganini
+Page
+Page
+Paget
+Pahlavi
+Paige
+Paine
+Paine
+Palestrina
+Palgrave
+Palladio
+Palmer
+Panini
+Panofsky
+Paracelsus
+Pareto
+Park
+Parker
+Parker
+Parkinson
+Parkinson
+Parks
+Parmenides
+Parnell
+Parr
+Parrish
+Parsons
+Pascal
+Pasternak
+Pasteur
+Paterson
+Paton
+Patrick
+Paul
+Paul III
+Paul VI
+Paul
+Pauli
+Pauling
+Pavarotti
+Pavlov
+Pavlova
+Paxton
+Peabody
+Peary
+Peel
+Pei
+Peirce
+Peirce
+Pelagius
+Penn
+Pepin
+Pepys
+Percy
+Percy
+Pericles
+Peron
+Perry
+Perry
+Perry
+Pershing
+Perutz
+Peter
+Peter I
+Petrarch
+Petronius
+Phidias
+Philemon
+Philemon
+Philip
+Philip II
+Philip II
+Philip II
+Philip V
+Philip VI
+Phintias
+Photius
+Piaf
+Piaget
+Pickett
+Pickford
+Pierce
+Picasso
+Pilate
+Pincus
+Pindar
+Pinter
+Pirandello
+Piston
+Pitman
+Pitot
+Pitt
+Pitt
+Pitt
+Pius II
+Pius V
+Pius VI
+Pius VII
+Pius IX
+Pius X
+Pius XI
+Pius XII
+Pizarro
+Planck
+Plath
+Plato
+Plautus
+Pliny
+Pliny
+Plotinus
+Plutarch
+Pocahontas
+Poe
+Poitier
+Polk
+Pollack
+Pollock
+Polo
+Polycarp
+Pompadour
+Pompey
+Ponce de Leon
+Pons
+Ponselle
+Pontiac
+Pope
+Popper
+Porter
+Porter
+Porter
+Post
+Post
+Post
+Potemkin
+Poulenc
+Pound
+Poussin
+Powell
+Powell
+Powhatan
+Powys
+Powys
+Powys
+Presley
+Priam
+Price
+Priestley
+Prokhorov
+Prokofiev
+Proudhon
+Proust
+Ptolemy
+Ptolemy I
+Ptolemy II
+Puccini
+Pugin
+Pulitzer
+Purcell
+Purkinje
+Pusey
+Pushkin
+Putin
+Pyle
+Pynchon
+Pyrrhus
+Pythagoras
+Qaddafi
+Qin Shi Huang Ti
+Quincy
+Quine
+Rabelais
+Rachel
+Rachmaninoff
+Racine
+Radhakrishnan
+Raffles
+Rain-in-the-Face
+Raleigh
+Rameau
+Rameses
+Rameses II
+Ramon y Cajal
+Rand
+Rankin
+Raphael
+Rask
+Rasmussen
+Rasputin
+Rattigan
+Ravel
+Rayleigh
+Reagan
+Reaumur
+Rebecca
+Red Cloud
+Redford
+Reed
+Reed
+Rehnquist
+Reich
+Reich
+Reichstein
+Reid
+Reiter
+Rembrandt
+Renoir
+Respighi
+Reuben
+Revere
+Reynolds
+Rhine
+Rhodes
+Ricardo
+Rice
+Rice
+Richard I
+Richard II
+Richard III
+Richards
+Richardson
+Richardson
+Richelieu
+Richler
+Rickenbacker
+Rickover
+Riemann
+Riesman
+Riley
+Rilke
+Rimbaud
+Rimsky-Korsakov
+Ringling
+Rittenhouse
+Ritz
+Rivera
+Robbins
+Robert
+Roberts
+Roberts
+Roberts
+Roberts
+Robertson
+Robeson
+Robespierre
+Robinson
+Robinson
+Robinson
+Robinson
+Robinson
+Robinson
+Robinson
+Rochambeau
+Rock
+Rockefeller
+Rockingham
+Rockwell
+Rodgers
+Rodin
+Roebling
+Roentgen
+Rogers
+Rogers
+Rogers
+Roget
+Rollo
+Romberg
+Rommel
+Roosevelt
+Roosevelt
+Roosevelt
+Ross
+Ross
+Ross
+Ross
+Ross
+Rossetti
+Rossini
+Rostand
+Roth
+Rothko
+Rothschild
+Rous
+Rousseau
+Rousseau
+Rubens
+Rubinstein
+Rubinstein
+Rundstedt
+Runyon
+Rupert
+Rush
+Rushdie
+Ruskin
+Russell
+Russell
+Russell
+Russell
+Russell
+Russell
+Russell
+Ruth
+Ruth
+Rutherford
+Rutherford
+Rutledge
+Saarinen
+Saarinen
+Sabin
+Sacagawea
+Sacco
+Sadat
+Sade
+Saint-Saens
+Sakharov
+Saladin
+Salinger
+Salk
+Salome
+Salomon
+Samson
+Samuel
+Sand
+Sandburg
+Sanger
+Sanger
+Santa Anna
+Sapir
+Sappho
+Sarah
+Sarazen
+Sargent
+Sarnoff
+Saroyan
+Sartre
+Satie
+Saul
+Savonarola
+Sax
+Saxe
+Saxo Grammaticus
+Sayers
+Scheele
+Schiaparelli
+Schiaparelli
+Schiller
+Schleiden
+Schlesinger
+Schlesinger
+Schliemann
+Schmidt
+Schnabel
+Schonbein
+Schonberg
+Schoolcraft
+Schopenhauer
+Schrodinger
+Schubert
+Schulz
+Schumann
+Schumann
+Schumann-Heink
+Schumpeter
+Schwann
+Schweitzer
+Scipio
+Scopes
+Scorsese
+Scott
+Scott
+Scott
+Scott
+Scott
+Scriabin
+Scribe
+Scripps
+Scripps
+Seaborg
+Seaman
+Seeger
+Seeger
+Segal
+Segovia
+Seles
+Seleucus
+Selkirk
+Sellers
+Selznick
+Seneca
+Senefelder
+Sennacherib
+Sennett
+Sequoya
+Serkin
+Serra
+Service
+Sessions
+Seton
+Seurat
+Seward
+Sexton
+Seymour
+Shah Jahan
+Shahn
+Shakespeare
+Shankar
+Shannon
+Shapley
+Shaw
+Shaw
+Shaw
+Shaw
+Shawn
+Shearer
+Shelley
+Shelley
+Shepard
+Shepard
+Sheridan
+Sherman
+Sherman
+Sherrington
+Sherwood
+Shevchenko
+Shirer
+Shockley
+Shostakovich
+Shute
+Sibelius
+Siddons
+Sidney
+Siemens
+Siemens
+Sikorsky
+Sills
+Silverstein
+Simenon
+Simon
+Simon
+Simon
+Simon
+Simpson
+Simpson
+Sinatra
+Sinclair
+Sinclair
+Singer
+Singer
+Siqueiros
+Siraj-ud-daula
+Sitter
+Sitting Bull
+Sitwell
+Sixtus IV
+Skeat
+Skinner
+Skinner
+Skinner
+Smalley
+Smetana
+Smith
+Smith
+Smith
+Smith
+Smith
+Smith
+Smith
+Smith
+Smollett
+Smuts
+Snead
+Snellen
+Snow
+Socinus
+Socrates
+Soddy
+Solomon
+Solvay
+Solzhenitsyn
+Sondheim
+Sontag
+Sophocles
+Sorensen
+Soufflot
+Sousa
+Southey
+Soutine
+Spallanzani
+Spark
+Spassky
+Speer
+Speke
+Spencer
+Spender
+Spengler
+Spenser
+Sperry
+Spielberg
+Spillane
+Spinoza
+Spock
+Spode
+Stael
+Stalin
+Standish
+Stanford
+Stanislavsky
+Stanley
+Stanley
+Stanton
+Starr
+St. Denis
+Steele
+Steen
+Steffens
+Steichen
+Stein
+Steinbeck
+Steinberg
+Steinem
+Steiner
+Steinman
+Steinmetz
+Steinway
+Stella
+Steller
+Stendhal
+Stengel
+Stephen
+Stephenson
+Stern
+Sterne
+Steuben
+Stevens
+Stevens
+Stevens
+Stevenson
+Stevenson
+Stewart
+Stewart
+Stieglitz
+Stilwell
+Stockton
+Stoker
+Stokowski
+Stone
+Stone
+Stone
+Stone
+Stone
+Stone
+Stopes
+Stoppard
+Stowe
+Strachey
+Stradivari
+Strasberg
+Strauss
+Strauss
+Strauss
+Stravinsky
+Streep
+Streisand
+Strickland
+Strindberg
+Stroheim
+Stuart
+Stubbs
+Stuyvesant
+Styron
+Suckling
+Sue
+Suharto
+Sukarno
+Sulla
+Sullivan
+Sullivan
+Sullivan
+Sullivan
+Sullivan
+Sully
+Sully
+Sumner
+Sunday
+Sun Yat-sen
+Sutherland
+Sverdrup
+Swammerdam
+Swanson
+Swedenborg
+Sweet
+Swift
+Swift
+Swinburne
+Sydenham
+Sylvester II
+Symonds
+Symons
+Synge
+Szell
+Szent-Gyorgyi
+Szilard
+Tacitus
+Taft
+Taft
+Tagore
+Talbot
+Tallchief
+Talleyrand
+Tallis
+Tamerlane
+Tamm
+Tancred
+Tandy
+Taney
+Tange
+Tanguy
+Tappan
+Tarantino
+Tarbell
+Tarkovsky
+Tarquin
+Tasman
+Tasso
+Tate
+Tati
+Tatum
+Tatum
+Tawney
+Taylor
+Taylor
+Taylor
+Tchaikovsky
+Teach
+Teasdale
+Tebaldi
+Tecumseh
+Teilhard de Chardin
+Te Kanawa
+Telemann
+Teller
+Tenniel
+Tennyson
+Tenzing Norgay
+Terence
+Teresa
+Teresa of Avila
+Tereshkova
+Terry
+Tertullian
+Tesla
+Thackeray
+Thales
+Tharp
+Thatcher
+Themistocles
+Theodosius
+Theophrastus
+Thespis
+Thomas
+Thomas
+Thomas
+Thomas
+Thomas
+Thompson
+Thompson
+Thomson
+Thomson
+Thomson
+Thomson
+Thoreau
+Thorndike
+Thorndike
+Thornton
+Thorpe
+Thucydides
+Thurber
+Tiberius
+Tiepolo
+Tiffany
+Tilden
+Tillich
+Timothy
+Tinbergen
+Tinbergen
+Tintoretto
+Tirso de Molina
+Titian
+Tito
+Titus
+Titus
+Tobey
+Tobin
+Tocqueville
+Todd
+Tojo
+Toklas
+Tolkien
+Tolstoy
+Tombaugh
+Tonegawa Susumu
+Torquemada
+Torricelli
+Toscanini
+Toulouse-Lautrec
+Tourette
+Town
+Townes
+Townsend
+Toynbee
+Tracy
+Tradescant
+Trajan
+Traubel
+Tree
+Trevelyan
+Trevelyan
+Trevino
+Trevithick
+Trilling
+Trollope
+Trotsky
+Truffaut
+Truman
+Trumbo
+Trumbull
+Trumbull
+Trumbull
+Truth
+Tubman
+Tuchman
+Tucker
+Tucker
+Tudor
+Tunney
+Turgenev
+Turgot
+Turing
+Turner
+Turner
+Turner
+Turner
+Turpin
+Tussaud
+Tutankhamen
+Tutu
+Tyler
+Tyndale
+Tyndall
+Tyson
+Tzara
+Uhland
+Ulanova
+Ulfilas
+ultramontane
+Undset
+Untermeyer
+Updike
+Upjohn
+Urban II
+Urban V
+Urban VI
+Urban VIII
+Urey
+Uriah
+Ussher
+Ustinov
+Utrillo
+Van Allen
+Vanbrugh
+Van Buren
+Vancouver
+Van de Graaff
+Vanderbilt
+van der Waals
+van de Velde
+Van Doren
+Vandyke
+van Gogh
+Van Vleck
+Vanzetti
+Varese
+Vargas
+Vargas Llosa
+Varro
+Vasarely
+Vasari
+Vaughan
+Vaughan Williams
+Vaux
+Veblen
+Veblen
+Vega
+Velazquez
+Venn
+Ventner
+Venturi
+Verdi
+Verlaine
+Vermeer
+Verne
+Verner
+Vernier
+Veronese
+Verrazano
+Versace
+Verwoerd
+Vesalius
+Vesey
+Vespasian
+Vespucci
+Vestris
+Victor Emanuel II
+Victor Emanuel III
+Victoria
+Vidal
+Vigee-Lebrun
+Villa
+Villa-Lobos
+Villard
+Villon
+Vinogradoff
+Vinson
+Virchow
+Virgil
+Visconti
+Vitus
+Vivaldi
+Vizcaino
+Vlaminck
+Volta
+Voltaire
+Vonnegut
+von Neumann
+von Sternberg
+Voznesenski
+Vuillard
+Wade
+Wagner
+Wagner
+Wain
+Waite
+Wajda
+Waldheim
+Walesa
+Walker
+Walker
+Wallace
+Wallace
+Wallace
+Wallenstein
+Waller
+Walpole
+Walpole
+Walter
+Walton
+Walton
+Walton
+Wanamaker
+Warburg
+Warburg
+Ward
+Ward
+Ward
+Warhol
+Warner
+Warren
+Warren
+Warwick
+Washington
+Washington
+Wassermann
+Waters
+Watson
+Watson
+Watson
+Watt
+Watteau
+Watts
+Waugh
+Wavell
+Wayne
+Wayne
+Webb
+Webb
+Weber
+Weber
+Weber
+Weber
+Weber
+Webster
+Webster
+Webster
+Wedgwood
+Wegener
+Weil
+Weil
+Weill
+Weinberg
+Weismann
+Weizmann
+Weld
+Welles
+Wellington
+Wells
+Welty
+Werfel
+Wernicke
+Wesley
+Wesley
+West
+West
+West
+Westinghouse
+Weston
+Wharton
+Wheatley
+Wheatstone
+Wheeler
+Whistler
+White
+White
+White
+White
+White
+White
+Whitehead
+Whitman
+Whitman
+Whitney
+Whittier
+Whittle
+Wiener
+Wiesel
+Wiesenthal
+Wigner
+Wilde
+Wilder
+Wilder
+Wilhelm II
+Wilkes
+Wilkes
+Wilkins
+Wilkins
+Wilkins
+Wilkinson
+Willard
+Willard
+Willebrand
+William I
+William II
+William III
+William IV
+Williams
+Williams
+Williams
+Williams
+Williams
+Williams
+Willis
+Wilmut
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Wilson
+Winckelmann
+Windaus
+Winslow
+Wise
+Wise
+Wister
+Witherspoon
+Wittgenstein
+Wodehouse
+Wolf
+Wolf
+Wolfe
+Wolfe
+Wolff
+Wollaston
+Wollstonecraft
+Wood
+Wood
+Wood
+Wood
+Woodbury
+Woodhull
+Woodward
+Woodward
+Woolf
+Woollcott
+Woolley
+Woolworth
+Worcester
+Wordsworth
+Worth
+Wouk
+Wren
+Wright
+Wright
+Wright
+Wright
+Wright
+Wright
+Wurlitzer
+Wyatt
+Wyatt
+Wycherley
+Wycliffe
+Wyeth
+Wykeham
+Wyler
+Wylie
+Wynette
+Wyszynski
+Xavier
+Xenophanes
+Xenophon
+Xerxes I
+Yale
+Yamamoto
+Yamani
+Yang Chen Ning
+Yastrzemski
+Yeats
+Yerkes
+Yersin
+Yevtushenko
+Young
+Young
+Young
+Young
+Young
+Young
+Young
+Yukawa
+Zaharias
+Zangwill
+Zanuck
+Zapata
+Zechariah
+Zeeman
+Zeno
+Zeno
+Zephaniah
+Zeppelin
+Zhou En-lai
+Zhukov
+Ziegfeld
+Ziegler
+Zimbalist
+Zinnemann
+Zinsser
+Zinzendorf
+Zola
+Zoroaster
+Zsigmondy
+Zukerman
+Zweig
+Zwingli
+Zworykin
+natural phenomenon
+levitation
+metempsychosis
+chemical phenomenon
+allotropy
+exchange
+photoconductivity
+superconductivity
+photochemical exchange
+photoemission
+crystallization
+efflorescence
+consequence
+aftereffect
+aftermath
+bandwagon effect
+brisance
+butterfly effect
+by-product
+change
+coattails effect
+Coriolis effect
+dent
+dominance
+domino effect
+harvest
+impact
+influence
+perturbation
+variation
+purchase
+wind
+knock-on effect
+outgrowth
+product
+placebo effect
+position effect
+repercussion
+response
+reaction
+side effect
+engine
+geological phenomenon
+endogeny
+luck
+luck
+organic phenomenon
+physical phenomenon
+aberration
+abiogenesis
+absorption band
+spectrum
+absorption spectrum
+actinic radiation
+action spectrum
+activation energy
+aerodynamic force
+aerodynamic lift
+ground effect
+aerosol
+affinity
+air pocket
+slipstream
+airstream
+alluvial fan
+alpha radiation
+alpha rhythm
+alternating current
+alternation of generations
+alternative energy
+metagenesis
+amperage
+annual ring
+antitrades
+apparent motion
+acoustic phenomenon
+atmospheric phenomenon
+atomic energy
+atomic power
+atomic spectrum
+attraction
+affinity
+repulsion
+aureole
+aurora
+aurora australis
+aurora borealis
+autofluorescence
+bad luck
+beam
+beam
+cathode ray
+beta radiation
+beta rhythm
+binding energy
+bioelectricity
+bise
+atmospheric pressure
+black-body radiation
+blood pressure
+systolic pressure
+diastolic pressure
+arterial pressure
+venous pressure
+boundary layer
+brainwave
+calm air
+breeze
+sea breeze
+breath
+light air
+light breeze
+gentle breeze
+moderate breeze
+fresh breeze
+strong breeze
+Brownian movement
+brush discharge
+candlelight
+capacitance
+elastance
+capillarity
+catastrophe
+nuclear winter
+continental drift
+centrifugal force
+centripetal force
+chaos
+charge
+electrostatic charge
+electrostatic field
+pyroelectricity
+positive charge
+negative charge
+chatter mark
+chemical bond
+valency
+cohesion
+covalent bond
+cross-link
+hydrogen bond
+ionic bond
+ionizing radiation
+double bond
+coordinate bond
+metallic bond
+peptide bond
+chemical energy
+chinook
+harmattan
+chromatic aberration
+circulation
+systemic circulation
+pulmonary circulation
+vitelline circulation
+cloud
+cold wave
+cold weather
+Coriolis force
+freeze
+corona
+corona discharge
+cosmic background radiation
+cosmic dust
+cosmic radiation
+cosmic ray
+dust cloud
+mushroom
+counterglow
+crosswind
+fohn
+khamsin
+Santa Ana
+high wind
+headwind
+katabatic wind
+tailwind
+current
+cyclone
+cyclosis
+daylight
+death
+decalescence
+decay
+dehiscence
+delta rhythm
+deposit
+desquamation
+exfoliation
+mother lode
+lode
+condensation
+sweat
+diapedesis
+dichroism
+diffraction
+direct current
+signal
+interrupt
+doldrums
+drift
+dust devil
+dust storm
+east wind
+northwest wind
+southwester
+southeaster
+elastic energy
+electrical phenomenon
+electrical power
+load
+electric field
+dielectric heating
+electricity
+galvanism
+electricity
+electromagnetic radiation
+Hertzian wave
+electromagnetic spectrum
+emission spectrum
+energy
+energy
+energy level
+power
+rest energy
+work
+epiphenomenon
+event
+facilitation
+flare
+flashover
+flood
+debacle
+flash flood
+floodhead
+Noah's flood
+focus
+food chain
+food pyramid
+food web
+fair weather
+fata morgana
+field
+line of force
+electrical line of force
+magnetic line of force
+fine spray
+fine structure
+firelight
+firestorm
+fluorescence
+fog
+fogbank
+force
+forked lightning
+friar's lantern
+friction
+fringe
+gene expression
+grinding
+grip
+front
+warm front
+cold front
+squall line
+occluded front
+greenhouse effect
+inversion
+frost heave
+gale
+moderate gale
+fresh gale
+strong gale
+whole gale
+storm
+northeaster
+gamma radiation
+gaslight
+radiance
+glow
+sky glow
+good luck
+serendipity
+gravitational field
+gravity
+solar gravity
+gun smoke
+gust
+bluster
+sandblast
+hail
+hailstorm
+half-light
+haze
+heat
+geothermal energy
+histocompatibility
+hot weather
+scorcher
+sultriness
+hurricane
+hydroelectricity
+hysteresis
+ice fog
+ice storm
+incandescence
+incidence
+induction
+mutual induction
+self-induction
+inertia
+moment of inertia
+angular acceleration
+angular velocity
+infrared
+infrared spectrum
+interreflection
+jet propulsion
+jet stream
+juice
+kinetic energy
+heat of dissociation
+heat of formation
+heat of solution
+latent heat
+heat of condensation
+heat of fusion
+heat of solidification
+heat of sublimation
+heat of vaporization
+specific heat
+heat ray
+heat wave
+high beam
+infrared ray
+lamplight
+levanter
+leverage
+life
+biology
+aerobiosis
+life cycle
+light
+line
+elves
+jet
+lightning
+line spectrum
+Lorentz force
+sprites
+atmospheric electricity
+luminescence
+bioluminescence
+chemiluminescence
+luminous energy
+magnetosphere
+solar magnetic field
+magnetic field
+radiation field
+beat
+resonance
+sympathetic vibration
+resonance
+nuclear resonance
+magnetic resonance
+nuclear magnetic resonance
+magnetism
+electromagnetism
+antiferromagnetism
+diamagnetism
+ferrimagnetism
+ferromagnetism
+paramagnetism
+mechanical phenomenon
+sound
+ultrasound
+trajectory
+ballistics
+gravity-assist
+mass defect
+mechanical energy
+thaw
+microwave
+midnight sun
+mist
+mistral
+moment
+moment of a couple
+dipole moment
+electric dipole moment
+magnetic dipole moment
+magnetic moment
+meteor
+bolide
+mirage
+monsoon
+monsoon
+moonbeam
+moonlight
+starlight
+sunburst
+sunlight
+sunbeam
+laser beam
+low beam
+particle beam
+ion beam
+necrobiosis
+apoptosis
+necrosis
+myonecrosis
+brain death
+neutron radiation
+halo
+solar halo
+parhelion
+north wind
+nuclear propulsion
+ocean current
+El Nino
+El Nino southern oscillation
+equatorial current
+North Equatorial Current
+South Equatorial Current
+Gulf stream
+Japan current
+Peruvian current
+opacity
+optical opacity
+radiopacity
+optical illusion
+optical phenomenon
+pea soup
+phosphorescence
+photoelectricity
+piezoelectricity
+pleochroism
+pleomorphism
+polarization
+depolarization
+polymorphism
+dimorphism
+polymorphism
+dimorphism
+polymorphism
+single nucleotide polymorphism
+electric potential
+evoked potential
+resting potential
+potential energy
+precipitation
+gas pressure
+pressure
+head
+barometric pressure
+compartment pressure
+overpressure
+sea-level pressure
+hydrostatic head
+intraocular pressure
+oil pressure
+osmotic pressure
+radiation pressure
+sound pressure
+prevailing wind
+propulsion
+puff
+pull
+push
+reaction
+rocket propulsion
+reaction propulsion
+radiant energy
+radiation
+corpuscular radiation
+radio wave
+sky wave
+ionospheric wave
+ground wave
+radio signal
+mass spectrum
+microwave spectrum
+radio spectrum
+carrier wave
+rain
+raindrop
+rainstorm
+line storm
+thundershower
+downpour
+drizzle
+shower
+recognition
+reflection
+refraction
+double refraction
+resistance
+conductance
+electric resistance
+ohmage
+reactance
+acoustic resistance
+reluctance
+drag
+sonic barrier
+windage
+rejection
+rejuvenation
+resolving power
+resolution
+scattering
+scintillation
+sex linkage
+shear
+meteor shower
+short wave
+medium wave
+long wave
+simoom
+skin effect
+sleet
+smoke
+smother
+snow
+flurry
+whiteout
+snowflake
+virga
+ice crystal
+blizzard
+solar energy
+insolation
+solar radiation
+solar flare
+solar prominence
+solar wind
+sound spectrum
+speech spectrum
+sunspot
+facula
+facula
+south wind
+discharge
+distortion
+nonlinear distortion
+projection
+electrical conduction
+conduction
+propagation
+Doppler effect
+red shift
+wave front
+spherical aberration
+spillover
+squall
+line squall
+electrical disturbance
+static electricity
+dynamic electricity
+thermoelectricity
+stress
+tension
+strain
+breaking point
+overstrain
+streamer
+torchlight
+twilight
+interaction
+electromagnetic interaction
+gravitational interaction
+strong interaction
+supertwister
+weak interaction
+suction
+sunrise
+sunset
+afterglow
+surface tension
+interfacial tension
+syzygy
+tempest
+thermal
+thermionic current
+theta rhythm
+thunderbolt
+thunderstorm
+tornado
+torsion
+tossup
+trade wind
+antitrade wind
+tramontane
+transgression
+transparency
+trichroism
+turbulence
+typhoon
+turbulent flow
+sea
+head sea
+streamline flow
+laminar flow
+ultraviolet
+sunray
+ultraviolet spectrum
+draft
+updraft
+downdraft
+van der Waal's forces
+vapor pressure
+virtual image
+visible spectrum
+voltage
+magnetomotive force
+life force
+volcanism
+waterpower
+waterspout
+wave
+weather
+elements
+west wind
+prevailing westerly
+whirlwind
+wind
+wind generation
+windstorm
+X ray
+X-ray diffraction
+zodiacal light
+chop
+flotation
+parallax
+Tyndall effect
+heliocentric parallax
+stellar parallax
+geocentric parallax
+horizontal parallax
+pulsation
+solar parallax
+Plantae
+microflora
+plant cell
+cell wall
+crop
+endemic
+holophyte
+non-flowering plant
+plantlet
+wilding
+semi-climber
+Thallophyta
+thallophyte
+button
+thallus
+crustose thallus
+cap
+calyptra
+volva
+ascocarp
+acervulus
+basidiocarp
+peridium
+ascoma
+apothecium
+cleistothecium
+domatium
+podetium
+seta
+Tracheophyta
+plant order
+ornamental
+pot plant
+acrogen
+apomict
+aquatic
+Bryophyta
+bryophyte
+moss
+moss family
+moss genus
+Anthoceropsida
+Anthocerotales
+Anthocerotaceae
+Anthoceros
+hornwort
+Bryopsida
+acrocarp
+pleurocarp
+Andreaeales
+Andreaea
+Bryales
+Dicranales
+Dicranaceae
+Dicranum
+Eubryales
+Bryaceae
+Bryum
+Mniaceae
+Mnium
+Sphagnales
+genus Sphagnum
+sphagnum
+Hepaticopsida
+liverwort
+Jungermanniales
+leafy liverwort
+Jungermanniaceae
+Marchantiales
+Marchantiaceae
+Marchantia
+hepatica
+Sphaerocarpales
+Sphaerocarpaceae
+Sphaerocarpus
+Pteridophyta
+genus Pecopteris
+pecopteris
+pteridophyte
+fern
+fern ally
+agamete
+spore
+basidiospore
+endospore
+carpospore
+chlamydospore
+conidium
+conidiophore
+oospore
+oosphere
+resting spore
+teliospore
+tetraspore
+zoospore
+fern seed
+fructification
+gleba
+hymenium
+pycnidium
+sporocarp
+stipule
+tepal
+Spermatophyta
+Phanerogamae
+Cryptogamia
+cryptogam
+spermatophyte
+seedling
+balsam
+annual
+biennial
+perennial
+escape
+hygrophyte
+neophyte
+gymnosperm family
+gymnosperm genus
+monocot family
+liliid monocot family
+monocot genus
+liliid monocot genus
+dicot family
+magnoliid dicot family
+hamamelid dicot family
+caryophylloid dicot family
+dilleniid dicot family
+asterid dicot family
+rosid dicot family
+dicot genus
+magnoliid dicot genus
+hamamelid dicot genus
+caryophylloid dicot genus
+dilleniid dicot genus
+asterid dicot genus
+rosid dicot genus
+fungus family
+fungus genus
+fungus order
+Gymnospermae
+gymnosperm
+progymnosperm
+Gnetopsida
+Gnetales
+Gnetaceae
+genus Gnetum
+gnetum
+Ephedraceae
+Catha
+Catha edulis
+genus Ephedra
+ephedra
+mahuang
+Welwitschiaceae
+genus Welwitschia
+welwitschia
+Cycadopsida
+Cycadales
+cycad
+Cycadaceae
+Cycas
+sago palm
+false sago
+Zamiaceae
+genus Zamia
+zamia
+coontie
+genus Ceratozamia
+ceratozamia
+genus Dioon
+dioon
+genus Encephalartos
+encephalartos
+kaffir bread
+genus Macrozamia
+macrozamia
+burrawong
+Bennettitales
+Bennettitaceae
+Bennettitis
+Pteridospermopsida
+Cycadofilicales
+Pteridospermae
+Lyginopteris
+seed fern
+Coniferopsida
+Cordaitales
+Cordaitaceae
+Cordaites
+Pinopsida
+Coniferales
+Pinaceae
+Pinus
+pine
+pine
+knotty pine
+white pine
+yellow pine
+pinon
+nut pine
+pinon pine
+Rocky mountain pinon
+single-leaf
+bishop pine
+California single-leaf pinyon
+Parry's pinyon
+spruce pine
+black pine
+pitch pine
+pond pine
+stone pine
+Swiss pine
+cembra nut
+Swiss mountain pine
+ancient pine
+white pine
+American white pine
+western white pine
+southwestern white pine
+limber pine
+whitebark pine
+yellow pine
+ponderosa
+Jeffrey pine
+shore pine
+Sierra lodgepole pine
+loblolly pine
+jack pine
+swamp pine
+longleaf pine
+shortleaf pine
+red pine
+Scotch pine
+scrub pine
+Monterey pine
+bristlecone pine
+table-mountain pine
+knobcone pine
+Japanese red pine
+Japanese black pine
+Torrey pine
+Larix
+larch
+larch
+American larch
+western larch
+subalpine larch
+European larch
+Siberian larch
+Pseudolarix
+golden larch
+Abies
+fir
+fir
+silver fir
+amabilis fir
+European silver fir
+white fir
+balsam fir
+Fraser fir
+lowland fir
+Alpine fir
+Santa Lucia fir
+Cedrus
+cedar
+cedar
+red cedar
+pencil cedar
+cedar of Lebanon
+deodar
+Atlas cedar
+Picea
+spruce
+spruce
+Norway spruce
+weeping spruce
+Engelmann spruce
+white spruce
+black spruce
+Siberian spruce
+Sitka spruce
+oriental spruce
+Colorado spruce
+red spruce
+Tsuga
+hemlock
+hemlock
+eastern hemlock
+Carolina hemlock
+mountain hemlock
+western hemlock
+Pseudotsuga
+douglas fir
+douglas fir
+green douglas fir
+big-cone spruce
+genus Cathaya
+Cathaya
+Cupressaceae
+cedar
+Cupressus
+cypress
+cypress
+gowen cypress
+pygmy cypress
+Santa Cruz cypress
+Arizona cypress
+Guadalupe cypress
+Monterey cypress
+Mexican cypress
+Italian cypress
+Athrotaxis
+King William pine
+Austrocedrus
+Chilean cedar
+Callitris
+cypress pine
+Port Jackson pine
+black cypress pine
+white cypress pine
+stringybark pine
+Calocedrus
+incense cedar
+Chamaecyparis
+southern white cedar
+Oregon cedar
+Port Orford cedar
+yellow cypress
+Cryptomeria
+Japanese cedar
+Juniperus
+juniper
+juniper berry
+pencil cedar
+eastern red cedar
+Bermuda cedar
+east African cedar
+southern red cedar
+dwarf juniper
+common juniper
+ground cedar
+creeping juniper
+Mexican juniper
+Libocedrus
+incense cedar
+kawaka
+pahautea
+Taxodiaceae
+genus Metasequoia
+metasequoia
+genus Sequoia
+sequoia
+redwood
+California redwood
+Sequoiadendron
+giant sequoia
+Taxodium
+bald cypress
+pond cypress
+Montezuma cypress
+Ahuehuete
+Tetraclinis
+sandarac
+sandarac
+sandarac
+Thuja
+arborvitae
+western red cedar
+American arborvitae
+Oriental arborvitae
+Thujopsis
+hiba arborvitae
+genus Keteleeria
+keteleeria
+Araucariaceae
+Wollemi pine
+genus Araucaria
+araucaria
+monkey puzzle
+norfolk island pine
+new caledonian pine
+bunya bunya
+hoop pine
+Agathis
+kauri pine
+kauri
+kauri
+amboina pine
+dundathu pine
+red kauri
+Cephalotaxaceae
+Cephalotaxus
+plum-yew
+Torreya
+California nutmeg
+stinking cedar
+Phyllocladaceae
+Phyllocladus
+celery pine
+celery top pine
+tanekaha
+Alpine celery pine
+yellowwood
+gymnospermous yellowwood
+angiospermous yellowwood
+yellowwood
+Podocarpaceae
+Podocarpus
+podocarp
+yacca
+brown pine
+cape yellowwood
+South-African yellowwood
+alpine totara
+totara
+Afrocarpus
+common yellowwood
+Dacrycarpus
+kahikatea
+Dacrydium
+rimu
+tarwood
+Falcatifolium
+common sickle pine
+yellow-leaf sickle pine
+Halocarpus
+tarwood
+Lagarostrobus
+westland pine
+huon pine
+Lepidothamnus
+Chilean rimu
+mountain rimu
+Microstrobos
+Tasman dwarf pine
+Nageia
+nagi
+Parasitaxus
+parasite yew
+Prumnopitys
+miro
+matai
+plum-fruited yew
+Retrophyllum
+Saxe-gothea
+Prince Albert yew
+Sundacarpus
+Sundacarpus amara
+Sciadopityaceae
+Sciadopitys
+Japanese umbrella pine
+Taxopsida
+Taxales
+Taxaceae
+Taxus
+yew
+yew
+Old World yew
+Pacific yew
+Japanese yew
+Florida yew
+Austrotaxus
+New Caledonian yew
+Pseudotaxus
+white-berry yew
+Ginkgopsida
+Ginkgoales
+Ginkgoaceae
+genus Ginkgo
+ginkgo
+Pteropsida
+Angiospermae
+angiosperm
+angiocarp
+Dicotyledones
+dicot
+Magnoliidae
+Monocotyledones
+monocot
+Alismatidae
+Arecidae
+Commelinidae
+flower
+floret
+flower
+bloomer
+wildflower
+apetalous flower
+flower head
+inflorescence
+ray flower
+catkin
+bud
+rosebud
+stamen
+anther
+gynostegium
+pollen
+pollinium
+reproductive structure
+pistil
+gynobase
+gynophore
+simple pistil
+compound pistil
+pistillode
+style
+stylopodium
+stigma
+carpel
+carpophore
+cornstalk
+filament
+funicle
+petiolule
+mericarp
+hilum
+ovary
+ovule
+chalaza
+nucellus
+micropyle
+amphitropous ovule
+anatropous ovule
+campylotropous ovule
+orthotropous ovule
+stoma
+germ pore
+germ tube
+pollen tube
+placenta
+placentation
+apical placentation
+axile placentation
+basal placentation
+free central placentation
+lamellate placentation
+marginal placentation
+parietal placentation
+testa
+endosperm
+gemma
+cone
+fir cone
+galbulus
+pinecone
+septum
+shell
+nutshell
+nectary
+seed
+pericarp
+epicarp
+mesocarp
+stone
+pip
+capsule
+bilocular capsule
+boll
+silique
+silicle
+peristome
+haustorium
+cataphyll
+cotyledon
+embryo
+perisperm
+monocarp
+sporophyte
+gametophyte
+megagametophyte
+megasporangium
+megasporophyll
+microgametophyte
+microspore
+microsporangium
+microsporophyll
+megaspore
+archespore
+daughter cell
+mother cell
+spore mother cell
+archegonium
+bonduc nut
+Job's tears
+oilseed
+castor bean
+cottonseed
+candlenut
+peach pit
+cherry stone
+hypanthium
+petal
+sepal
+mentum
+floral leaf
+corolla
+corona
+calyx
+lip
+hull
+epicalyx
+perianth
+pappus
+thistledown
+Ranales
+Annonaceae
+Annona
+custard apple
+cherimoya
+ilama
+soursop
+bullock's heart
+sweetsop
+pond apple
+Asimina
+pawpaw
+Cananga
+ilang-ilang
+ilang-ilang
+Oxandra
+lancewood
+lancewood
+Xylopia
+Guinea pepper
+Berberidaceae
+Berberis
+barberry
+American barberry
+common barberry
+Japanese barberry
+Caulophyllum
+blue cohosh
+Epimedium
+barrenwort
+Mahonia
+Oregon grape
+Oregon grape
+Podophyllum
+mayapple
+May apple
+Calycanthaceae
+Calycanthus
+allspice
+Carolina allspice
+spicebush
+Chimonanthus
+Japan allspice
+Ceratophyllaceae
+Ceratophyllum
+hornwort
+Cercidiphyllaceae
+Cercidiphyllum
+katsura tree
+Lardizabalaceae
+Lardizabala
+Lauraceae
+laurel
+Laurus
+true laurel
+Cinnamomum
+camphor tree
+cinnamon
+cinnamon
+cassia
+cassia bark
+Saigon cinnamon
+cinnamon bark
+Lindera
+Benzoin
+spicebush
+Persea
+avocado
+laurel-tree
+genus Sassafras
+sassafras
+sassafras oil
+Umbellularia
+California laurel
+Magnoliaceae
+Illicium
+anise tree
+purple anise
+star anise
+star anise
+genus Magnolia
+magnolia
+magnolia
+southern magnolia
+umbrella tree
+earleaved umbrella tree
+cucumber tree
+large-leaved magnolia
+saucer magnolia
+star magnolia
+sweet bay
+manglietia
+Liriodendron
+tulip tree
+tulipwood
+Menispermaceae
+Menispermum
+moonseed
+common moonseed
+Cocculus
+Carolina moonseed
+Myristicaceae
+Myristica
+nutmeg
+Nymphaeaceae
+water lily
+Nymphaea
+water nymph
+European white lily
+lotus
+blue lotus
+blue lotus
+Nuphar
+spatterdock
+southern spatterdock
+yellow water lily
+Nelumbonaceae
+Nelumbo
+lotus
+water chinquapin
+Cabombaceae
+Cabomba
+water-shield
+Brasenia
+water-shield
+Paeoniaceae
+Paeonia
+peony
+Ranunculaceae
+Ranunculus
+buttercup
+meadow buttercup
+water crowfoot
+common buttercup
+lesser celandine
+lesser spearwort
+sagebrush buttercup
+greater spearwort
+mountain lily
+western buttercup
+creeping buttercup
+cursed crowfoot
+Aconitum
+aconite
+monkshood
+wolfsbane
+Actaea
+baneberry
+baneberry
+red baneberry
+white baneberry
+Adonis
+pheasant's-eye
+genus Anemone
+anemone
+Alpine anemone
+Canada anemone
+thimbleweed
+wood anemone
+wood anemone
+longheaded thimbleweed
+snowdrop anemone
+Virginia thimbleweed
+Anemonella
+rue anemone
+genus Aquilegia
+columbine
+meeting house
+blue columbine
+granny's bonnets
+Caltha
+marsh marigold
+Cimicifuga
+bugbane
+American bugbane
+black cohosh
+fetid bugbane
+genus Clematis
+clematis
+pine hyacinth
+blue jasmine
+pipestem clematis
+curly-heads
+golden clematis
+scarlet clematis
+leather flower
+leather flower
+virgin's bower
+traveler's joy
+purple clematis
+Coptis
+goldthread
+Consolida
+rocket larkspur
+genus Delphinium
+delphinium
+larkspur
+Eranthis
+winter aconite
+Helleborus
+hellebore
+stinking hellebore
+Christmas rose
+lenten rose
+green hellebore
+genus Hepatica
+hepatica
+Hydrastis
+goldenseal
+Isopyrum
+false rue anemone
+Laccopetalum
+giant buttercup
+genus Nigella
+nigella
+love-in-a-mist
+fennel flower
+black caraway
+Pulsatilla
+pasqueflower
+American pasqueflower
+Western pasqueflower
+European pasqueflower
+Thalictrum
+meadow rue
+Trautvetteria
+false bugbane
+Trollius
+globeflower
+Winteraceae
+Drimys
+winter's bark
+Pseudowintera
+pepper shrub
+Myricales
+Myricaceae
+Myrica
+sweet gale
+wax myrtle
+bay myrtle
+bayberry
+bayberry wax
+Comptonia
+sweet fern
+Leitneriaceae
+Leitneria
+corkwood
+Juncaceae
+rush
+Juncus
+bulrush
+jointed rush
+toad rush
+hard rush
+salt rush
+slender rush
+plant family
+plant genus
+zebrawood
+zebrawood
+Connaraceae
+Connarus
+Connarus guianensis
+Leguminosae
+legume
+legume
+Arachis
+peanut
+peanut
+Brya
+granadilla tree
+cocuswood
+Centrolobium
+arariba
+Coumarouna
+tonka bean
+tonka bean
+Hymenaea
+courbaril
+courbaril copal
+genus Melilotus
+melilotus
+white sweet clover
+yellow sweet clover
+Swainsona
+darling pea
+smooth darling pea
+hairy darling pea
+Trifolium
+clover
+alpine clover
+hop clover
+crimson clover
+red clover
+buffalo clover
+white clover
+Mimosaceae
+Mimosoideae
+genus Mimosa
+mimosa
+sensitive plant
+sensitive plant
+genus Acacia
+acacia
+shittah
+shittimwood
+wattle
+black wattle
+gidgee
+catechu
+black catechu
+silver wattle
+huisache
+lightwood
+golden wattle
+fever tree
+Adenanthera
+coralwood
+genus Albizia
+albizzia
+silk tree
+siris
+rain tree
+Anadenanthera
+Anadenanthera colubrina
+genus Calliandra
+calliandra
+Enterolobium
+conacaste
+genus Inga
+inga
+ice-cream bean
+guama
+Leucaena
+lead tree
+Lysiloma
+wild tamarind
+sabicu
+sabicu
+Parkia
+nitta tree
+Parkia javanica
+Piptadenia
+Pithecellobium
+manila tamarind
+cat's-claw
+Prosopis
+mesquite
+honey mesquite
+algarroba
+algarroba
+screw bean
+screw bean
+Apocynaceae
+Apocynum
+dogbane
+common dogbane
+Indian hemp
+Rocky Mountain dogbane
+Acocanthera
+winter sweet
+bushman's poison
+Adenium
+impala lily
+genus Allamanda
+allamanda
+common allamanda
+Alstonia
+dita
+Amsonia
+blue star
+Beaumontia
+Nepal trumpet flower
+genus Carissa
+carissa
+hedge thorn
+natal plum
+Catharanthus
+periwinkle
+Holarrhena
+ivory tree
+Mandevilla
+white dipladenia
+Chilean jasmine
+Nerium
+oleander
+Plumeria
+frangipani
+pagoda tree
+West Indian jasmine
+genus Rauwolfia
+rauwolfia
+snakewood
+genus Strophanthus
+strophanthus
+Strophanthus kombe
+Tabernaemontana
+crape jasmine
+Thevetia
+yellow oleander
+Trachelospermum
+star jasmine
+Vinca
+periwinkle
+myrtle
+large periwinkle
+Arales
+Araceae
+arum
+genus Arum
+arum
+cuckoopint
+black calla
+Acorus
+Acoraceae
+sweet flag
+calamus
+calamus oil
+Aglaonema
+Chinese evergreen
+genus Alocasia
+alocasia
+giant taro
+genus Amorphophallus
+amorphophallus
+pungapung
+devil's tongue
+krubi
+genus Anthurium
+anthurium
+flamingo flower
+Arisaema
+jack-in-the-pulpit
+green dragon
+Arisarum
+friar's-cowl
+genus Caladium
+caladium
+Caladium bicolor
+Calla
+wild calla
+Colocasia
+taro
+taro
+genus Cryptocoryne
+cryptocoryne
+Dieffenbachia
+dumb cane
+genus Dracontium
+dracontium
+Dracunculus
+dragon arum
+Epipremnum
+golden pothos
+Lysichiton
+skunk cabbage
+genus Monstera
+monstera
+ceriman
+genus Nephthytis
+nephthytis
+Nephthytis afzelii
+Orontium
+golden club
+Peltandra
+arrow arum
+green arrow arum
+genus Philodendron
+philodendron
+genus Pistia
+pistia
+Scindapsus
+pothos
+genus Spathiphyllum
+spathiphyllum
+Symplocarpus
+skunk cabbage
+Syngonium
+Xanthosoma
+yautia
+Zantedeschia
+calla lily
+pink calla
+golden calla
+Lemnaceae
+duckweed
+Lemna
+common duckweed
+star-duckweed
+Spirodela
+great duckweed
+Wolffia
+watermeal
+common wolffia
+Wolffiella
+mud midget
+Araliaceae
+genus Aralia
+aralia
+American angelica tree
+wild sarsaparilla
+American spikenard
+bristly sarsaparilla
+Japanese angelica tree
+Chinese angelica
+Hedera
+ivy
+Meryta
+puka
+Panax
+ginseng
+American ginseng
+ginseng
+Schefflera
+umbrella tree
+Aristolochiales
+Aristolochiaceae
+Aristolochia
+birthwort
+Dutchman's-pipe
+Virginia snakeroot
+Asarum
+wild ginger
+Canada ginger
+heartleaf
+heartleaf
+asarabacca
+Rafflesiaceae
+Hydnoraceae
+Caryophyllidae
+Caryophyllales
+Centrospermae
+Caryophyllaceae
+caryophyllaceous plant
+Agrostemma
+corn cockle
+Arenaria
+sandwort
+mountain sandwort
+pine-barren sandwort
+seabeach sandwort
+rock sandwort
+thyme-leaved sandwort
+Cerastium
+mouse-ear chickweed
+field chickweed
+snow-in-summer
+Alpine mouse-ear
+Dianthus
+pink
+sweet William
+carnation
+china pink
+Japanese pink
+maiden pink
+cheddar pink
+button pink
+cottage pink
+fringed pink
+genus Drypis
+drypis
+Gypsophila
+baby's breath
+Hernaria
+rupturewort
+Illecebrum
+coral necklace
+genus Lychnis
+lychnis
+ragged robin
+scarlet lychnis
+mullein pink
+Minuartia
+Moehringia
+sandwort
+sandwort
+Paronychia
+whitlowwort
+Petrocoptis
+Sagina
+pearlwort
+Saponaria
+soapwort
+Scleranthus
+knawel
+genus Silene
+silene
+moss campion
+wild pink
+red campion
+white campion
+fire pink
+bladder campion
+Spergula
+corn spurry
+Spergularia
+sand spurry
+Stellaria
+chickweed
+common chickweed
+stitchwort
+Vaccaria
+cowherb
+Aizoaceae
+Carpobrotus
+Hottentot fig
+Dorotheanthus
+livingstone daisy
+papilla
+genus Lithops
+lithops
+Mesembryanthemum
+fig marigold
+ice plant
+Molluga
+carpetweed
+Pleiospilos
+living granite
+Tetragonia
+New Zealand spinach
+Amaranthaceae
+Amaranthus
+amaranth
+amaranth
+tumbleweed
+love-lies-bleeding
+prince's-feather
+pigweed
+thorny amaranth
+Alternanthera
+alligator weed
+Celosia
+red fox
+cockscomb
+Froelichia
+cottonweed
+Gomphrena
+globe amaranth
+Iresine
+bloodleaf
+beefsteak plant
+Telanthera
+Batidaceae
+Batis
+saltwort
+Chenopodiaceae
+Chenopodium
+goosefoot
+lamb's-quarters
+American wormseed
+good-king-henry
+Jerusalem oak
+strawberry blite
+oak-leaved goosefoot
+sowbane
+nettle-leaved goosefoot
+red goosefoot
+stinking goosefoot
+Atriplex
+orach
+saltbush
+garden orache
+desert holly
+quail bush
+Bassia
+summer cypress
+Beta
+beet
+beetroot
+chard
+mangel-wurzel
+sugar beet
+Cycloloma
+winged pigweed
+genus Halogeton
+halogeton
+barilla
+Salicornia
+glasswort
+Salsola
+saltwort
+Russian thistle
+Sarcobatus
+greasewood
+Spinacia
+spinach
+Nyctaginaceae
+Nyctaginia
+scarlet musk flower
+Abronia
+sand verbena
+snowball
+sweet sand verbena
+yellow sand verbena
+beach pancake
+beach sand verbena
+desert sand verbena
+Allionia
+trailing four o'clock
+genus Bougainvillea
+bougainvillea
+paper flower
+Mirabilis
+umbrellawort
+four o'clock
+common four-o'clock
+California four o'clock
+sweet four o'clock
+desert four o'clock
+mountain four o'clock
+Pisonia
+cockspur
+Opuntiales
+Cactaceae
+cactus
+Acanthocereus
+pitahaya cactus
+Aporocactus
+rattail cactus
+Ariocarpus
+living rock
+Carnegiea
+saguaro
+Cereus
+night-blooming cereus
+genus Coryphantha
+coryphantha
+genus Echinocactus
+echinocactus
+hedgehog cactus
+golden barrel cactus
+Echinocereus
+hedgehog cereus
+rainbow cactus
+genus Epiphyllum
+epiphyllum
+Ferocactus
+barrel cactus
+Gymnocalycium
+Harrisia
+Hatiora
+Easter cactus
+Hylocereus
+night-blooming cereus
+Lemaireocereus
+chichipe
+Lophophora
+mescal
+mescal button
+genus Mammillaria
+mammillaria
+feather ball
+Melocactus
+Myrtillocactus
+garambulla
+Pediocactus
+Knowlton's cactus
+Nopalea
+nopal
+Opuntia
+prickly pear
+cholla
+nopal
+tuna
+Pereskia
+Barbados gooseberry
+Rhipsalis
+mistletoe cactus
+Schlumbergera
+Christmas cactus
+Selenicereus
+night-blooming cereus
+queen of the night
+Zygocactus
+crab cactus
+Phytolaccaceae
+Phytolacca
+pokeweed
+Indian poke
+poke
+ombu
+Agdestis
+Ercilla
+Rivina
+bloodberry
+Trichostigma
+Portulacaceae
+purslane
+genus Portulaca
+portulaca
+rose moss
+common purslane
+Calandrinia
+rock purslane
+red maids
+Claytonia
+Carolina spring beauty
+spring beauty
+Virginia spring beauty
+Lewisia
+siskiyou lewisia
+bitterroot
+Montia
+Indian lettuce
+broad-leaved montia
+blinks
+toad lily
+winter purslane
+Spraguea
+pussy-paw
+Talinum
+flame flower
+narrow-leaved flame flower
+pigmy talinum
+rock pink
+jewels-of-opar
+spiny talinum
+Rhoeadales
+Capparidaceae
+Capparis
+caper
+native pomegranate
+caper tree
+caper tree
+native orange
+common caper
+genus Cleome
+spiderflower
+spider flower
+Rocky Mountain bee plant
+Crateva
+Polanisia
+clammyweed
+Cruciferae
+crucifer
+cress
+watercress
+Aethionema
+stonecress
+Alliaria
+garlic mustard
+Alyssum
+alyssum
+Anastatica
+rose of Jericho
+Arabidopsis
+Arabidopsis thaliana
+Arabidopsis lyrata
+Arabis
+rock cress
+sicklepod
+tower cress
+tower mustard
+Armoracia
+horseradish
+horseradish
+Barbarea
+winter cress
+Belle Isle cress
+yellow rocket
+Berteroa
+hoary alison
+Biscutella
+buckler mustard
+Brassica
+wild cabbage
+cabbage
+head cabbage
+savoy cabbage
+red cabbage
+brussels sprout
+cauliflower
+broccoli
+kale
+collard
+kohlrabi
+turnip plant
+turnip
+rutabaga
+broccoli raab
+mustard
+mustard oil
+chinese mustard
+Chinese cabbage
+bok choy
+tendergreen
+black mustard
+rape
+rapeseed
+rape oil
+Cakile
+sea-rocket
+Camelina
+gold of pleasure
+Capsella
+shepherd's purse
+Cardamine
+Dentaria
+bittercress
+lady's smock
+coral-root bittercress
+crinkleroot
+American watercress
+spring cress
+purple cress
+Cheiranthus
+wallflower
+prairie rocket
+Cochlearia
+scurvy grass
+Crambe
+sea kale
+Descurainia
+tansy mustard
+Diplotaxis
+wall rocket
+white rocket
+genus Draba
+draba
+whitlow grass
+Eruca
+rocket
+Erysimum
+wallflower
+prairie rocket
+Siberian wall flower
+western wall flower
+wormseed mustard
+genus Heliophila
+heliophila
+Hesperis
+damask violet
+Hugueninia
+tansy-leaved rocket
+Iberis
+candytuft
+Isatis
+woad
+dyer's woad
+Lepidium
+common garden cress
+Lesquerella
+bladderpod
+Lobularia
+sweet alyssum
+Lunaria
+honesty
+Malcolmia
+Malcolm stock
+Virginian stock
+Matthiola
+stock
+brompton stock
+Nasturtium
+common watercress
+Physaria
+bladderpod
+Pritzelago
+chamois cress
+Raphanus
+radish plant
+jointed charlock
+radish
+radish
+radish
+Rorippa
+marsh cress
+great yellowcress
+genus Schizopetalon
+schizopetalon
+Sinapis
+white mustard
+field mustard
+genus Sisymbrium
+hedge mustard
+Stanleya
+desert plume
+Stephanomeria
+malheur wire lettuce
+Subularia
+awlwort
+Thlaspi
+pennycress
+field pennycress
+Thysanocarpus
+fringepod
+Turritis
+Vesicaria
+bladderpod
+wasabi
+Papaveraceae
+poppy
+Papaver
+Iceland poppy
+western poppy
+prickly poppy
+Iceland poppy
+oriental poppy
+corn poppy
+opium poppy
+genus Argemone
+prickly poppy
+Mexican poppy
+genus Bocconia
+bocconia
+Chelidonium
+celandine
+Corydalis
+corydalis
+climbing corydalis
+Roman wormwood
+fumewort
+Dendromecon
+bush poppy
+Eschscholtzia
+California poppy
+Glaucium
+horn poppy
+Hunnemannia
+golden cup
+Macleaya
+plume poppy
+Meconopsis
+blue poppy
+Welsh poppy
+Platystemon
+creamcups
+Romneya
+matilija poppy
+Sanguinaria
+bloodroot
+Stylomecon
+wind poppy
+Stylophorum
+celandine poppy
+Fumariaceae
+Fumaria
+fumitory
+Adlumia
+climbing fumitory
+Dicentra
+bleeding heart
+Dutchman's breeches
+squirrel corn
+Asteridae
+Campanulales
+Compositae
+composite
+compass plant
+everlasting
+genus Achillea
+achillea
+yarrow
+sneezeweed yarrow
+Acroclinium
+pink-and-white everlasting
+Ageratina
+white snakeroot
+genus Ageratum
+ageratum
+common ageratum
+Amberboa
+sweet sultan
+genus Ambrosia
+Ambrosiaceae
+ragweed
+common ragweed
+great ragweed
+western ragweed
+genus Ammobium
+ammobium
+winged everlasting
+Anacyclus
+pellitory
+Anaphalis
+pearly everlasting
+genus Andryala
+andryala
+Antennaria
+ladies' tobacco
+cat's foot
+plantain-leaved pussytoes
+field pussytoes
+solitary pussytoes
+mountain everlasting
+Anthemis
+mayweed
+yellow chamomile
+corn chamomile
+Antheropeas
+woolly daisy
+Arctium
+burdock
+common burdock
+great burdock
+Arctotis
+African daisy
+blue-eyed African daisy
+Argyranthemum
+marguerite
+Argyroxiphium
+silversword
+genus Arnica
+arnica
+heartleaf arnica
+Arnica montana
+arnica
+Arnoseris
+lamb succory
+genus Artemisia
+artemisia
+wormwood
+mugwort
+sagebrush
+southernwood
+common wormwood
+sweet wormwood
+California sagebrush
+field wormwood
+tarragon
+sand sage
+wormwood sage
+western mugwort
+Roman wormwood
+bud brush
+dusty miller
+common mugwort
+genus Aster
+aster
+wood aster
+whorled aster
+heath aster
+heart-leaved aster
+white wood aster
+bushy aster
+heath aster
+white prairie aster
+stiff aster
+goldilocks
+large-leaved aster
+New England aster
+Michaelmas daisy
+upland white aster
+Short's aster
+sea aster
+prairie aster
+annual salt-marsh aster
+aromatic aster
+arrow leaved aster
+azure aster
+bog aster
+crooked-stemmed aster
+Eastern silvery aster
+flat-topped white aster
+late purple aster
+panicled aster
+perennial salt marsh aster
+purple-stemmed aster
+rough-leaved aster
+rush aster
+Schreiber's aster
+small white aster
+smooth aster
+southern aster
+starved aster
+tradescant's aster
+wavy-leaved aster
+Western silvery aster
+willow aster
+genus Ayapana
+ayapana
+Baccharis
+groundsel tree
+mule fat
+coyote brush
+Balsamorhiza
+balsamroot
+Bellis
+daisy
+common daisy
+Bidens
+bur marigold
+Spanish needles
+Spanish needles
+tickseed sunflower
+European beggar-ticks
+swampy beggar-ticks
+slender knapweed
+Jersey knapweed
+Boltonia
+false chamomile
+Brachycome
+Swan River daisy
+Brickellia
+Buphthalmum
+oxeye
+woodland oxeye
+Cacalia
+Indian plantain
+genus Calendula
+calendula
+common marigold
+Callistephus
+China aster
+thistle
+Carduus
+welted thistle
+musk thistle
+Carlina
+carline thistle
+stemless carline thistle
+common carline thistle
+Carthamus
+safflower
+safflower seed
+safflower oil
+genus Catananche
+catananche
+blue succory
+Centaurea
+centaury
+basket flower
+dusty miller
+cornflower
+star-thistle
+knapweed
+sweet sultan
+lesser knapweed
+great knapweed
+Barnaby's thistle
+Chamaemelum
+chamomile
+genus Chaenactis
+chaenactis
+genus Chrysanthemum
+chrysanthemum
+corn marigold
+crown daisy
+chop-suey greens
+chrysanthemum
+Chrysopsis
+golden aster
+Maryland golden aster
+grass-leaved golden aster
+sickleweed golden aster
+Chrysothamnus
+goldenbush
+rabbit brush
+Cichorium
+chicory
+endive
+chicory
+Cirsium
+plume thistle
+Canada thistle
+field thistle
+woolly thistle
+European woolly thistle
+melancholy thistle
+brook thistle
+bull thistle
+Cnicus
+blessed thistle
+Conoclinium
+mistflower
+Conyza
+horseweed
+genus Coreopsis
+coreopsis
+subgenus Calliopsis
+giant coreopsis
+sea dahlia
+calliopsis
+genus Cosmos
+cosmos
+Cotula
+brass buttons
+Craspedia
+billy buttons
+Crepis
+hawk's-beard
+Cynara
+artichoke
+cardoon
+genus Dahlia
+dahlia
+Delairea
+German ivy
+Dendranthema
+florist's chrysanthemum
+Dimorphotheca
+cape marigold
+Doronicum
+leopard's-bane
+Echinacea
+coneflower
+Echinops
+globe thistle
+Elephantopus
+elephant's-foot
+Emilia
+tassel flower
+tassel flower
+Encelia
+brittlebush
+Enceliopsis
+sunray
+genus Engelmannia
+engelmannia
+genus Erechtites
+fireweed
+Erigeron
+fleabane
+blue fleabane
+daisy fleabane
+orange daisy
+spreading fleabane
+seaside daisy
+Philadelphia fleabane
+robin's plantain
+showy daisy
+Eriophyllum
+woolly sunflower
+golden yarrow
+Eupatorium
+hemp agrimony
+dog fennel
+Joe-Pye weed
+boneset
+Joe-Pye weed
+Felicia
+blue daisy
+kingfisher daisy
+genus Filago
+cotton rose
+herba impia
+genus Gaillardia
+gaillardia
+blanket flower
+genus Gazania
+gazania
+treasure flower
+Gerbera
+African daisy
+Barberton daisy
+Gerea
+desert sunflower
+Gnaphalium
+cudweed
+chafeweed
+Grindelia
+gumweed
+Grindelia robusta
+curlycup gumweed
+Gutierrezia
+matchweed
+little-head snakeweed
+rabbitweed
+broomweed
+Gynura
+velvet plant
+Haastia
+vegetable sheep
+Haplopappus
+goldenbush
+camphor daisy
+yellow spiny daisy
+Hazardia
+hoary golden bush
+Helenium
+sneezeweed
+autumn sneezeweed
+orange sneezeweed
+rosilla
+genus Helianthus
+sunflower
+swamp sunflower
+common sunflower
+giant sunflower
+showy sunflower
+Maximilian's sunflower
+prairie sunflower
+Jerusalem artichoke
+Jerusalem artichoke
+Helichrysum
+strawflower
+genus Heliopsis
+heliopsis
+Helipterum
+strawflower
+Heterotheca
+hairy golden aster
+Hieracium
+hawkweed
+king devil
+rattlesnake weed
+Homogyne
+alpine coltsfoot
+Hulsea
+alpine gold
+dwarf hulsea
+Hyalosperma
+Hypochaeris
+cat's-ear
+genus Inula
+inula
+elecampane
+genus Iva
+marsh elder
+burweed marsh elder
+genus Krigia
+krigia
+dwarf dandelion
+Lactuca
+lettuce
+garden lettuce
+cos lettuce
+head lettuce
+leaf lettuce
+celtuce
+prickly lettuce
+Lagenophera
+Lasthenia
+goldfields
+Layia
+tidytips
+Leontodon
+hawkbit
+fall dandelion
+Leontopodium
+edelweiss
+Leucanthemum
+oxeye daisy
+oxeye daisy
+shasta daisy
+Pyrenees daisy
+Leucogenes
+north island edelweiss
+Liatris
+blazing star
+dotted gayfeather
+dense blazing star
+Ligularia
+leopard plant
+Lindheimera
+Texas star
+Lonas
+African daisy
+Machaeranthera
+tahoka daisy
+sticky aster
+Mojave aster
+Madia
+tarweed
+common madia
+melosa
+madia oil
+Matricaria
+sweet false chamomile
+pineapple weed
+Melampodium
+blackfoot daisy
+Mikania
+climbing hempweed
+genus Mutisia
+mutisia
+Nabalus
+rattlesnake root
+white lettuce
+lion's foot
+Olearia
+daisybush
+muskwood
+New Zealand daisybush
+Onopordum
+cotton thistle
+genus Othonna
+othonna
+Ozothamnus
+cascade everlasting
+Packera
+butterweed
+golden groundsel
+Parthenium
+guayule
+bastard feverfew
+American feverfew
+Pericallis
+cineraria
+florest's cineraria
+Petasites
+butterbur
+winter heliotrope
+sweet coltsfoot
+Picris
+oxtongue
+Pilosella
+hawkweed
+orange hawkweed
+mouse-ear hawkweed
+Piqueria
+stevia
+Prenanthes
+rattlesnake root
+genus Pteropogon
+pteropogon
+Pulicaria
+fleabane
+Pyrethrum
+Raoulia
+sheep plant
+Ratibida
+coneflower
+Mexican hat
+long-head coneflower
+prairie coneflower
+genus Rhodanthe
+Swan River everlasting
+Rudbeckia
+coneflower
+black-eyed Susan
+cutleaved coneflower
+golden glow
+Santolina
+lavender cotton
+Sanvitalia
+creeping zinnia
+Saussurea
+costusroot
+Scolymus
+golden thistle
+Spanish oyster plant
+Senecio
+nodding groundsel
+dusty miller
+threadleaf groundsel
+butterweed
+ragwort
+arrowleaf groundsel
+groundsel
+genus Scorzonera
+black salsify
+Sericocarpus
+white-topped aster
+narrow-leaved white-topped aster
+Seriphidium
+silver sage
+sea wormwood
+big sagebrush
+Serratula
+sawwort
+Silphium
+rosinweed
+Silybum
+milk thistle
+Solidago
+goldenrod
+silverrod
+meadow goldenrod
+Missouri goldenrod
+alpine goldenrod
+grey goldenrod
+Blue Mountain tea
+dyer's weed
+seaside goldenrod
+narrow goldenrod
+Boott's goldenrod
+Elliott's goldenrod
+Ohio goldenrod
+rough-stemmed goldenrod
+showy goldenrod
+tall goldenrod
+zigzag goldenrod
+Sonchus
+sow thistle
+milkweed
+Stenotus
+stemless golden weed
+genus Stevia
+stevia
+Stokesia
+stokes' aster
+Tageteste
+marigold
+African marigold
+French marigold
+Tanacetum
+costmary
+camphor dune tansy
+painted daisy
+pyrethrum
+pyrethrum
+northern dune tansy
+feverfew
+dusty miller
+tansy
+Taraxacum
+dandelion
+common dandelion
+dandelion green
+Russian dandelion
+Tetraneuris
+stemless hymenoxys
+old man of the mountain
+genus Tithonia
+Mexican sunflower
+Townsendia
+Easter daisy
+Tragopogon
+yellow salsify
+salsify
+salsify
+meadow salsify
+Trilisa
+wild vanilla
+Tripleurospermum
+scentless camomile
+turfing daisy
+turfing daisy
+Tussilago
+coltsfoot
+genus Ursinia
+ursinia
+Verbesina
+Actinomeris
+crownbeard
+wingstem
+cowpen daisy
+gravelweed
+Virginia crownbeard
+genus Vernonia
+ironweed
+genus Wyethia
+mule's ears
+white-rayed mule's ears
+Xanthium
+cocklebur
+genus Xeranthemum
+xeranthemum
+immortelle
+genus Zinnia
+zinnia
+white zinnia
+little golden zinnia
+Loasaceae
+genus Loasa
+loasa
+Mentzelia
+blazing star
+bartonia
+achene
+samara
+bur
+Campanulaceae
+genus Campanula
+campanula
+harebell
+creeping bellflower
+Canterbury bell
+southern harebell
+tall bellflower
+marsh bellflower
+clustered bellflower
+peach bells
+chimney plant
+rampion
+throatwort
+tussock bellflower
+Orchidales
+Orchidaceae
+orchid
+genus Orchis
+orchis
+male orchis
+butterfly orchid
+showy orchis
+genus Aerides
+aerides
+genus Angrecum
+angrecum
+Anoectochilus
+jewel orchid
+Aplectrum
+puttyroot
+genus Arethusa
+arethusa
+bog rose
+genus Bletia
+bletia
+Bletilla
+Bletilla striata
+pseudobulb
+genus Brassavola
+brassavola
+Brassia
+spider orchid
+spider orchid
+genus Caladenia
+caladenia
+zebra orchid
+genus Calanthe
+calanthe
+Calopogon
+grass pink
+genus Calypso
+calypso
+Catasetum
+jumping orchid
+genus Cattleya
+cattleya
+Cephalanthera
+helleborine
+red helleborine
+Cleistes
+spreading pogonia
+rosebud orchid
+Coeloglossum
+satyr orchid
+frog orchid
+genus Coelogyne
+coelogyne
+Corallorhiza
+coral root
+spotted coral root
+striped coral root
+early coral root
+Coryanthes
+helmetflower
+Cycnoches
+swan orchid
+genus Cymbidium
+cymbid
+Cypripedium
+cypripedia
+lady's slipper
+moccasin flower
+common lady's-slipper
+ram's-head
+yellow lady's slipper
+large yellow lady's slipper
+California lady's slipper
+clustered lady's slipper
+mountain lady's slipper
+Dactylorhiza
+marsh orchid
+common spotted orchid
+genus Dendrobium
+dendrobium
+genus Disa
+disa
+Dracula
+Dryadella
+Eburophyton
+phantom orchid
+Encyclia
+tulip orchid
+butterfly orchid
+butterfly orchid
+Epidendrum
+epidendron
+Epipactis
+helleborine
+Epipactis helleborine
+stream orchid
+Glossodia
+tongueflower
+Goodyera
+rattlesnake plantain
+Grammatophyllum
+Gymnadenia
+fragrant orchid
+short-spurred fragrant orchid
+Gymnadeniopsis
+Habenaria
+fringed orchis
+frog orchid
+rein orchid
+bog rein orchid
+white fringed orchis
+elegant Habenaria
+purple-fringed orchid
+coastal rein orchid
+Hooker's orchid
+ragged orchid
+prairie orchid
+snowy orchid
+round-leaved rein orchid
+purple fringeless orchid
+purple-fringed orchid
+Alaska rein orchid
+Hexalectris
+crested coral root
+Texas purple spike
+Himantoglossum
+lizard orchid
+genus Laelia
+laelia
+genus Liparis
+liparis
+twayblade
+fen orchid
+Listera
+broad-leaved twayblade
+lesser twayblade
+twayblade
+Malaxis
+green adder's mouth
+genus Masdevallia
+masdevallia
+genus Maxillaria
+maxillaria
+Miltonia
+pansy orchid
+genus Odontoglossum
+odontoglossum
+genus Oncidium
+oncidium
+Ophrys
+bee orchid
+fly orchid
+spider orchid
+early spider orchid
+Paphiopedilum
+Venus' slipper
+genus Phaius
+phaius
+Phalaenopsis
+moth orchid
+butterfly plant
+Pholidota
+rattlesnake orchid
+Phragmipedium
+Platanthera
+lesser butterfly orchid
+greater butterfly orchid
+prairie white-fringed orchid
+Plectorrhiza
+tangle orchid
+Pleione
+Indian crocus
+genus Pleurothallis
+pleurothallis
+genus Pogonia
+pogonia
+Psychopsis
+butterfly orchid
+Psychopsis krameriana
+Psychopsis papilio
+Pterostylis
+helmet orchid
+Rhyncostylis
+foxtail orchid
+Sarcochilus
+orange-blossom orchid
+Scaphosepalum
+Schomburgkia
+Selenipedium
+genus Sobralia
+sobralia
+Spiranthes
+ladies' tresses
+screw augur
+hooded ladies' tresses
+western ladies' tresses
+European ladies' tresses
+genus Stanhopea
+stanhopea
+genus Stelis
+stelis
+Trichoceros
+fly orchid
+genus Vanda
+vanda
+blue orchid
+genus Vanilla
+vanilla
+vanilla orchid
+vanillin
+Burmanniaceae
+Burmannia
+Dioscoreaceae
+Dioscorea
+yam
+yam
+white yam
+cinnamon vine
+air potato
+elephant's-foot
+Hottentot bread
+wild yam
+cush-cush
+Tamus
+black bryony
+Primulales
+Primulaceae
+genus Primula
+primrose
+English primrose
+cowslip
+oxlip
+Chinese primrose
+auricula
+polyanthus
+Anagallis
+pimpernel
+scarlet pimpernel
+bog pimpernel
+Centunculus
+chaffweed
+genus Cyclamen
+cyclamen
+sowbread
+Glaux
+sea milkwort
+Hottonia
+featherfoil
+water gillyflower
+water violet
+Lysimachia
+loosestrife
+gooseneck loosestrife
+yellow pimpernel
+fringed loosestrife
+moneywort
+yellow loosestrife
+swamp candles
+whorled loosestrife
+Samolus
+water pimpernel
+brookweed
+brookweed
+Myrsinaceae
+Myrsine
+Ardisia
+coralberry
+marlberry
+Plumbaginales
+Plumbaginaceae
+genus Plumbago
+plumbago
+leadwort
+Armeria
+thrift
+cliff rose
+Limonium
+sea lavender
+Theophrastaceae
+Jacquinia
+bracelet wood
+barbasco
+Graminales
+Gramineae
+gramineous plant
+grass
+beach grass
+bunchgrass
+midgrass
+shortgrass
+sword grass
+tallgrass
+lemongrass
+herbage
+Aegilops
+goat grass
+Agropyron
+wheatgrass
+crested wheatgrass
+dog grass
+bearded wheatgrass
+western wheatgrass
+intermediate wheatgrass
+slender wheatgrass
+Agrostis
+bent
+velvet bent
+cloud grass
+creeping bent
+Alopecurus
+meadow foxtail
+foxtail
+Andropogon
+broom grass
+broom sedge
+Arrhenatherum
+tall oat grass
+Arundo
+toetoe
+giant reed
+Avena
+oat
+cereal oat
+wild oat
+slender wild oat
+wild red oat
+Bromus
+brome
+awnless bromegrass
+chess
+downy brome
+field brome
+Japanese brome
+Bouteloua
+grama
+blue grama
+black grama
+Buchloe
+buffalo grass
+Calamagrostis
+reed grass
+feather reed grass
+Australian reed grass
+Cenchrus
+burgrass
+sandbur
+buffel grass
+Chloris
+finger grass
+Rhodes grass
+windmill grass
+Cortaderia
+pampas grass
+plumed tussock
+Cynodon
+Bermuda grass
+giant star grass
+Dactylis
+orchard grass
+Dactyloctenium
+Egyptian grass
+Digitaria
+crabgrass
+smooth crabgrass
+large crabgrass
+Echinochloa
+barnyard grass
+Japanese millet
+Eleusine
+yardgrass
+finger millet
+Elymus
+lyme grass
+wild rye
+giant ryegrass
+sea lyme grass
+Canada wild rye
+medusa's head
+Eragrostis
+love grass
+teff
+weeping love grass
+Erianthus
+plume grass
+Ravenna grass
+Festuca
+fescue
+sheep fescue
+silver grass
+Glyceria
+manna grass
+reed meadow grass
+Holcus
+velvet grass
+creeping soft grass
+Hordeum
+barley
+common barley
+barleycorn
+barley grass
+squirreltail barley
+little barley
+Leymus
+Lolium
+rye grass
+perennial ryegrass
+Italian ryegrass
+darnel
+Muhlenbergia
+nimblewill
+Oryza
+rice
+cultivated rice
+Oryzopsis
+ricegrass
+mountain rice
+smilo
+Panicum
+panic grass
+witchgrass
+switch grass
+broomcorn millet
+goose grass
+genus Paspalum
+dallisgrass
+Bahia grass
+knotgrass
+Pennisetum
+pearl millet
+fountain grass
+feathertop
+Phalaris
+reed canary grass
+canary grass
+hardinggrass
+Phleum
+timothy
+Phragmites
+ditch reed
+Poa
+bluegrass
+meadowgrass
+Kentucky bluegrass
+wood meadowgrass
+Saccharum
+sugarcane
+sugarcane
+noble cane
+munj
+Schizachyrium
+broom beard grass
+bluestem
+Secale
+rye
+Setaria
+bristlegrass
+giant foxtail
+yellow bristlegrass
+green bristlegrass
+foxtail millet
+Siberian millet
+German millet
+millet
+cane
+rattan
+malacca
+reed
+genus Sorghum
+sorghum
+great millet
+grain sorghum
+durra
+feterita
+hegari
+kaoliang
+milo
+shallu
+sorgo
+Johnson grass
+broomcorn
+Spartina
+cordgrass
+salt reed grass
+prairie cordgrass
+Sporobolus
+dropseed
+smut grass
+sand dropseed
+rush grass
+Stenotaphrum
+St. Augustine grass
+grain
+cereal
+Triticum
+wheat
+wheat berry
+durum
+soft wheat
+common wheat
+spelt
+emmer
+wild wheat
+Zea
+corn
+corn
+mealie
+field corn
+corn
+sweet corn
+dent corn
+flint corn
+soft corn
+popcorn
+cornsilk
+Zizania
+wild rice
+genus Zoysia
+zoysia
+Manila grass
+Korean lawn grass
+mascarene grass
+Bambuseae
+bamboo
+bamboo
+Bambusa
+common bamboo
+Arundinaria
+giant cane
+small cane
+Dendrocalamus
+giant bamboo
+Phyllostachys
+fishpole bamboo
+black bamboo
+giant timber bamboo
+Cyperaceae
+sedge
+Cyperus
+umbrella plant
+chufa
+galingale
+papyrus
+nutgrass
+Carex
+sand sedge
+cypress sedge
+Eriophorum
+cotton grass
+common cotton grass
+Scirpus
+hardstem bulrush
+wool grass
+Eleocharis
+spike rush
+water chestnut
+needle spike rush
+creeping spike rush
+Pandanales
+Pandanaceae
+genus Pandanus
+pandanus
+textile screw pine
+pandanus
+Typhaceae
+Typha
+cattail
+cat's-tail
+lesser bullrush
+Sparganiaceae
+Sparganium
+bur reed
+grain
+kernel
+rye
+Cucurbitaceae
+cucurbit
+gourd
+gourd
+Cucurbita
+pumpkin
+squash
+summer squash
+yellow squash
+marrow
+zucchini
+cocozelle
+cymling
+spaghetti squash
+winter squash
+acorn squash
+hubbard squash
+turban squash
+buttercup squash
+butternut squash
+winter crookneck
+cushaw
+prairie gourd
+prairie gourd
+genus Bryonia
+bryony
+white bryony
+red bryony
+Citrullus
+melon
+watermelon
+Cucumis
+sweet melon
+cantaloupe
+winter melon
+net melon
+cucumber
+Ecballium
+squirting cucumber
+Lagenaria
+bottle gourd
+genus Luffa
+luffa
+loofah
+angled loofah
+loofa
+Momordica
+balsam apple
+balsam pear
+Goodeniaceae
+Goodenia
+Lobeliaceae
+genus Lobelia
+lobelia
+cardinal flower
+Indian tobacco
+water lobelia
+great lobelia
+Malvales
+Malvaceae
+Malva
+mallow
+musk mallow
+common mallow
+tall mallow
+Abelmoschus
+okra
+okra
+abelmosk
+Abutilon
+flowering maple
+velvetleaf
+Alcea
+hollyhock
+rose mallow
+genus Althaea
+althea
+marsh mallow
+Callirhoe
+poppy mallow
+fringed poppy mallow
+purple poppy mallow
+clustered poppy mallow
+Gossypium
+cotton
+tree cotton
+sea island cotton
+Levant cotton
+upland cotton
+Peruvian cotton
+Egyptian cotton
+wild cotton
+genus Hibiscus
+hibiscus
+kenaf
+kenaf
+Cuban bast
+sorrel tree
+rose mallow
+cotton rose
+China rose
+roselle
+rose of Sharon
+mahoe
+flower-of-an-hour
+Hoheria
+lacebark
+Iliamna
+wild hollyhock
+mountain hollyhock
+Kosteletzya
+seashore mallow
+salt marsh mallow
+Lavatera
+tree mallow
+Malacothamnus
+chaparral mallow
+genus Malope
+malope
+Malvastrum
+false mallow
+Malvaviscus
+waxmallow
+Napaea
+glade mallow
+genus Pavonia
+pavonia
+Plagianthus
+ribbon tree
+New Zealand cotton
+Radyera
+bush hibiscus
+Sida
+Virginia mallow
+Queensland hemp
+Indian mallow
+Sidalcea
+checkerbloom
+Sphaeralcea
+globe mallow
+prairie mallow
+Thespesia
+tulipwood tree
+tulipwood
+portia tree
+Bombacaceae
+Bombax
+red silk-cotton tree
+Adansonia
+cream-of-tartar tree
+baobab
+Ceiba
+kapok
+Durio
+durian
+genus Montezuma
+Montezuma
+Ochroma
+balsa
+balsa
+Pseudobombax
+shaving-brush tree
+Elaeocarpaceae
+Elaeocarpus
+quandong
+silver quandong
+quandong
+Aristotelia
+makomako
+Muntingia
+Jamaican cherry
+Sloanea
+breakax
+Sterculiaceae
+genus Sterculia
+sterculia
+Panama tree
+kalumpang
+Brachychiton
+bottle-tree
+flame tree
+flame tree
+kurrajong
+Queensland bottletree
+Cola
+kola
+kola nut
+genus Dombeya
+dombeya
+Firmiana
+Chinese parasol tree
+Fremontodendron
+flannelbush
+Helicteres
+screw tree
+nut-leaved screw tree
+Heritiera
+red beech
+looking glass tree
+looking-glass plant
+Hermannia
+honey bell
+Pterospermum
+mayeng
+Tarrietia
+silver tree
+Theobroma
+cacao
+Triplochiton
+obeche
+obeche
+Tiliaceae
+Tilia
+linden
+basswood
+American basswood
+small-leaved linden
+white basswood
+Japanese linden
+silver lime
+Entelea
+Corchorus
+corchorus
+Grewia
+phalsa
+Sparmannia
+African hemp
+herb
+vegetable
+simple
+Rosidae
+Umbellales
+Proteales
+Proteaceae
+Bartle Frere
+genus Protea
+protea
+honeypot
+honeyflower
+genus Banksia
+banksia
+honeysuckle
+Conospermum
+smoke bush
+Embothrium
+Chilean firebush
+Guevina
+Chilean nut
+genus Grevillea
+grevillea
+silk oak
+red-flowered silky oak
+silver oak
+silky oak
+beefwood
+Hakea
+cushion flower
+needlewood
+needlebush
+Knightia
+rewa-rewa
+Lambertia
+honeyflower
+Leucadendron
+silver tree
+genus Lomatia
+lomatia
+genus Macadamia
+macadamia
+Macadamia integrifolia
+macadamia nut
+Queensland nut
+Orites
+prickly ash
+Persoonia
+geebung
+Stenocarpus
+wheel tree
+scrub beefwood
+Telopea
+waratah
+waratah
+Xylomelum
+native pear
+Casuarinales
+Casuarinaceae
+genus Casuarina
+casuarina
+she-oak
+beefwood
+Australian pine
+beefwood
+Ericales
+Ericaceae
+heath
+genus Erica
+erica
+tree heath
+briarroot
+briarwood
+winter heath
+bell heather
+cross-leaved heath
+Cornish heath
+Spanish heath
+Prince-of-Wales'-heath
+genus Andromeda
+andromeda
+bog rosemary
+marsh andromeda
+genus Arbutus
+arbutus
+madrona
+strawberry tree
+Arctostaphylos
+bearberry
+common bearberry
+alpine bearberry
+manzanita
+heartleaf manzanita
+Parry manzanita
+downy manzanita
+Bruckenthalia
+spike heath
+genus Bryanthus
+bryanthus
+Calluna
+heather
+Cassiope
+white heather
+Chamaedaphne
+leatherleaf
+Daboecia
+Connemara heath
+Epigaea
+trailing arbutus
+Gaultheria
+creeping snowberry
+teaberry
+salal
+Gaylussacia
+huckleberry
+black huckleberry
+dangleberry
+box huckleberry
+genus Kalmia
+kalmia
+mountain laurel
+swamp laurel
+sheep laurel
+Ledum
+Labrador tea
+trapper's tea
+wild rosemary
+Leiophyllum
+sand myrtle
+genus Leucothoe
+leucothoe
+dog laurel
+sweet bells
+Loiseleuria
+alpine azalea
+Lyonia
+staggerbush
+maleberry
+fetterbush
+Menziesia
+false azalea
+minniebush
+Oxydendrum
+sorrel tree
+Phyllodoce
+mountain heath
+purple heather
+Pieris
+andromeda
+fetterbush
+genus Rhododendron
+rhododendron
+coast rhododendron
+rosebay
+swamp azalea
+subgenus Azalea
+azalea
+Vaccinium
+cranberry
+American cranberry
+European cranberry
+blueberry
+huckleberry
+farkleberry
+low-bush blueberry
+rabbiteye blueberry
+dwarf bilberry
+high-bush blueberry
+evergreen blueberry
+evergreen huckleberry
+bilberry
+bilberry
+bog bilberry
+dryland blueberry
+grouseberry
+deerberry
+cowberry
+Clethraceae
+Clethra
+sweet pepperbush
+Diapensiaceae
+Diapensiales
+genus Diapensia
+diapensia
+genus Galax
+galax
+Pyxidanthera
+pyxie
+genus Shortia
+shortia
+oconee bells
+Epacridaceae
+Australian heath
+genus Epacris
+epacris
+common heath
+common heath
+Port Jackson heath
+Astroloma
+native cranberry
+Richea
+Australian grass tree
+tree heath
+Styphelia
+pink fivecorner
+Lennoaceae
+Pyrolaceae
+genus Pyrola
+wintergreen
+false wintergreen
+lesser wintergreen
+wild lily of the valley
+wild lily of the valley
+Orthilia
+Chimaphila
+pipsissewa
+love-in-winter
+Moneses
+one-flowered wintergreen
+Monotropaceae
+Monotropa
+Indian pipe
+Hypopitys
+pinesap
+Sarcodes
+snow plant
+Fagales
+Fagaceae
+Fagus
+beech
+beech
+common beech
+copper beech
+American beech
+weeping beech
+Japanese beech
+Castanea
+chestnut
+chestnut
+American chestnut
+European chestnut
+Chinese chestnut
+Japanese chestnut
+Allegheny chinkapin
+Ozark chinkapin
+Castanopsis
+oak chestnut
+Chrysolepis
+giant chinkapin
+dwarf golden chinkapin
+Lithocarpus
+tanbark oak
+Japanese oak
+tanbark
+Nothofagus
+southern beech
+myrtle beech
+Coigue
+New Zealand beech
+silver beech
+roble beech
+rauli beech
+black beech
+hard beech
+acorn
+cup
+cupule
+Quercus
+oak
+oak
+fumed oak
+live oak
+coast live oak
+white oak
+American white oak
+Arizona white oak
+swamp white oak
+European turkey oak
+canyon oak
+scarlet oak
+jack oak
+red oak
+southern red oak
+Oregon white oak
+holm oak
+holm oak
+bear oak
+shingle oak
+bluejack oak
+California black oak
+American turkey oak
+laurel oak
+California white oak
+overcup oak
+bur oak
+scrub oak
+blackjack oak
+swamp chestnut oak
+Japanese oak
+chestnut oak
+chinquapin oak
+myrtle oak
+water oak
+Nuttall oak
+durmast
+basket oak
+pin oak
+willow oak
+dwarf chinkapin oak
+common oak
+northern red oak
+Shumard oak
+post oak
+cork oak
+Spanish oak
+huckleberry oak
+Chinese cork oak
+black oak
+southern live oak
+interior live oak
+mast
+Betulaceae
+Betula
+birch
+birch
+yellow birch
+American white birch
+grey birch
+silver birch
+downy birch
+black birch
+sweet birch
+Yukon white birch
+swamp birch
+Newfoundland dwarf birch
+Alnus
+alder
+alder
+common alder
+grey alder
+seaside alder
+white alder
+red alder
+speckled alder
+smooth alder
+green alder
+green alder
+Carpinaceae
+Carpinus
+hornbeam
+European hornbeam
+American hornbeam
+Ostrya
+hop hornbeam
+Old World hop hornbeam
+Eastern hop hornbeam
+Ostryopsis
+Corylaceae
+Corylus
+hazelnut
+hazel
+American hazel
+cobnut
+beaked hazelnut
+Gentianales
+Gentianaceae
+Centaurium
+centaury
+rosita
+lesser centaury
+tufted centaury
+seaside centaury
+broad leaved centaury
+slender centaury
+Eustoma
+prairie gentian
+Exacum
+Persian violet
+Frasera
+columbo
+green gentian
+Gentiana
+gentian
+gentianella
+closed gentian
+explorer's gentian
+closed gentian
+great yellow gentian
+marsh gentian
+soapwort gentian
+striped gentian
+Gentianella
+agueweed
+felwort
+Gentianopsis
+fringed gentian
+Gentianopsis crinita
+Gentianopsis detonsa
+Gentianopsid procera
+Gentianopsis thermalis
+tufted gentian
+Halenia
+spurred gentian
+genus Sabbatia
+sabbatia
+marsh pink
+prairia Sabbatia
+Swertia
+marsh felwort
+Salvadoraceae
+Salvadora
+toothbrush tree
+Oleaceae
+Oleales
+Olea
+olive tree
+olive
+olive
+olive
+black maire
+white maire
+Chionanthus
+fringe tree
+fringe bush
+genus Forestiera
+forestiera
+tanglebush
+genus Forsythia
+forsythia
+Fraxinus
+ash
+ash
+white ash
+swamp ash
+flowering ash
+flowering ash
+European ash
+Oregon ash
+black ash
+manna ash
+red ash
+green ash
+blue ash
+mountain ash
+pumpkin ash
+Arizona ash
+ash-key
+Jasminum
+jasmine
+primrose jasmine
+winter jasmine
+common jasmine
+Arabian jasmine
+Ligustrum
+privet
+Amur privet
+ibolium privet
+Japanese privet
+Chinese privet
+Ligustrum obtusifolium
+California privet
+common privet
+Osmanthus
+devilwood
+Phillyrea
+mock privet
+Syringa
+lilac
+Himalayan lilac
+Hungarian lilac
+Persian lilac
+Japanese tree lilac
+Japanese lilac
+common lilac
+manna
+Haemodoraceae
+bloodwort
+Haemodorum
+Anigozanthus
+kangaroo paw
+Hamamelidae
+Amentiferae
+Hamamelidanthum
+Hamamelidoxylon
+Hamamelites
+Hamamelidaceae
+Hamamelis
+witch hazel
+Virginian witch hazel
+vernal witch hazel
+Corylopsis
+winter hazel
+genus Fothergilla
+fothergilla
+genus Liquidambar
+liquidambar
+sweet gum
+sweet gum
+sweet gum
+Parrotia
+iron tree
+ironwood
+Parrotiopsis
+Juglandales
+Juglandaceae
+Juglans
+walnut
+walnut
+California black walnut
+butternut
+black walnut
+English walnut
+Carya
+hickory
+hickory
+water hickory
+pignut
+bitternut
+pecan
+pecan
+big shellbark
+nutmeg hickory
+shagbark
+mockernut
+Pterocarya
+wing nut
+Caucasian walnut
+Myrtales
+Combretaceae
+dhawa
+genus Combretum
+combretum
+hiccup nut
+bush willow
+bush willow
+Conocarpus
+button tree
+Laguncularia
+white mangrove
+Elaeagnaceae
+Elaeagnus
+oleaster
+wild olive
+silverberry
+Russian olive
+Haloragidaceae
+Myriophyllum
+water milfoil
+Lecythidaceae
+Grias
+anchovy pear
+Bertholletia
+brazil nut
+Lythraceae
+Lythrum
+loosestrife
+purple loosestrife
+grass poly
+Lagerstroemia
+crape myrtle
+Queen's crape myrtle
+pyinma
+Myrtaceae
+myrtaceous tree
+Myrtus
+myrtle
+common myrtle
+Pimenta
+bayberry
+allspice
+allspice tree
+Eugenia
+sour cherry
+nakedwood
+Surinam cherry
+rose apple
+genus Feijoa
+feijoa
+Jambos
+Myrciaria
+jaboticaba
+Psidium
+guava
+guava
+cattley guava
+Brazilian guava
+gum tree
+gumwood
+genus Eucalyptus
+eucalyptus
+eucalyptus
+flooded gum
+mallee
+stringybark
+smoothbark
+red gum
+red gum
+river red gum
+mountain swamp gum
+snow gum
+alpine ash
+white mallee
+white stringybark
+white mountain ash
+blue gum
+rose gum
+cider gum
+swamp gum
+spotted gum
+lemon-scented gum
+black mallee
+forest red gum
+mountain ash
+manna gum
+eucalyptus gum
+Syzygium
+clove
+clove
+Nyssaceae
+Nyssa
+tupelo
+water gum
+sour gum
+tupelo
+Onagraceae
+Circaea
+enchanter's nightshade
+Alpine enchanter's nightshade
+Circaea lutetiana
+Epilobium
+willowherb
+fireweed
+California fuchsia
+hairy willowherb
+genus Fuchsia
+fuchsia
+lady's-eardrop
+konini
+Oenothera
+evening primrose
+common evening primrose
+sundrops
+Missouri primrose
+Punicaceae
+Punica
+pomegranate
+Rhizophoraceae
+Rhizophora
+mangrove
+Thymelaeaceae
+genus Daphne
+daphne
+garland flower
+spurge laurel
+mezereon
+mezereum
+Dirca
+leatherwood
+Trapaceae
+Trapa
+water chestnut
+water caltrop
+ling
+Melastomataceae
+Melastoma
+Indian rhododendron
+Medinilla
+Medinilla magnifica
+Rhexia
+deer grass
+Musales
+Cannaceae
+genus Canna
+canna
+canna lily
+achira
+Marantaceae
+genus Maranta
+maranta
+arrowroot
+Musaceae
+Musa
+banana
+dwarf banana
+Japanese banana
+plantain
+edible banana
+abaca
+Ensete
+Abyssinian banana
+Strelitziaceae
+Strelitzia
+bird of paradise
+genus Ravenala
+traveler's tree
+Zingiberaceae
+Zingiber
+ginger
+common ginger
+Curcuma
+turmeric
+Alpinia
+galangal
+lesser galangal
+red ginger
+shellflower
+Aframomum
+grains of paradise
+Elettaria
+cardamom
+Dilleniidae
+Parietales
+Guttiferales
+Begoniaceae
+genus Begonia
+begonia
+fibrous-rooted begonia
+tuberous begonia
+rhizomatous begonia
+Christmas begonia
+angel-wing begonia
+grape-leaf begonia
+beefsteak begonia
+star begonia
+rex begonia
+wax begonia
+Socotra begonia
+hybrid tuberous begonia
+Dilleniaceae
+genus Dillenia
+dillenia
+Hibbertia
+guinea gold vine
+Guttiferae
+Calophyllum
+poon
+poon
+calaba
+Maria
+laurelwood
+Alexandrian laurel
+genus Clusia
+clusia
+wild fig
+waxflower
+pitch apple
+Garcinia
+mangosteen
+gamboge tree
+Hypericaceae
+Hypericum
+St John's wort
+common St John's wort
+great St John's wort
+creeping St John's wort
+orange grass
+St Andrews's cross
+low St Andrew's cross
+klammath weed
+shrubby St John's wort
+St Peter's wort
+marsh St-John's wort
+Mammea
+mammee apple
+Mesua
+rose chestnut
+Actinidiaceae
+Actinidia
+bower actinidia
+Chinese gooseberry
+silvervine
+Canellaceae
+genus Canella
+wild cinnamon
+canella
+Caricaceae
+Carica
+papaya
+Caryocaraceae
+Caryocar
+souari
+Cistaceae
+Cistus
+rockrose
+white-leaved rockrose
+common gum cistus
+labdanum
+genus Helianthemum
+helianthemum
+frostweed
+rockrose
+rush rose
+Hudsonia
+false heather
+beach heather
+Dipterocarpaceae
+dipterocarp
+Shorea
+red lauan
+red lauan
+Flacourtiaceae
+Flacourtia
+governor's plum
+Dovyalis
+kei apple
+ketembilla
+Hydnocarpus
+chaulmoogra
+Hydnocarpus laurifolia
+hydnocarpus oil
+genus Idesia
+idesia
+Kiggelaria
+wild peach
+genus Xylosma
+xylosma
+Fouquieriaceae
+candlewood
+Fouquieria
+ocotillo
+boojum tree
+Ochnaceae
+Ochna
+bird's-eye bush
+Passifloraceae
+Passiflora
+passionflower
+granadilla
+granadilla
+granadilla
+maypop
+Jamaica honeysuckle
+banana passion fruit
+sweet calabash
+love-in-a-mist
+Resedaceae
+genus Reseda
+reseda
+mignonette
+dyer's rocket
+Tamaricaceae
+Tamarix
+tamarisk
+Myricaria
+false tamarisk
+halophyte
+Violaceae
+Viola
+viola
+violet
+field pansy
+American dog violet
+sweet white violet
+Canada violet
+dog violet
+horned violet
+two-eyed violet
+sweet violet
+bird's-foot violet
+downy yellow violet
+long-spurred violet
+pale violet
+hedge violet
+pansy
+wild pansy
+Hybanthus
+Hymenanthera
+Melicytus
+Urticales
+Urticaceae
+nettle
+Urtica
+stinging nettle
+Roman nettle
+Boehmeria
+false nettle
+ramie
+Helxine
+baby's tears
+Laportea
+wood nettle
+Australian nettle
+Parietaria
+pellitory-of-the-wall
+Pilea
+richweed
+artillery plant
+friendship plant
+Pipturus
+Queensland grass-cloth plant
+Pipturus albidus
+Cannabidaceae
+genus Cannabis
+cannabis
+marijuana
+Indian hemp
+Humulus
+hop
+common hop
+American hop
+Japanese hop
+Moraceae
+Morus
+mulberry
+white mulberry
+black mulberry
+red mulberry
+Maclura
+osage orange
+Artocarpus
+breadfruit
+jackfruit
+marang
+Ficus
+fig tree
+fig
+caprifig
+golden fig
+banyan
+pipal
+India-rubber tree
+mistletoe fig
+Port Jackson fig
+sycamore
+Broussonetia
+paper mulberry
+Cecropiaceae
+Cecropia
+trumpetwood
+Ulmaceae
+Ulmus
+elm
+elm
+winged elm
+American elm
+smooth-leaved elm
+cedar elm
+witch elm
+Dutch elm
+Huntingdon elm
+water elm
+Chinese elm
+English elm
+Siberian elm
+slippery elm
+Jersey elm
+September elm
+rock elm
+Celtis
+hackberry
+European hackberry
+American hackberry
+sugarberry
+Planera
+Trema
+Liliidae
+Liliales
+Iridaceae
+iridaceous plant
+genus Iris
+iris
+bearded iris
+beardless iris
+bulbous iris
+orrisroot
+dwarf iris
+Dutch iris
+Florentine iris
+stinking iris
+German iris
+Japanese iris
+German iris
+Dalmatian iris
+Persian iris
+yellow iris
+Dutch iris
+dwarf iris
+blue flag
+southern blue flag
+English iris
+Spanish iris
+falls
+Belamcanda
+blackberry-lily
+genus Crocus
+crocus
+saffron
+genus Freesia
+freesia
+genus Gladiolus
+gladiolus
+Ixia
+corn lily
+Sisyrinchium
+blue-eyed grass
+Sparaxis
+wandflower
+Amaryllidaceae
+amaryllis
+genus Amaryllis
+belladonna lily
+Bomarea
+salsilla
+salsilla
+Haemanthus
+blood lily
+Cape tulip
+genus Hippeastrum
+hippeastrum
+genus Narcissus
+narcissus
+daffodil
+jonquil
+jonquil
+paper white
+Strekelia
+Jacobean lily
+Hypoxidaceae
+Hypoxis
+star grass
+American star grass
+Liliaceae
+liliaceous plant
+Lilium
+lily
+mountain lily
+Canada lily
+Madonna lily
+tiger lily
+Columbia tiger lily
+tiger lily
+Easter lily
+coast lily
+Turk's-cap
+Michigan lily
+leopard lily
+wood lily
+Turk's-cap
+genus Agapanthus
+agapanthus
+African lily
+genus Albuca
+albuca
+Aletris
+colicroot
+ague root
+yellow colicroot
+Alliaceae
+Allium
+alliaceous plant
+wild onion
+Hooker's onion
+wild leek
+Canada garlic
+keeled garlic
+onion
+onion
+shallot
+shallot
+tree onion
+nodding onion
+Welsh onion
+red-skinned onion
+leek
+daffodil garlic
+few-flowered leek
+garlic
+sand leek
+chives
+ramp
+crow garlic
+wild garlic
+garlic chive
+round-headed leek
+three-cornered leek
+Aloeaceae
+genus Aloe
+aloe
+cape aloe
+burn plant
+genus Kniphofia
+kniphofia
+poker plant
+red-hot poker
+Alstroemeriaceae
+genus Alstroemeria
+alstroemeria
+Peruvian lily
+Amianthum
+fly poison
+Anthericum
+Saint-Bernard's-lily
+amber lily
+Aphyllanthaceae
+Aphyllanthes
+Asparagaceae
+genus Asparagus
+asparagus
+asparagus fern
+smilax
+Asphodelaceae
+asphodel
+Asphodeline
+Jacob's rod
+king's spear
+Asphodelus
+genus Aspidistra
+aspidistra
+Bessera
+coral drops
+Blandfordia
+Christmas bells
+Bloomeria
+golden star
+Bowiea
+climbing onion
+genus Brodiaea
+brodiaea
+elegant brodiaea
+Calochortus
+mariposa
+globe lily
+cat's-ear
+white globe lily
+yellow globe lily
+rose globe lily
+star tulip
+desert mariposa tulip
+yellow mariposa tulip
+sagebrush mariposa tulip
+sego lily
+Camassia
+camas
+common camas
+Leichtlin's camas
+wild hyacinth
+Erythronium
+dogtooth violet
+white dogtooth violet
+yellow adder's tongue
+European dogtooth
+fawn lily
+glacier lily
+avalanche lily
+Fritillaria
+fritillary
+mission bells
+mission bells
+stink bell
+crown imperial
+white fritillary
+snake's head fritillary
+brown bells
+adobe lily
+scarlet fritillary
+Tulipa
+tulip
+dwarf tulip
+lady tulip
+Tulipa gesneriana
+cottage tulip
+Darwin tulip
+Colchicaceae
+Colchicum
+autumn crocus
+genus Gloriosa
+gloriosa
+Hemerocallidaceae
+Hemerocallis
+day lily
+lemon lily
+Hostaceae
+Hosta
+plantain lily
+Hyacinthaceae
+genus Hyacinthus
+hyacinth
+common hyacinth
+Roman hyacinth
+summer hyacinth
+Hyacinthoides
+wild hyacinth
+Ornithogalum
+star-of-Bethlehem
+starflower
+bath asparagus
+chincherinchee
+Muscari
+grape hyacinth
+common grape hyacinth
+tassel hyacinth
+genus Scilla
+scilla
+spring squill
+Tofieldia
+false asphodel
+Scotch asphodel
+Urginea
+sea squill
+squill
+Ruscus
+butcher's broom
+Melanthiaceae
+Narthecium
+bog asphodel
+European bog asphodel
+American bog asphodel
+Veratrum
+hellebore
+white hellebore
+Ruscaceae
+Tecophilaeacea
+Xerophyllum
+squaw grass
+Xanthorrhoeaceae
+Xanthorroea
+grass tree
+Zigadenus
+death camas
+alkali grass
+white camas
+poison camas
+grassy death camas
+Trilliaceae
+genus Trillium
+trillium
+prairie wake-robin
+dwarf-white trillium
+purple trillium
+red trillium
+Paris
+herb Paris
+Smilacaceae
+Smilax
+sarsaparilla
+sarsaparilla root
+bullbrier
+rough bindweed
+Convallariaceae
+Convallaria
+lily of the valley
+genus Clintonia
+clintonia
+red Clintonia
+yellow clintonia
+queen's cup
+Liriope
+lilyturf
+Maianthemum
+false lily of the valley
+false lily of the valley
+Polygonatum
+Solomon's-seal
+great Solomon's-seal
+Uvulariaceae
+Uvularia
+bellwort
+strawflower
+Taccaceae
+Tacca
+pia
+Agavaceae
+agave
+genus Agave
+American agave
+sisal
+maguey
+maguey
+Agave tequilana
+cantala
+Cordyline
+ti
+cabbage tree
+Dracenaceae
+genus Dracaena
+dracaena
+dragon tree
+Nolina
+bear grass
+Polianthes
+tuberose
+genus Sansevieria
+sansevieria
+African bowstring hemp
+Ceylon bowstring hemp
+mother-in-law's tongue
+bowstring hemp
+genus Yucca
+yucca
+Spanish bayonet
+Spanish bayonet
+Joshua tree
+Spanish dagger
+soapweed
+Adam's needle
+bear grass
+Spanish dagger
+bear grass
+Our Lord's candle
+Menyanthaceae
+Menyanthes
+water shamrock
+Loganiaceae
+Logania
+genus Buddleia
+butterfly bush
+Gelsemium
+yellow jasmine
+Linaceae
+Linum
+flax
+Physostigma
+calabar-bean vine
+calabar bean
+physostigmine
+Caesalpiniaceae
+Caesalpinioideae
+Caesalpinia
+bonduc
+divi-divi
+divi-divi
+Mysore thorn
+brazilwood
+brazilwood
+brazilian ironwood
+bird of paradise
+pride of barbados
+Acrocarpus
+shingle tree
+Bauhinia
+butterfly flower
+mountain ebony
+Brachystegia
+msasa
+genus Cassia
+cassia
+golden shower tree
+pink shower
+rainbow shower
+horse cassia
+Ceratonia
+carob
+carob
+Cercidium
+paloverde
+Chamaecrista
+partridge pea
+Delonix
+royal poinciana
+locust tree
+locust
+Gleditsia
+water locust
+honey locust
+Gymnocladus
+Kentucky coffee tree
+Haematoxylum
+logwood
+logwood
+Parkinsonia
+Jerusalem thorn
+palo verde
+Petteria
+Dalmatian laburnum
+Poinciana
+genus Senna
+senna
+ringworm bush
+avaram
+Alexandria senna
+wild senna
+sicklepod
+coffee senna
+Tamarindus
+tamarind
+Papilionaceae
+Papilionoideae
+genus Amorpha
+amorpha
+leadplant
+false indigo
+false indigo
+Amphicarpaea
+hog peanut
+Anagyris
+bean trefoil
+Andira
+angelim
+cabbage bark
+Anthyllis
+Jupiter's beard
+kidney vetch
+Apios
+groundnut
+Aspalathus
+rooibos
+Astragalus
+milk vetch
+wild licorice
+alpine milk vetch
+purple milk vetch
+Baphia
+camwood
+Baptisia
+wild indigo
+blue false indigo
+white false indigo
+indigo broom
+Butea
+dhak
+Cajanus
+pigeon pea
+Canavalia
+jack bean
+sword bean
+genus Caragana
+pea tree
+Siberian pea tree
+Chinese pea tree
+Castanospermum
+Moreton Bay chestnut
+Centrosema
+butterfly pea
+Cercis
+Judas tree
+redbud
+western redbud
+Chamaecytisus
+tagasaste
+Chordospartium
+weeping tree broom
+Chorizema
+flame pea
+Cicer
+chickpea
+chickpea
+Cladrastis
+Kentucky yellowwood
+genus Clianthus
+glory pea
+desert pea
+parrot's beak
+Clitoria
+butterfly pea
+blue pea
+Codariocalyx
+telegraph plant
+Colutea
+bladder senna
+genus Coronilla
+coronilla
+axseed
+genus Crotalaria
+crotalaria
+American rattlebox
+Indian rattlebox
+Cyamopsis
+guar
+Cytisus
+broom
+white broom
+common broom
+witches' broom
+Dalbergia
+rosewood
+rosewood
+Indian blackwood
+sissoo
+kingwood
+kingwood
+Brazilian rosewood
+Honduras rosewood
+cocobolo
+granadilla wood
+blackwood
+blackwood
+Dalea
+smoke tree
+Daviesia
+bitter pea
+genus Derris
+derris
+derris root
+Desmanthus
+prairie mimosa
+Desmodium
+tick trefoil
+beggarweed
+Dipogon
+Australian pea
+Dolichos
+genus Erythrina
+coral tree
+kaffir boom
+coral bean tree
+ceibo
+kaffir boom
+Indian coral tree
+cork tree
+Galega
+goat's rue
+genus Gastrolobium
+poison bush
+Genista
+broom tree
+Spanish broom
+woodwaxen
+Geoffroea
+chanar
+genus Gliricidia
+gliricidia
+Glycine
+soy
+soy
+Glycyrrhiza
+licorice
+wild licorice
+licorice root
+Halimodendron
+salt tree
+Hardenbergia
+Western Australia coral pea
+Hedysarum
+sweet vetch
+French honeysuckle
+Hippocrepis
+horseshoe vetch
+genus Hovea
+hovea
+Indigofera
+indigo
+anil
+Jacksonia
+Kennedia
+coral pea
+coral vine
+scarlet runner
+Lablab
+hyacinth bean
+Laburnum
+Scotch laburnum
+common laburnum
+Lathyrus
+vetchling
+wild pea
+singletary pea
+everlasting pea
+broad-leaved everlasting pea
+beach pea
+black pea
+grass vetch
+sweet pea
+marsh pea
+common vetchling
+grass pea
+pride of California
+flat pea
+Tangier pea
+heath pea
+spring vetchling
+genus Lespedeza
+bush clover
+bicolor lespediza
+japanese clover
+Korean lespedeza
+sericea lespedeza
+Lens
+lentil
+lentil
+Lonchocarpus
+cube
+Lotus
+prairie bird's-foot trefoil
+coral gem
+bird's foot trefoil
+winged pea
+Lupinus
+lupine
+white lupine
+tree lupine
+yellow lupine
+wild lupine
+bluebonnet
+Texas bluebonnet
+Macrotyloma
+horse gram
+Medicago
+medic
+moon trefoil
+sickle alfalfa
+Calvary clover
+black medick
+alfalfa
+genus Millettia
+millettia
+genus Mucuna
+mucuna
+cowage
+cowage
+Myroxylon
+tolu tree
+Peruvian balsam
+tolu
+balsam of Peru
+Onobrychis
+sainfoin
+Ononis
+restharrow
+restharrow
+Ormosia
+necklace tree
+bead tree
+jumby bead
+Oxytropis
+locoweed
+purple locoweed
+tumbleweed
+Pachyrhizus
+yam bean
+yam bean
+Parochetus
+shamrock pea
+Phaseolus
+bean
+bush bean
+pole bean
+common bean
+kidney bean
+green bean
+haricot
+wax bean
+scarlet runner
+shell bean
+lima bean
+sieva bean
+tepary bean
+Pickeringia
+chaparral pea
+Piscidia
+Jamaica dogwood
+Pisum
+pea
+pea
+garden pea
+garden pea
+edible-pod pea
+snow pea
+sugar snap pea
+field pea
+field pea
+Platylobium
+flat pea
+common flat pea
+Platymiscium
+quira
+roble
+Panama redwood tree
+Panama redwood
+Podalyria
+Pongamia
+Indian beech
+Psophocarpus
+winged bean
+Psoralea
+breadroot
+Pterocarpus
+bloodwood tree
+padauk
+amboyna
+Burma padauk
+kino
+East India kino
+red sandalwood
+ruby wood
+Pueraria
+kudzu
+Retama
+retem
+Robinia
+bristly locust
+black locust
+black locust
+clammy locust
+Sabinea
+carib wood
+genus Sesbania
+sesbania
+Colorado River hemp
+scarlet wisteria tree
+Sophora
+Japanese pagoda tree
+mescal bean
+kowhai
+Spartium
+Spanish broom
+Strongylodon
+jade vine
+Templetonia
+coral bush
+Tephrosia
+hoary pea
+bastard indigo
+catgut
+Thermopsis
+bush pea
+false lupine
+Carolina lupine
+Tipuana
+tipu
+Trigonella
+bird's foot trefoil
+fenugreek
+Ulex
+gorse
+Vicia
+vetch
+tare
+tufted vetch
+broad bean
+broad bean
+bitter betch
+spring vetch
+bush vetch
+hairy vetch
+Vigna
+moth bean
+adzuki bean
+snailflower
+mung
+cowpea
+cowpea
+asparagus bean
+Viminaria
+swamp oak
+Virgilia
+keurboom
+keurboom
+genus Wisteria
+wisteria
+Japanese wistaria
+Chinese wistaria
+American wistaria
+silky wisteria
+Palmales
+Palmae
+palm
+sago palm
+feather palm
+fan palm
+palmetto
+Acrocomia
+coyol
+grugru
+genus Areca
+areca
+betel palm
+Arenga
+sugar palm
+Attalea
+piassava palm
+coquilla nut
+Borassus
+palmyra
+bassine
+genus Calamus
+calamus
+rattan
+lawyer cane
+Caryota
+fishtail palm
+wine palm
+Ceroxylon
+wax palm
+Cocos
+coconut
+coir
+Copernicia
+carnauba
+carnauba wax
+caranday
+genus Corozo
+corozo
+Corypha
+gebang palm
+latanier
+talipot
+Elaeis
+oil palm
+African oil palm
+American oil palm
+palm nut
+Euterpe
+cabbage palm
+Livistona
+cabbage palm
+Metroxylon
+true sago palm
+Nipa
+nipa palm
+Orbignya
+babassu
+babassu nut
+babassu oil
+cohune palm
+cohune nut
+cohune-nut oil
+phoenicophorium
+phoenix
+date palm
+phytelephas
+ivory palm
+ivory nut
+Raffia
+raffia palm
+raffia
+jupati
+bamboo palm
+Rhapis
+lady palm
+miniature fan palm
+reed rhapis
+Roystonea
+royal palm
+cabbage palm
+Sabal
+cabbage palmetto
+Serenoa
+saw palmetto
+Thrinax
+thatch palm
+key palm
+Plantaginales
+Plantaginaceae
+Plantago
+plantain
+English plantain
+broad-leaved plantain
+hoary plantain
+fleawort
+rugel's plantain
+hoary plantain
+Polygonales
+Polygonaceae
+Polygonum
+silver lace vine
+Fagopyrum
+buckwheat
+prince's-feather
+genus Eriogonum
+eriogonum
+umbrella plant
+wild buckwheat
+Rheum
+rhubarb
+Himalayan rhubarb
+pie plant
+Chinese rhubarb
+Rumex
+dock
+sour dock
+sheep sorrel
+bitter dock
+French sorrel
+Xyridales
+Xyridaceae
+Xyris
+yellow-eyed grass
+tall yellow-eye
+Commelinaceae
+genus Commelina
+commelina
+spiderwort
+St.-Bruno's-lily
+Tradescantia
+Bromeliaceae
+Ananas
+pineapple
+Bromelia
+Tillandsia
+Spanish moss
+Mayacaceae
+Mayaca
+Rapateaceae
+Eriocaulaceae
+Eriocaulon
+pipewort
+Pontederiaceae
+Pontederia
+pickerelweed
+Eichhornia
+water hyacinth
+Heteranthera
+water star grass
+Naiadales
+Naiadaceae
+Naias
+naiad
+Alismataceae
+Alisma
+water plantain
+Sagittaria
+common arrowhead
+ribbon-leaved water plantain
+narrow-leaved water plantain
+Hydrocharitaceae
+Hydrocharis
+frogbit
+genus Hydrilla
+hydrilla
+Limnobium
+American frogbit
+Elodea
+waterweed
+Canadian pondweed
+dense-leaved elodea
+Egeria
+Vallisneria
+tape grass
+Potamogetonaceae
+pondweed
+Potamogeton
+curled leaf pondweed
+variously-leaved pondweed
+loddon pondweed
+Groenlandia
+frog's lettuce
+Scheuchzeriaceae
+Triglochin
+arrow grass
+Zannichelliaceae
+Zannichellia
+horned pondweed
+Zosteraceae
+Zostera
+eelgrass
+Rosales
+Rosaceae
+Rosa
+rose
+hip
+mountain rose
+ground rose
+banksia rose
+dog rose
+China rose
+damask rose
+sweetbrier
+brier
+Cherokee rose
+multiflora
+musk rose
+tea rose
+genus Agrimonia
+agrimonia
+harvest-lice
+fragrant agrimony
+Amelanchier
+Juneberry
+alderleaf Juneberry
+Bartram Juneberry
+Chaenomeles
+flowering quince
+japonica
+Japanese quince
+Chrysobalanus
+coco plum
+genus Cotoneaster
+cotoneaster
+Cotoneaster dammeri
+Cotoneaster horizontalis
+Crataegus
+hawthorn
+parsley haw
+scarlet haw
+blackthorn
+cockspur thorn
+mayhaw
+whitethorn
+English hawthorn
+red haw
+evergreen thorn
+red haw
+Cydonia
+quince
+Dryas
+mountain avens
+Eriobotrya
+loquat
+Fragaria
+strawberry
+garden strawberry
+wild strawberry
+beach strawberry
+Virginia strawberry
+Geum
+avens
+yellow avens
+bennet
+yellow avens
+water avens
+prairie smoke
+herb bennet
+bennet
+Heteromeles
+toyon
+Malus
+apple tree
+applewood
+apple
+wild apple
+crab apple
+Siberian crab
+wild crab
+American crab apple
+Oregon crab apple
+Southern crab apple
+Iowa crab
+Bechtel crab
+Mespilus
+medlar
+Photinia
+Potentilla
+cinquefoil
+silverweed
+Poterium
+salad burnet
+Prunus
+plum
+wild plum
+Allegheny plum
+American red plum
+chickasaw plum
+beach plum
+common plum
+bullace
+damson plum
+big-tree plum
+Canada plum
+plumcot
+apricot
+Japanese apricot
+common apricot
+purple apricot
+cherry
+cherry
+wild cherry
+wild cherry
+sweet cherry
+heart cherry
+gean
+Western sand cherry
+capulin
+cherry laurel
+cherry plum
+sour cherry
+amarelle
+morello
+marasca
+marasca
+Amygdalaceae
+Amygdalus
+almond tree
+almond
+bitter almond
+almond oil
+bitter almond oil
+jordan almond
+dwarf flowering almond
+holly-leaved cherry
+fuji
+flowering almond
+cherry laurel
+Catalina cherry
+bird cherry
+hagberry tree
+hagberry
+pin cherry
+peach
+nectarine
+sand cherry
+Japanese plum
+black cherry
+flowering cherry
+oriental cherry
+Japanese flowering cherry
+blackthorn
+Sierra plum
+rosebud cherry
+Russian almond
+flowering almond
+chokecherry
+chokecherry
+western chokecherry
+genus Pyracantha
+Pyracantha
+Pyrus
+pear
+fruit tree
+fruitwood
+Rubus
+bramble bush
+lawyerbush
+stone bramble
+blackberry
+true blackberry
+sand blackberry
+dewberry
+western blackberry
+boysenberry
+loganberry
+American dewberry
+Northern dewberry
+Southern dewberry
+swamp dewberry
+European dewberry
+raspberry
+red raspberry
+wild raspberry
+American raspberry
+black raspberry
+salmonberry
+salmonberry
+cloudberry
+flowering raspberry
+wineberry
+Sorbus
+mountain ash
+rowan
+rowanberry
+American mountain ash
+Western mountain ash
+service tree
+wild service tree
+Spiraea
+spirea
+bridal wreath
+Rubiales
+Rubiaceae
+madderwort
+Rubia
+Indian madder
+madder
+Asperula
+woodruff
+dyer's woodruff
+Calycophyllum
+dagame
+Chiococca
+blolly
+Coffea
+coffee
+Arabian coffee
+Liberian coffee
+robusta coffee
+genus Cinchona
+cinchona
+Cartagena bark
+calisaya
+cinchona tree
+cinchona
+Galium
+bedstraw
+sweet woodruff
+Northern bedstraw
+yellow bedstraw
+wild licorice
+cleavers
+wild madder
+genus Gardenia
+gardenia
+cape jasmine
+genus Genipa
+genipa
+genipap fruit
+genus Hamelia
+hamelia
+scarlet bush
+Mitchella
+partridgeberry
+Nauclea
+opepe
+Pinckneya
+fever tree
+Psychotria
+lemonwood
+lemonwood
+Sarcocephalus
+negro peach
+Vangueria
+wild medlar
+Spanish tamarind
+Caprifoliaceae
+genus Abelia
+abelia
+Diervilla
+bush honeysuckle
+bush honeysuckle
+Kolkwitzia
+beauty bush
+Leycesteria
+Himalaya honeysuckle
+Linnaea
+twinflower
+American twinflower
+Lonicera
+honeysuckle
+white honeysuckle
+American fly honeysuckle
+Italian honeysuckle
+yellow honeysuckle
+yellow honeysuckle
+hairy honeysuckle
+twinberry
+Japanese honeysuckle
+Hall's honeysuckle
+Morrow's honeysuckle
+woodbine
+trumpet honeysuckle
+bush honeysuckle
+European fly honeysuckle
+swamp fly honeysuckle
+Symphoricarpos
+snowberry
+coralberry
+Sambucus
+elder
+American elder
+blue elder
+dwarf elder
+bourtree
+American red elder
+European red elder
+Triostium
+feverroot
+Viburnum
+cranberry bush
+wayfaring tree
+guelder rose
+arrow wood
+arrow wood
+black haw
+genus Weigela
+weigela
+Dipsacaceae
+Dipsacus
+teasel
+common teasel
+fuller's teasel
+wild teasel
+genus Scabiosa
+scabious
+sweet scabious
+field scabious
+Balsaminaceae
+genus Impatiens
+jewelweed
+Geraniales
+Geraniaceae
+geranium
+genus Geranium
+cranesbill
+wild geranium
+meadow cranesbill
+Richardson's geranium
+herb robert
+sticky geranium
+dove's foot geranium
+Pelargonium
+rose geranium
+fish geranium
+ivy geranium
+apple geranium
+lemon geranium
+Erodium
+storksbill
+redstem storksbill
+musk clover
+Texas storksbill
+Erythroxylaceae
+Erythroxylon
+Erythroxylon coca
+Erythroxylon truxiuense
+Burseraceae
+incense tree
+elemi
+Bursera
+elephant tree
+gumbo-limbo
+Boswellia
+Boswellia carteri
+salai
+Commiphora
+balm of gilead
+myrrh tree
+myrrh
+Protium
+Protium heptaphyllum
+Protium guianense
+incense wood
+Callitrichaceae
+Callitriche
+water starwort
+Malpighiaceae
+Malpighia
+jiqui
+barbados cherry
+Meliaceae
+mahogany
+mahogany
+Melia
+chinaberry
+Azadirachta
+neem
+neem seed
+Cedrela
+Spanish cedar
+Chloroxylon
+satinwood
+satinwood
+Entandrophragma
+African scented mahogany
+Flindersia
+silver ash
+native beech
+bunji-bunji
+Khaya
+African mahogany
+genus Lansium
+lanseh tree
+Lovoa
+African walnut
+Swietinia
+true mahogany
+Honduras mahogany
+Toona
+Philippine mahogany
+Philippine mahogany
+cigar-box cedar
+genus Turreae
+turreae
+Lepidobotryaceae
+genus Lepidobotrys
+lepidobotrys
+Ruptiliocarpon
+caracolito
+Oxalidaceae
+genus Oxalis
+oxalis
+common wood sorrel
+Bermuda buttercup
+creeping oxalis
+goatsfoot
+violet wood sorrel
+oca
+Averrhoa
+carambola
+bilimbi
+Polygalaceae
+Polygala
+milkwort
+senega
+orange milkwort
+flowering wintergreen
+Seneca snakeroot
+senega
+common milkwort
+Rutaceae
+Ruta
+rue
+genus Citrus
+citrus
+orange
+orangewood
+sour orange
+bergamot
+pomelo
+citron
+citronwood
+grapefruit
+mandarin
+tangerine
+clementine
+satsuma
+sweet orange
+temple orange
+tangelo
+rangpur
+lemon
+sweet lemon
+lime
+Citroncirus
+citrange
+Dictamnus
+fraxinella
+Fortunella
+kumquat
+marumi
+nagami
+Phellodendron
+cork tree
+Poncirus
+trifoliate orange
+Zanthoxylum
+prickly ash
+toothache tree
+Hercules'-club
+satinwood
+Simaroubaceae
+bitterwood tree
+Simarouba
+marupa
+paradise tree
+genus Ailanthus
+ailanthus
+tree of heaven
+Irvingia
+wild mango
+Kirkia
+pepper tree
+Picrasma
+Jamaica quassia
+Jamaica quassia
+genus Quassia
+quassia
+Tropaeolaceae
+Tropaeolum
+nasturtium
+garden nasturtium
+bush nasturtium
+canarybird flower
+Zygophyllaceae
+Zygophyllum
+bean caper
+Bulnesia
+palo santo
+guaiac wood
+Guaiacum
+lignum vitae
+lignum vitae
+bastard lignum vitae
+guaiacum
+Larrea
+creosote bush
+Sonora gum
+Tribulus
+caltrop
+Salicales
+Salicaceae
+Salix
+willow
+osier
+white willow
+silver willow
+golden willow
+cricket-bat willow
+arctic willow
+weeping willow
+Wisconsin weeping willow
+pussy willow
+sallow
+goat willow
+peachleaf willow
+almond willow
+hoary willow
+crack willow
+prairie willow
+dwarf willow
+grey willow
+arroyo willow
+shining willow
+swamp willow
+bay willow
+purple willow
+balsam willow
+creeping willow
+Sitka willow
+dwarf grey willow
+bearberry willow
+common osier
+Populus
+poplar
+poplar
+balsam poplar
+white poplar
+grey poplar
+black poplar
+Lombardy poplar
+cottonwood
+Eastern cottonwood
+black cottonwood
+swamp cottonwood
+aspen
+quaking aspen
+American quaking aspen
+Canadian aspen
+Santalales
+Santalaceae
+Santalum
+sandalwood tree
+sandalwood
+genus Buckleya
+buckleya
+Comandra
+bastard toadflax
+Eucarya
+quandong
+Pyrularia
+rabbitwood
+buffalo nut
+Loranthaceae
+Loranthus
+mistletoe
+Arceuthobium
+American mistletoe
+Nuytsia
+flame tree
+Viscaceae
+Viscum
+mistletoe
+Phoradendron
+mistletoe
+American mistletoe
+Sapindales
+Sapindaceae
+aalii
+Dodonaea
+soapberry
+Sapindus
+wild China tree
+China tree
+Blighia
+akee
+Cardiospermum
+soapberry vine
+heartseed
+balloon vine
+Dimocarpus
+longan
+genus Harpullia
+harpullia
+harpulla
+Moreton Bay tulipwood
+genus Litchi
+litchi
+Melicoccus
+Spanish lime
+Nephelium
+rambutan
+pulasan
+Buxaceae
+Buxus
+box
+common box
+boxwood
+genus Pachysandra
+pachysandra
+Allegheny spurge
+Japanese spurge
+Celastraceae
+staff tree
+Celastrus
+bittersweet
+Japanese bittersweet
+Euonymus
+spindle tree
+common spindle tree
+winged spindle tree
+wahoo
+strawberry bush
+evergreen bittersweet
+Cyrilliaceae
+genus Cyrilla
+cyrilla
+Cliftonia
+titi
+Empetraceae
+Empetrum
+crowberry
+Aceraceae
+Acer
+maple
+maple
+bird's-eye maple
+silver maple
+sugar maple
+red maple
+moosewood
+Oregon maple
+dwarf maple
+mountain maple
+vine maple
+hedge maple
+Norway maple
+sycamore
+box elder
+California box elder
+pointed-leaf maple
+Japanese maple
+Japanese maple
+Dipteronia
+Aquifoliaceae
+holly
+Ilex
+Chinese holly
+bearberry
+inkberry
+mate
+American holly
+low gallberry holly
+tall gallberry holly
+yaupon holly
+deciduous holly
+juneberry holly
+largeleaf holly
+Geogia holly
+common winterberry holly
+smooth winterberry holly
+Anacardiaceae
+Anacardium
+cashew
+Astronium
+goncalo alves
+Cotinus
+smoke tree
+American smokewood
+Venetian sumac
+Malosma
+laurel sumac
+Mangifera
+mango
+Pistacia
+pistachio
+terebinth
+mastic
+Rhodosphaera
+Australian sumac
+Rhus
+sumac
+sumac
+fragrant sumac
+smooth sumac
+dwarf sumac
+sugar-bush
+staghorn sumac
+squawbush
+Schinus
+aroeira blanca
+pepper tree
+Brazilian pepper tree
+Spondias
+hog plum
+mombin
+Toxicodendron
+poison ash
+poison ivy
+western poison oak
+eastern poison oak
+varnish tree
+Hippocastanaceae
+Aesculus
+horse chestnut
+buckeye
+sweet buckeye
+Ohio buckeye
+dwarf buckeye
+red buckeye
+particolored buckeye
+Staphylaceae
+Staphylea
+Ebenales
+Ebenaceae
+Diospyros
+ebony
+ebony
+marblewood
+marblewood
+persimmon
+Japanese persimmon
+American persimmon
+date plum
+Sapotaceae
+Achras
+Bumelia
+buckthorn
+southern buckthorn
+false buckthorn
+Calocarpum
+Chrysophyllum
+star apple
+satinleaf
+Manilkara
+balata
+balata
+sapodilla
+Palaquium
+gutta-percha tree
+Payena
+gutta-percha tree
+Pouteria
+canistel
+marmalade tree
+Symplocaceae
+Symplocus
+sweetleaf
+Asiatic sweetleaf
+Styracaceae
+storax
+genus Styrax
+styrax
+snowbell
+Japanese snowbell
+Texas snowbell
+Halesia
+silver bell
+silver-bell tree
+carnivorous plant
+Sarraceniales
+Sarraceniaceae
+Sarracenia
+pitcher plant
+common pitcher plant
+pitcher
+hooded pitcher plant
+huntsman's horn
+Darlingtonia
+California pitcher plant
+Heliamphora
+sun pitcher
+Nepenthaceae
+Nepenthes
+tropical pitcher plant
+Droseraceae
+Drosera
+sundew
+Dionaea
+Venus's flytrap
+Aldrovanda
+waterwheel plant
+Drosophyllum
+Drosophyllum lusitanicum
+Roridulaceae
+genus Roridula
+roridula
+Cephalotaceae
+Cephalotus
+Australian pitcher plant
+Crassulaceae
+Crassula
+genus Sedum
+sedum
+stonecrop
+wall pepper
+rose-root
+orpine
+Aeonium
+pinwheel
+Cunoniaceae
+Ceratopetalum
+Christmas bush
+Hydrangeaceae
+genus Hydrangea
+hydrangea
+climbing hydrangea
+wild hydrangea
+hortensia
+fall-blooming hydrangea
+climbing hydrangea
+genus Carpenteria
+carpenteria
+Decumaria
+decumary
+genus Deutzia
+deutzia
+Philadelphaceae
+genus Philadelphus
+philadelphus
+mock orange
+Schizophragma
+climbing hydrangea
+Saxifragaceae
+Saxifraga
+saxifrage
+yellow mountain saxifrage
+meadow saxifrage
+mossy saxifrage
+western saxifrage
+purple saxifrage
+star saxifrage
+strawberry geranium
+genus Astilbe
+astilbe
+false goatsbeard
+dwarf astilbe
+spirea
+genus Bergenia
+bergenia
+Boykinia
+coast boykinia
+Chrysosplenium
+golden saxifrage
+water carpet
+Darmera
+umbrella plant
+Francoa
+bridal wreath
+Heuchera
+alumroot
+rock geranium
+poker alumroot
+coralbells
+Leptarrhena
+leatherleaf saxifrage
+Lithophragma
+woodland star
+prairie star
+Mitella
+miterwort
+fairy cup
+five-point bishop's cap
+genus Parnassia
+parnassia
+bog star
+fringed grass of Parnassus
+genus Suksdorfia
+suksdorfia
+violet suksdorfia
+Tellima
+false alumroot
+Tiarella
+foamflower
+false miterwort
+Tolmiea
+pickaback plant
+Grossulariaceae
+Ribes
+currant
+red currant
+black currant
+white currant
+winter currant
+gooseberry
+Platanaceae
+Platanus
+plane tree
+sycamore
+London plane
+American sycamore
+oriental plane
+California sycamore
+Arizona sycamore
+Polemoniales
+Scrophulariales
+Polemoniaceae
+genus Polemonium
+polemonium
+Jacob's ladder
+Greek valerian
+northern Jacob's ladder
+skunkweed
+genus Phlox
+phlox
+chickweed phlox
+moss pink
+Linanthus
+ground pink
+evening-snow
+Acanthaceae
+genus Acanthus
+acanthus
+bear's breech
+Graptophyllum
+caricature plant
+Thunbergia
+black-eyed Susan
+Bignoniaceae
+bignoniad
+Bignonia
+cross vine
+trumpet creeper
+genus Catalpa
+catalpa
+Catalpa bignioides
+Catalpa speciosa
+Chilopsis
+desert willow
+Crescentia
+calabash
+calabash
+Boraginaceae
+Borago
+borage
+Amsinckia
+common amsinckia
+large-flowered fiddleneck
+genus Anchusa
+anchusa
+bugloss
+cape forget-me-not
+cape forget-me-not
+Cordia
+Spanish elm
+princewood
+Cynoglossum
+Chinese forget-me-not
+hound's-tongue
+hound's-tongue
+Echium
+blueweed
+Hackelia
+beggar's lice
+stickweed
+Lithospermum
+gromwell
+puccoon
+hoary puccoon
+Mertensia
+Virginia bluebell
+Myosotis
+garden forget-me-not
+forget-me-not
+Onosmodium
+false gromwell
+Symphytum
+comfrey
+common comfrey
+Convolvulaceae
+genus Convolvulus
+convolvulus
+bindweed
+field bindweed
+scammony
+scammony
+Argyreia
+silverweed
+Calystegia
+hedge bindweed
+Cuscuta
+dodder
+love vine
+genus Dichondra
+dichondra
+Ipomoea
+morning glory
+common morning glory
+common morning glory
+cypress vine
+moonflower
+sweet potato
+wild potato vine
+red morning-glory
+man-of-the-earth
+scammony
+railroad vine
+Japanese morning glory
+imperial Japanese morning glory
+Gesneriaceae
+gesneriad
+genus Gesneria
+gesneria
+genus Achimenes
+achimenes
+genus Aeschynanthus
+aeschynanthus
+lipstick plant
+Alsobia
+lace-flower vine
+genus Columnea
+columnea
+genus Episcia
+episcia
+genus Gloxinia
+gloxinia
+Canterbury bell
+genus Kohleria
+kohleria
+Saintpaulia
+African violet
+Sinningia
+florist's gloxinia
+genus Streptocarpus
+streptocarpus
+Cape primrose
+Hydrophyllaceae
+Hydrophyllum
+waterleaf
+Virginia waterleaf
+Emmanthe
+yellow bells
+Eriodictyon
+yerba santa
+genus Nemophila
+nemophila
+baby blue-eyes
+five-spot
+genus Phacelia
+scorpionweed
+California bluebell
+California bluebell
+fiddleneck
+Pholistoma
+fiesta flower
+Labiatae
+mint
+Acinos
+basil thyme
+Agastache
+giant hyssop
+yellow giant hyssop
+anise hyssop
+Mexican hyssop
+Ajuga
+bugle
+creeping bugle
+erect bugle
+pyramid bugle
+ground pine
+Ballota
+black horehound
+Blephilia
+wood mint
+hairy wood mint
+downy wood mint
+Calamintha
+calamint
+common calamint
+large-flowered calamint
+lesser calamint
+Clinopodium
+wild basil
+Collinsonia
+horse balm
+genus Coleus
+coleus
+country borage
+painted nettle
+Conradina
+Apalachicola rosemary
+Dracocephalum
+dragonhead
+genus Elsholtzia
+elsholtzia
+Galeopsis
+hemp nettle
+Glechoma
+ground ivy
+Hedeoma
+pennyroyal
+pennyroyal oil
+Hyssopus
+hyssop
+hyssop oil
+Lamium
+dead nettle
+white dead nettle
+henbit
+Lavandula
+lavender
+English lavender
+French lavender
+spike lavender
+spike lavender oil
+Leonotis
+dagga
+lion's-ear
+Leonurus
+motherwort
+Lepechinia
+pitcher sage
+Lycopus
+bugleweed
+water horehound
+gipsywort
+genus Origanum
+Majorana
+origanum
+oregano
+sweet marjoram
+dittany of crete
+Marrubium
+horehound
+common horehound
+Melissa
+lemon balm
+Mentha
+mint
+corn mint
+water-mint
+bergamot mint
+horsemint
+peppermint
+spearmint
+apple mint
+pennyroyal
+pennyroyal oil
+Micromeria
+yerba buena
+savory
+Molucella
+molucca balm
+genus Monarda
+monarda
+bee balm
+horsemint
+bee balm
+lemon mint
+plains lemon monarda
+basil balm
+Monardella
+mustang mint
+Nepeta
+catmint
+Ocimum
+basil
+common basil
+Perilla
+beefsteak plant
+genus Phlomis
+phlomis
+Jerusalem sage
+genus Physostegia
+physostegia
+false dragonhead
+genus Plectranthus
+plectranthus
+Pogostemon
+patchouli
+Prunella
+self-heal
+Pycnanthemum
+mountain mint
+basil mint
+Rosmarinus
+rosemary
+genus Salvia
+sage
+blue sage
+clary sage
+blue sage
+blue sage
+purple sage
+cancerweed
+common sage
+meadow clary
+clary
+pitcher sage
+Mexican mint
+wild sage
+Satureja
+savory
+summer savory
+winter savory
+Scutellaria
+skullcap
+blue pimpernel
+Sideritis
+Solenostemon
+Stachys
+hedge nettle
+hedge nettle
+Teucrium
+germander
+American germander
+wall germander
+cat thyme
+wood sage
+Thymus
+thyme
+common thyme
+wild thyme
+Trichostema
+blue curls
+black sage
+turpentine camphor weed
+bastard pennyroyal
+Lentibulariaceae
+Utricularia
+bladderwort
+Pinguicula
+butterwort
+genus Genlisea
+genlisea
+Martyniaceae
+genus Martynia
+martynia
+Orobanchaceae
+Pedaliaceae
+Sesamum
+sesame
+Proboscidea
+common unicorn plant
+beak
+sand devil's claw
+sweet unicorn plant
+Scrophulariaceae
+Scrophularia
+figwort
+Antirrhinum
+snapdragon
+white snapdragon
+yellow twining snapdragon
+Mediterranean snapdragon
+Besseya
+kitten-tails
+Alpine besseya
+Aureolaria
+false foxglove
+false foxglove
+genus Calceolaria
+calceolaria
+Castilleja
+Indian paintbrush
+desert paintbrush
+giant red paintbrush
+great plains paintbrush
+sulfur paintbrush
+Chelone
+shellflower
+Collinsia
+purple chinese houses
+maiden blue-eyed Mary
+blue-eyed Mary
+Culver's root
+genus Digitalis
+foxglove
+common foxglove
+yellow foxglove
+genus Gerardia
+gerardia
+Agalinis
+Linaria
+blue toadflax
+toadflax
+Penstemon
+golden-beard penstemon
+scarlet bugler
+red shrubby penstemon
+Platte River penstemon
+Davidson's penstemon
+hot-rock penstemon
+Jones' penstemon
+shrubby penstemon
+narrow-leaf penstemon
+mountain pride
+balloon flower
+Parry's penstemon
+rock penstemon
+Rydberg's penstemon
+cascade penstemon
+Whipple's penstemon
+Verbascum
+mullein
+moth mullein
+white mullein
+purple mullein
+common mullein
+genus Veronica
+veronica
+field speedwell
+brooklime
+corn speedwell
+brooklime
+germander speedwell
+water speedwell
+common speedwell
+purslane speedwell
+thyme-leaved speedwell
+Solanaceae
+Solanum
+nightshade
+kangaroo apple
+horse nettle
+potato tree
+Uruguay potato
+bittersweet
+trompillo
+African holly
+wild potato
+potato vine
+eggplant
+black nightshade
+garden huckleberry
+Jerusalem cherry
+naranjilla
+buffalo bur
+potato
+potato vine
+potato tree
+Atropa
+belladonna
+genus Browallia
+bush violet
+Brunfelsia
+lady-of-the-night
+Brugmansia
+angel's trumpet
+angel's trumpet
+red angel's trumpet
+genus Capsicum
+capsicum
+cone pepper
+cayenne
+sweet pepper
+cherry pepper
+bird pepper
+tabasco pepper
+Cestrum
+day jessamine
+night jasmine
+Cyphomandra
+tree tomato
+Datura
+thorn apple
+jimsonweed
+Fabiana
+pichi
+Hyoscyamus
+henbane
+Egyptian henbane
+Lycium
+matrimony vine
+common matrimony vine
+Christmasberry
+Lycopersicon
+tomato
+cherry tomato
+plum tomato
+Mandragora
+mandrake
+mandrake root
+Nicandra
+apple of Peru
+Nicotiana
+tobacco
+flowering tobacco
+common tobacco
+wild tobacco
+tree tobacco
+genus Nierembergia
+cupflower
+whitecup
+tall cupflower
+genus Petunia
+petunia
+large white petunia
+violet-flowered petunia
+hybrid petunia
+Physalis
+ground cherry
+downy ground cherry
+Chinese lantern plant
+cape gooseberry
+strawberry tomato
+tomatillo
+tomatillo
+yellow henbane
+Salpichroa
+cock's eggs
+genus Salpiglossis
+salpiglossis
+painted tongue
+genus Schizanthus
+butterfly flower
+Scopolia
+Scopolia carniolica
+Solandra
+chalice vine
+Streptosolen
+marmalade bush
+Verbenaceae
+genus Verbena
+verbena
+lantana
+Avicennia
+Avicenniaceae
+black mangrove
+white mangrove
+Aegiceras
+black mangrove
+Tectona
+teak
+teak
+Euphorbiaceae
+Euphorbia
+spurge
+caper spurge
+sun spurge
+petty spurge
+medusa's head
+wild spurge
+snow-on-the-mountain
+cypress spurge
+leafy spurge
+hairy spurge
+poinsettia
+Japanese poinsettia
+fire-on-the-mountain
+wood spurge
+candelilla
+dwarf spurge
+scarlet plume
+naboom
+crown of thorns
+toothed spurge
+Acalypha
+three-seeded mercury
+genus Croton
+croton
+croton oil
+cascarilla
+cascarilla bark
+Codiaeum
+croton
+Mercurialis
+herb mercury
+dog's mercury
+Ricinus
+castor-oil plant
+Cnidoscolus
+spurge nettle
+Jatropha
+physic nut
+Hevea
+Para rubber tree
+Manihot
+cassava
+bitter cassava
+cassava
+sweet cassava
+Aleurites
+candlenut
+tung tree
+Pedilanthus
+slipper spurge
+candelilla
+Jewbush
+Sebastiana
+jumping bean
+Theaceae
+genus Camellia
+camellia
+japonica
+tea
+Umbelliferae
+umbellifer
+wild parsley
+Aethusa
+fool's parsley
+Anethum
+dill
+genus Angelica
+angelica
+garden angelica
+wild angelica
+Anthriscus
+chervil
+cow parsley
+Apium
+wild celery
+celery
+celeriac
+genus Astrantia
+astrantia
+greater masterwort
+Carum
+caraway
+whorled caraway
+Cicuta
+water hemlock
+spotted cowbane
+Conium
+hemlock
+Conopodium
+earthnut
+Coriandrum
+coriander
+Cuminum
+cumin
+Daucus
+wild carrot
+carrot
+carrot
+Eryngium
+eryngo
+sea holly
+button snakeroot
+rattlesnake master
+Foeniculum
+fennel
+common fennel
+Florence fennel
+Heracleum
+cow parsnip
+Levisticum
+lovage
+Myrrhis
+sweet cicely
+Oenanthe
+water dropwort
+water fennel
+Pastinaca
+parsnip
+cultivated parsnip
+parsnip
+wild parsnip
+Petroselinum
+parsley
+Italian parsley
+Hamburg parsley
+Pimpinella
+anise
+Sanicula
+sanicle
+footsteps-of-spring
+purple sanicle
+European sanicle
+Seseli
+moon carrot
+Sison
+stone parsley
+Sium
+water parsnip
+greater water parsnip
+skirret
+Smyrnium
+Alexander
+Cornaceae
+Aucuba
+Cornus
+dogwood
+dogwood
+common white dogwood
+red osier
+silky dogwood
+silky cornel
+common European dogwood
+bunchberry
+cornelian cherry
+Corokia
+Curtisia
+Griselinia
+puka
+kapuka
+Helwingia
+Valerianaceae
+Valeriana
+valerian
+common valerian
+Valerianella
+corn salad
+common corn salad
+Centranthus
+red valerian
+cutch
+Hymenophyllaceae
+Hymenophyllum
+filmy fern
+Trichomanes
+bristle fern
+hare's-foot bristle fern
+Killarney fern
+kidney fern
+Osmundaceae
+genus Osmunda
+flowering fern
+royal fern
+interrupted fern
+cinnamon fern
+Leptopteris
+crape fern
+Todea
+crepe fern
+Schizaeaceae
+Schizaea
+curly grass
+Anemia
+pine fern
+Lygodium
+climbing fern
+creeping fern
+climbing maidenhair
+Mohria
+scented fern
+aquatic fern
+Marsileaceae
+Marsilea
+clover fern
+nardoo
+water clover
+Pilularia
+pillwort
+genus Regnellidium
+regnellidium
+Salviniaceae
+Salvinia
+floating-moss
+Azollaceae
+Azolla
+mosquito fern
+Ophioglossales
+Ophioglossaceae
+Ophioglossum
+adder's tongue
+ribbon fern
+Botrychium
+grape fern
+moonwort
+daisyleaf grape fern
+leathery grape fern
+rattlesnake fern
+Helminthostachys
+flowering fern
+soldier grainy club
+ostiole
+perithecium
+stroma
+stroma
+plastid
+chromoplast
+chloroplast
+Erysiphales
+Erysiphaceae
+Erysiphe
+powdery mildew
+Sphaeriales
+Sphaeriaceae
+Neurospora
+Ceratostomataceae
+Ceratostomella
+Dutch elm fungus
+Hypocreales
+Hypocreaceae
+Claviceps
+ergot
+rye ergot
+mushroom pimple
+orange mushroom pimple
+green mushroom pimple
+Xylariaceae
+Xylaria
+black root rot fungus
+dead-man's-fingers
+Rosellinia
+Helotiales
+Helotiaceae
+Helotium
+Sclerotiniaceae
+genus Sclerotinia
+sclerotinia
+brown cup
+Sclerodermatales
+Sclerodermataceae
+Scleroderma
+earthball
+Scleroderma citrinum
+Scleroderma flavidium
+Scleroderma bovista
+Podaxaceae
+stalked puffball
+Tulostomaceae
+Tulostoma
+stalked puffball
+Hymenogastrales
+Rhizopogonaceae
+false truffle
+Rhizopogon
+Rhizopogon idahoensis
+Truncocolumella
+Truncocolumella citrina
+Zygomycota
+Zygomycetes
+Mucorales
+Mucoraceae
+genus Mucor
+mucor
+genus Rhizopus
+rhizopus
+bread mold
+leak fungus
+Entomophthorales
+Entomophthoraceae
+Entomophthora
+rhizoid
+slime mold
+Myxomycota
+Myxomycetes
+true slime mold
+Acrasiomycetes
+cellular slime mold
+genus Dictostylium
+dictostylium
+Phycomycetes
+Mastigomycota
+Oomycetes
+Chytridiomycetes
+Chytridiales
+pond-scum parasite
+Chytridiaceae
+Blastocladiales
+Blastodiaceae
+Blastocladia
+Synchytriaceae
+Synchytrium
+potato wart fungus
+Saprolegniales
+Saprolegnia
+white fungus
+water mold
+Peronosporales
+Peronosporaceae
+Peronospora
+downy mildew
+blue mold fungus
+onion mildew
+tobacco mildew
+Albuginaceae
+Albugo
+white rust
+Pythiaceae
+genus Pythium
+pythium
+damping off fungus
+Phytophthora
+Phytophthora citrophthora
+Phytophthora infestans
+Plasmodiophoraceae
+Plasmodiophora
+clubroot fungus
+Geglossaceae
+Sarcosomataceae
+black felt cup
+Rufous rubber cup
+charred pancake cup
+devil's cigar
+devil's urn
+winter urn
+Tuberales
+Tuberaceae
+Tuber
+truffle
+Clavariaceae
+club fungus
+coral fungus
+Hydnaceae
+tooth fungus
+Hydnum
+Lichenes
+Lichenales
+lichen
+ascolichen
+basidiolichen
+Lechanorales
+Lecanoraceae
+genus Lecanora
+lecanora
+manna lichen
+archil
+Roccellaceae
+genus Roccella
+roccella
+Pertusariaceae
+Pertusaria
+Usneaceae
+Usnea
+beard lichen
+Evernia
+Ramalina
+Alectoria
+horsehair lichen
+Cladoniaceae
+Cladonia
+reindeer moss
+Parmeliaceae
+Parmelia
+crottle
+Cetraria
+Iceland moss
+Fungi
+fungus
+basidium
+hypobasidium
+promycelium
+Eumycota
+Eumycetes
+true fungus
+Deuteromycota
+Deuteromycetes
+Basidiomycota
+Basidiomycetes
+Homobasidiomycetes
+Heterobasidiomycetes
+basidiomycete
+mushroom
+Hymenomycetes
+Agaricales
+agaric
+Agaricaceae
+Agaricus
+mushroom
+mushroom
+toadstool
+horse mushroom
+meadow mushroom
+Lentinus
+shiitake
+scaly lentinus
+Amanita
+royal agaric
+false deathcap
+fly agaric
+death cap
+blushing mushroom
+destroying angel
+slime mushroom
+white slime mushroom
+Fischer's slime mushroom
+Cantharellus
+chanterelle
+floccose chanterelle
+pig's ears
+cinnabar chanterelle
+Omphalotus
+jack-o-lantern fungus
+Coprinus
+Coprinaceae
+inky cap
+shaggymane
+Lactarius
+milkcap
+Marasmius
+fairy-ring mushroom
+fairy ring
+Pleurotus
+oyster mushroom
+olive-tree agaric
+Pholiota
+Pholiota astragalina
+Pholiota aurea
+Pholiota destruens
+Pholiota flammans
+Pholiota flavida
+nameko
+Pholiota squarrosa-adiposa
+Pholiota squarrosa
+Pholiota squarrosoides
+Russula
+Russulaceae
+Strophariaceae
+Stropharia
+Stropharia ambigua
+Stropharia hornemannii
+Stropharia rugoso-annulata
+galea
+gill fungus
+gill
+Entolomataceae
+Entoloma
+Entoloma lividum
+Entoloma aprile
+Lepiotaceae
+genus Chlorophyllum
+Chlorophyllum molybdites
+genus Lepiota
+lepiota
+parasol mushroom
+poisonous parasol
+Lepiota naucina
+Lepiota rhacodes
+American parasol
+Lepiota rubrotincta
+Lepiota clypeolaria
+onion stem
+Thelephoraceae
+Corticium
+pink disease fungus
+bottom rot fungus
+Pellicularia
+potato fungus
+coffee fungus
+Tricholomataceae
+Tricholoma
+blewits
+sandy mushroom
+Tricholoma pessundatum
+Tricholoma sejunctum
+man-on-a-horse
+Tricholoma venenata
+Tricholoma pardinum
+Tricholoma vaccinum
+Tricholoma aurantium
+Volvariaceae
+Volvaria
+Volvaria bombycina
+Pluteaceae
+Pluteus
+Pluteus aurantiorugosus
+Pluteus magnus
+deer mushroom
+Volvariella
+straw mushroom
+Volvariella bombycina
+Clitocybe
+Clitocybe clavipes
+Clitocybe dealbata
+Clitocybe inornata
+Clitocybe robusta
+Clitocybe irina
+Clitocybe subconnexa
+Flammulina
+winter mushroom
+hypha
+mycelium
+sclerotium
+sac fungus
+Ascomycota
+Ascomycetes
+ascomycete
+Euascomycetes
+Clavicipitaceae
+grainy club
+Hemiascomycetes
+Endomycetales
+Saccharomycetaceae
+Saccharomyces
+yeast
+baker's yeast
+wine-maker's yeast
+Schizosaccharomycetaceae
+Schizosaccharomyces
+Plectomycetes
+Eurotiales
+Eurotium
+Aspergillaceae
+Aspergillus
+Aspergillus fumigatus
+Thielavia
+brown root rot fungus
+Pyrenomycetes
+Discomycetes
+discomycete
+Leotia lubrica
+Mitrula elegans
+Sarcoscypha coccinea
+Caloscypha fulgens
+Aleuria aurantia
+Pezizales
+Pezizaceae
+elf cup
+Peziza
+Peziza domicilina
+blood cup
+Plectania
+Urnula craterium
+Galiella rufa
+Jafnea semitosta
+Morchellaceae
+Morchella
+morel
+common morel
+Disciotis venosa
+Verpa
+Verpa bohemica
+Verpa conica
+black morel
+Morchella crassipes
+Morchella semilibera
+Sarcoscyphaceae
+Wynnea
+Wynnea americana
+Wynnea sparassoides
+Helvellaceae
+false morel
+lorchel
+genus Helvella
+helvella
+Helvella crispa
+Helvella acetabulum
+Helvella sulcata
+genus Discina
+discina
+Discina macrospora
+genus Gyromitra
+gyromitra
+Gyromitra californica
+Gyromitra sphaerospora
+Gyromitra esculenta
+Gyromitra infula
+Gyromitra fastigiata
+Gyromitra gigas
+Gasteromycetes
+gasteromycete
+Phallales
+Phallaceae
+Phallus
+stinkhorn
+common stinkhorn
+Phallus ravenelii
+Dictyophera
+Mutinus
+dog stinkhorn
+Tulostomatales
+Calostomataceae
+Calostoma lutescens
+Calostoma cinnabarina
+Calostoma ravenelii
+Clathraceae
+Clathrus
+Pseudocolus
+stinky squid
+Lycoperdales
+Lycoperdaceae
+Lycoperdon
+puffball
+Calvatia
+giant puffball
+Geastraceae
+earthstar
+Geastrum
+Geastrum coronatum
+Radiigera
+Radiigera fuscogleba
+Astreus
+Astreus pteridis
+Astreus hygrometricus
+Nidulariales
+Nidulariaceae
+bird's-nest fungus
+Nidularia
+Sphaerobolaceae
+Secotiales
+Secotiaceae
+Gastrocybe
+Gastrocybe lateritia
+Macowanites
+Macowanites americanus
+Gastroboletus
+Gastroboletus scabrosus
+Gastroboletus turbinatus
+Aphyllophorales
+Polyporaceae
+polypore
+bracket fungus
+Albatrellus
+Albatrellus dispansus
+Albatrellus ovinus
+Neolentinus
+Neolentinus ponderosus
+Nigroporus
+Nigroporus vinosus
+Oligoporus
+Oligoporus leucospongia
+Polyporus tenuiculus
+Polyporus
+hen-of-the-woods
+Polyporus squamosus
+Fistulinaceae
+Fistulina
+beefsteak fungus
+Fomes
+agaric
+Boletaceae
+bolete
+Boletus
+Boletus chrysenteron
+Boletus edulis
+Frost's bolete
+Boletus luridus
+Boletus mirabilis
+Boletus pallidus
+Boletus pulcherrimus
+Boletus pulverulentus
+Boletus roxanae
+Boletus subvelutipes
+Boletus variipes
+Boletus zelleri
+Fuscoboletinus
+Fuscoboletinus paluster
+Fuscoboletinus serotinus
+Leccinum
+Leccinum fibrillosum
+Phylloporus
+Phylloporus boletinoides
+Suillus
+Suillus albivelatus
+Strobilomyces
+old-man-of-the-woods
+Boletellus
+Boletellus russellii
+jelly fungus
+Tremellales
+Tremellaceae
+Tremella
+snow mushroom
+witches' butter
+Tremella foliacea
+Tremella reticulata
+Auriculariales
+Auriculariaceae
+Auricularia
+Jew's-ear
+Dacrymycetaceae
+Dacrymyces
+Uredinales
+rust
+aecium
+aeciospore
+Melampsoraceae
+Melampsora
+flax rust
+Cronartium
+blister rust
+Pucciniaceae
+Puccinia
+wheat rust
+Gymnosporangium
+apple rust
+Tiliomycetes
+Ustilaginales
+smut
+covered smut
+Ustilaginaceae
+Ustilago
+loose smut
+cornsmut
+boil smut
+Sphacelotheca
+head smut
+Tilletiaceae
+Tilletia
+bunt
+bunt
+Urocystis
+onion smut
+flag smut fungus
+wheat flag smut
+Septobasidiaceae
+Septobasidium
+felt fungus
+Hygrophoraceae
+waxycap
+Hygrocybe
+Hygrocybe acutoconica
+Hygrophorus
+Hygrophorus borealis
+Hygrophorus caeruleus
+Hygrophorus inocybiformis
+Hygrophorus kauffmanii
+Hygrophorus marzuolus
+Hygrophorus purpurascens
+Hygrophorus russula
+Hygrophorus sordidus
+Hygrophorus tennesseensis
+Hygrophorus turundus
+Hygrotrama
+Hygrotrama foetens
+Neohygrophorus
+Neohygrophorus angelesianus
+cortina
+Cortinariaceae
+Cortinarius
+Cortinarius armillatus
+Cortinarius atkinsonianus
+Cortinarius corrugatus
+Cortinarius gentilis
+Cortinarius mutabilis
+Cortinarius semisanguineus
+Cortinarius subfoetidus
+Cortinarius violaceus
+Gymnopilus
+Gymnopilus spectabilis
+Gymnopilus validipes
+Gymnopilus ventricosus
+mold
+mildew
+Moniliales
+genus Verticillium
+verticillium
+Moniliaceae
+Trichophyton
+Microsporum
+genus Monilia
+monilia
+genus Candida
+candida
+Candida albicans
+Cercosporella
+Penicillium
+Blastomyces
+blastomycete
+Dematiaceae
+Cercospora
+yellow spot fungus
+Ustilaginoidea
+green smut fungus
+Tuberculariaceae
+Tubercularia
+genus Fusarium
+dry rot
+Mycelia Sterilia
+genus Rhizoctinia
+rhizoctinia
+Ozonium
+Sclerotium
+houseplant
+garden plant
+bedder
+vascular plant
+succulent
+nonvascular organism
+relict
+cultivar
+cultivated plant
+weed
+wort
+crop
+cash crop
+catch crop
+cover crop
+field crop
+fruitage
+plant part
+plant organ
+plant process
+apophysis
+callus
+blister
+nodule
+spur
+fruiting body
+aculeus
+acumen
+spine
+glochidium
+brier
+hair
+stinging hair
+coma
+beard
+awn
+aril
+duct
+laticifer
+antheridium
+antheridiophore
+sporophyll
+sporangium
+sporangiophore
+ascus
+ascospore
+arthrospore
+arthrospore
+theca
+paraphysis
+eusporangium
+leptosporangium
+tetrasporangium
+sporophore
+gametangium
+gametoecium
+gynoecium
+androecium
+gametophore
+sorus
+sorus
+indusium
+veil
+universal veil
+partial veil
+annulus
+antherozoid
+plant tissue
+pulp
+pith
+parenchyma
+chlorenchyma
+lignum
+vascular tissue
+stele
+cambium
+sapwood
+heartwood
+vascular bundle
+vein
+midrib
+vascular ray
+xylem
+tracheid
+phloem
+sieve tube
+pseudophloem
+bast
+gall
+oak apple
+evergreen
+deciduous plant
+poisonous plant
+vine
+climber
+creeper
+tendril
+cirrus
+root climber
+woody plant
+lignosae
+arborescent plant
+snag
+tree
+timber tree
+treelet
+arbor
+bean tree
+pollard
+sapling
+shade tree
+gymnospermous tree
+conifer
+angiospermous tree
+nut tree
+spice tree
+fever tree
+stump
+stool
+bonsai
+ming tree
+ming tree
+groundcover
+groundcover
+shrub
+undershrub
+burning bush
+shrublet
+subshrub
+bramble
+flowering shrub
+liana
+parasitic plant
+hemiparasite
+geophyte
+desert plant
+mesophyte
+aquatic plant
+marsh plant
+air plant
+hemiepiphyte
+strangler
+rock plant
+lithophyte
+rupestral plant
+saprophyte
+saprobe
+katharobe
+autophyte
+butt
+rootage
+root
+pneumatophore
+taproot
+adventitious root
+root crop
+root cap
+rootlet
+root hair
+prop root
+prophyll
+stock
+rootstock
+cutting
+quickset
+stolon
+crown
+capitulum
+tuberous plant
+tuber
+rhizome
+axis
+rachis
+caudex
+stalk
+internode
+beanstalk
+cladode
+receptacle
+stock
+axil
+stipe
+scape
+meristem
+umbel
+corymb
+ray
+petiole
+phyllode
+blade
+peduncle
+pedicel
+flower cluster
+raceme
+panicle
+thyrse
+cyme
+cymule
+glomerule
+scorpioid cyme
+spike
+ear
+capitulum
+spadix
+bulb
+bulbous plant
+bulbil
+corm
+cormous plant
+fruit
+fruitlet
+seed
+bean
+nut
+nutlet
+pyrene
+kernel
+syconium
+berry
+aggregate fruit
+simple fruit
+acinus
+drupe
+drupelet
+pome
+pod
+loment
+pyxidium
+husk
+cornhusk
+hull
+pod
+pea pod
+accessory fruit
+Rhamnales
+Rhamnaceae
+Rhamnus
+buckthorn
+buckthorn berry
+cascara buckthorn
+cascara
+Carolina buckthorn
+coffeeberry
+alder buckthorn
+redberry
+Colubrina
+nakedwood
+Ziziphus
+jujube
+lotus tree
+Paliurus
+Christ's-thorn
+Pomaderris
+hazel
+Vitaceae
+Vitis
+grape
+fox grape
+muscadine
+vinifera
+Chardonnay
+Pinot
+Pinot noir
+Pinot blanc
+Sauvignon grape
+Cabernet Sauvignon grape
+Sauvignon blanc
+Merlot
+Muscadet
+Riesling
+Zinfandel
+Chenin blanc
+malvasia
+muscat
+Verdicchio
+Parthenocissus
+Boston ivy
+Virginia creeper
+Piperales
+Piperaceae
+Piper
+true pepper
+pepper
+long pepper
+betel
+cubeb
+cubeb
+schizocarp
+genus Peperomia
+peperomia
+watermelon begonia
+Chloranthaceae
+Chloranthus
+Saururaceae
+Saururus
+lizard's-tail
+Anemopsis
+yerba mansa
+Houttuynia
+leaf
+amplexicaul leaf
+greenery
+hydathode
+lenticel
+leaflet
+node
+pinna
+frond
+pad
+lily pad
+bract
+bracteole
+spathe
+involucre
+lemma
+glume
+scale
+squamule
+fig leaf
+simple leaf
+compound leaf
+trifoliolate leaf
+quinquefoliate leaf
+palmate leaf
+pinnate leaf
+bijugate leaf
+decompound leaf
+acerate leaf
+acuminate leaf
+cordate leaf
+cuneate leaf
+deltoid leaf
+elliptic leaf
+ensiform leaf
+hastate leaf
+lanceolate leaf
+linear leaf
+lyrate leaf
+obtuse leaf
+oblanceolate leaf
+oblong leaf
+obovate leaf
+ovate leaf
+orbiculate leaf
+pandurate leaf
+peltate leaf
+perfoliate leaf
+reniform leaf
+sagittate-leaf
+spatulate leaf
+bipinnate leaf
+even-pinnate leaf
+odd-pinnate leaf
+pedate leaf
+entire leaf
+crenate leaf
+serrate leaf
+dentate leaf
+denticulate leaf
+emarginate leaf
+erose leaf
+runcinate leaf
+lobed leaf
+lobe
+parallel-veined leaf
+parted leaf
+prickly-edged leaf
+rosette
+ligule
+bark
+winter's bark
+tapa
+angostura bark
+branch
+culm
+deadwood
+haulm
+limb
+branchlet
+wand
+withe
+osier
+sprout
+shoot
+sucker
+tiller
+bud
+leaf bud
+flower bud
+mixed bud
+stick
+bough
+trunk
+burl
+burl
+fern family
+fern genus
+Filicopsida
+Filicales
+Gleicheniaceae
+Gleichenia
+Dicranopteris
+Diplopterygium
+giant scrambling fern
+Sticherus
+umbrella fern
+Parkeriaceae
+Ceratopteris
+floating fern
+floating fern
+Polypodiaceae
+Polypodium
+polypody
+licorice fern
+grey polypody
+leatherleaf
+rock polypody
+common polypody
+Aglaomorpha
+bear's-paw fern
+Campyloneurum
+strap fern
+Florida strap fern
+Central American strap fern
+Drymoglossum
+Drynaria
+basket fern
+genus Lecanopteris
+lecanopteris
+Microgramma
+snake polypody
+Microsorium
+climbing bird's nest fern
+Phlebodium
+golden polypody
+Platycerium
+staghorn fern
+South American staghorn
+common staghorn fern
+Pyrrosia
+felt fern
+Solanopteris
+potato fern
+Cyclophorus
+myrmecophyte
+Adiantaceae
+Vittariaceae
+Vittaria
+grass fern
+Aspleniaceae
+Asplenium
+spleenwort
+black spleenwort
+bird's nest fern
+ebony spleenwort
+black-stem spleenwort
+Camptosorus
+walking fern
+maidenhair spleenwort
+green spleenwort
+mountain spleenwort
+wall rue
+Bradley's spleenwort
+lobed spleenwort
+lanceolate spleenwort
+hart's-tongue
+Ceterach
+scale fern
+Pleurosorus
+Schaffneria
+Schaffneria nigripes
+Phyllitis
+scolopendrium
+Blechnaceae
+Blechnum
+hard fern
+deer fern
+genus Doodia
+doodia
+Sadleria
+Stenochlaena
+Woodwardia
+chain fern
+Virginia chain fern
+tree fern
+Cyatheaceae
+Cyathea
+silver tree fern
+Davalliaceae
+genus Davallia
+davallia
+hare's-foot fern
+Canary Island hare's foot fern
+Australian hare's foot
+squirrel's-foot fern
+Dennstaedtiaceae
+Dennstaedtia
+hay-scented
+Pteridium
+bracken
+bracken
+Dicksoniaceae
+Dicksonia
+soft tree fern
+Cibotium
+Scythian lamb
+Culcita
+false bracken
+genus Thyrsopteris
+thyrsopteris
+Dryopteridaceae
+shield fern
+Dryopteris
+broad buckler-fern
+fragrant cliff fern
+Goldie's fern
+wood fern
+male fern
+marginal wood fern
+mountain male fern
+Athyrium
+lady fern
+Alpine lady fern
+silvery spleenwort
+Cyrtomium
+holly fern
+Cystopteris
+bladder fern
+brittle bladder fern
+mountain bladder fern
+bulblet fern
+Deparia
+silvery spleenwort
+Diacalpa
+Gymnocarpium
+oak fern
+limestone fern
+Lastreopsis
+Matteuccia
+ostrich fern
+Olfersia
+hart's-tongue
+Onoclea
+sensitive fern
+Polybotrya
+Polystichum
+Christmas fern
+holly fern
+Braun's holly fern
+northern holly fern
+western holly fern
+soft shield fern
+Rumohra
+leather fern
+Tectaria
+button fern
+Indian button fern
+genus Woodsia
+woodsia
+rusty woodsia
+Alpine woodsia
+smooth woodsia
+Lomariopsidaceae
+Bolbitis
+Lomogramma
+Lophosoriaceae
+Lophosoria
+Loxomataceae
+Loxoma
+Oleandraceae
+Oleandra
+oleander fern
+Arthropteris
+Nephrolepis
+sword fern
+Boston fern
+basket fern
+Pteridaceae
+Acrostichum
+golden fern
+Actiniopteris
+Adiantum
+maidenhair
+common maidenhair
+American maidenhair fern
+Bermuda maidenhair
+brittle maidenhair
+Farley maidenhair
+Anogramma
+annual fern
+Cheilanthes
+lip fern
+smooth lip fern
+lace fern
+wooly lip fern
+southwestern lip fern
+Coniogramme
+bamboo fern
+Cryptogramma
+rock brake
+American rock brake
+European parsley fern
+Doryopteris
+hand fern
+Jamesonia
+Onychium
+Pellaea
+cliff brake
+coffee fern
+purple rock brake
+bird's-foot fern
+button fern
+Pityrogramma
+silver fern
+silver fern
+golden fern
+gold fern
+Pteris
+brake
+Pteris cretica
+spider brake
+ribbon fern
+Marattiales
+Marattiaceae
+Marattia
+potato fern
+genus Angiopteris
+angiopteris
+Danaea
+Psilopsida
+Psilotales
+Psilotaceae
+Psilotum
+whisk fern
+skeleton fork fern
+Psilophytales
+psilophyte
+Psilophytaceae
+genus Psilophyton
+psilophyton
+Rhyniaceae
+Rhynia
+Horneophyton
+Sphenopsida
+Equisetales
+Equisetaceae
+Equisetum
+horsetail
+common horsetail
+swamp horsetail
+scouring rush
+marsh horsetail
+wood horsetail
+variegated horsetail
+Lycopsida
+Lycophyta
+Lycopodineae
+club moss
+Lepidodendrales
+Lepidodendraceae
+Lycopodiales
+Lycopodiaceae
+Lycopodium
+shining clubmoss
+alpine clubmoss
+fir clubmoss
+ground pine
+running pine
+ground cedar
+ground fir
+foxtail grass
+Selaginellales
+Selaginellaceae
+Selaginella
+spikemoss
+meadow spikemoss
+rock spikemoss
+desert selaginella
+resurrection plant
+florida selaginella
+Isoetales
+Isoetaceae
+Isoetes
+quillwort
+Geoglossaceae
+Geoglossum
+earthtongue
+Cryptogrammataceae
+Thelypteridaceae
+Thelypteris
+marsh fern
+snuffbox fern
+Amauropelta
+genus Christella
+christella
+Cyclosorus
+Goniopteris
+Macrothelypteris
+Meniscium
+Oreopteris
+mountain fern
+Parathelypteris
+New York fern
+Massachusetts fern
+Phegopteris
+beech fern
+broad beech fern
+long beech fern
+rhizomorph
+Armillaria
+shoestring fungus
+Armillaria caligata
+Armillaria ponderosa
+Armillaria zelleri
+Armillariella
+honey mushroom
+Asclepiadaceae
+asclepiad
+Asclepias
+milkweed
+white milkweed
+blood flower
+poke milkweed
+swamp milkweed
+Mead's milkweed
+purple silkweed
+showy milkweed
+poison milkweed
+butterfly weed
+whorled milkweed
+Araujia
+cruel plant
+genus Cynancum
+cynancum
+genus Hoya
+hoya
+honey plant
+wax plant
+Periploca
+silk vine
+Sarcostemma
+soma
+genus Stapelia
+stapelia
+Stapelias asterias
+genus Stephanotis
+stephanotis
+Madagascar jasmine
+Vincetoxicum
+negro vine
+zygospore
+old growth
+second growth
+tree of knowledge
+ownership
+community
+severalty
+property right
+preemptive right
+subscription right
+option
+stock option
+stock option
+call option
+put option
+lock-up option
+tenure
+copyhold
+freehold
+freehold
+villeinage
+stock buyback
+public domain
+proprietorship
+employee ownership
+property
+tangible possession
+worldly possessions
+ratables
+hereditament
+intellectual property
+community property
+personal property
+chattel
+effects
+things
+real property
+estate
+commonage
+glebe
+landholding
+landholding
+salvage
+shareholding
+spiritualty
+temporalty
+benefice
+sinecure
+lease
+car rental
+trade-in
+sublease
+public property
+leasehold
+smallholding
+homestead
+farmstead
+homestead
+no man's land
+fief
+land
+mortmain
+wealth
+money
+pile
+estate
+stuff
+gross estate
+net estate
+life estate
+barony
+countryseat
+Crown land
+manor
+seigneury
+hacienda
+plantation
+orangery
+white elephant
+transferred property
+acquisition
+accession
+purchase
+bargain
+song
+travel bargain
+grant
+appanage
+land grant
+gain
+financial gain
+income
+disposable income
+double dipping
+easy money
+EBITDA
+easy money
+tight money
+escheat
+gross
+national income
+gross national product
+real gross national product
+gross domestic product
+deflator
+royalty
+box office
+gate
+net income
+paper profit
+paper loss
+cash flow
+personal income
+earning per share
+windfall profit
+killing
+winnings
+rental income
+return
+fast buck
+filthy lucre
+gross profit
+gross sales
+net sales
+margin of profit
+unearned income
+unearned income
+government income
+tax income
+internal revenue
+per capita income
+stolen property
+spoil
+loot
+inheritance
+primogeniture
+borough English
+accretion
+bequest
+birthright
+devise
+dower
+jointure
+free lunch
+heirloom
+heirloom
+gift
+dowry
+bride price
+largess
+aid
+scholarship
+fellowship
+foreign aid
+Marshall Plan
+grant
+subsidy
+subvention
+price support
+grant-in-aid
+postdoctoral
+traineeship
+gratuity
+prize
+door prize
+jackpot
+prize money
+present
+birthday present
+Christmas present
+stocking filler
+wedding present
+bride-gift
+cash surrender value
+contribution
+contribution
+benefaction
+offering
+tithe
+offertory
+hearth money
+political contribution
+soft money
+endowment
+enrichment
+patrimony
+chantry
+lagniappe
+bestowal
+bounty
+premium
+freebie
+giveaway
+gift horse
+thank offering
+bonus
+incentive program
+deductible
+defalcation
+dividend
+sales incentive
+allowance
+cost-of-living allowance
+depreciation allowance
+deduction
+trade discount
+seasonal adjustment
+tare
+outgo
+expense
+cost
+business expense
+interest expense
+lobbying expense
+medical expense
+non-cash expense
+moving expense
+operating expense
+organization expense
+personal expense
+promotional expense
+expense
+transfer payment
+capital expenditure
+payment
+overpayment
+underpayment
+wage
+combat pay
+double time
+found
+half-pay
+living wage
+merit pay
+minimum wage
+pay envelope
+sick pay
+strike pay
+take-home pay
+subscription
+regular payment
+pay rate
+time and a half
+payment rate
+blood money
+recompense
+refund
+rebate
+rent-rebate
+compensation
+overcompensation
+workmen's compensation
+conscience money
+support payment
+palimony
+alimony
+reward
+honorarium
+ransom
+blood money
+guerdon
+meed
+hush money
+bribe
+kickback
+payola
+soap
+share
+tranche
+dispensation
+dole
+way
+ration
+allowance
+slice
+split
+interest
+grubstake
+controlling interest
+insurable interest
+vested interest
+security interest
+terminable interest
+undivided interest
+fee
+fee simple
+fee tail
+entail
+profit sharing
+cut
+rake-off
+allotment
+reallocation
+quota
+appropriation
+reimbursement
+emolument
+blood money
+damages
+relief
+counterbalance
+actual damages
+nominal damages
+punitive damages
+double damages
+treble damages
+reparation
+reparation
+atonement
+residual
+poverty line
+allowance
+breakage
+costs
+per diem
+travel allowance
+mileage
+stipend
+privy purse
+prebend
+annuity
+annuity in advance
+ordinary annuity
+reversionary annuity
+tontine
+rent
+ground rent
+peppercorn rent
+rack rent
+economic rent
+payback
+installment plan
+hire-purchase
+benefit
+cost-of-living benefit
+death benefit
+advance death benefit
+viatical settlement
+disability benefit
+sick benefit
+fringe benefit
+appanage
+tax benefit
+gratuity
+Christmas box
+child support
+lump sum
+payoff
+remittance
+repayment
+redemption
+token payment
+nonpayment
+delinquency
+default
+penalty
+pittance
+retribution
+forfeit
+forfeit
+fine
+library fine
+premium
+installment
+cost overrun
+cost of living
+borrowing cost
+distribution cost
+handling cost
+marketing cost
+production cost
+replacement cost
+reproduction cost
+unit cost
+price
+price
+markup
+asking price
+bid price
+closing price
+offer price
+upset price
+factory price
+highway robbery
+list price
+purchase price
+spot price
+support level
+valuation
+opportunity cost
+cost of capital
+carrying cost
+portage
+incidental expense
+travel expense
+charge
+carrying charge
+depreciation charge
+undercharge
+overcharge
+extortion
+corkage
+fare
+airfare
+bus fare
+cab fare
+subway fare
+train fare
+levy
+tax
+tax base
+tax rate
+tax liability
+single tax
+income tax
+bracket creep
+estimated tax
+FICA
+business deduction
+exemption
+entertainment deduction
+withholding tax
+PAYE
+unearned increment
+capital gain
+capital loss
+capital gains tax
+capital levy
+departure tax
+property tax
+council tax
+franchise tax
+gift tax
+inheritance tax
+direct tax
+tax advantage
+tax shelter
+indirect tax
+hidden tax
+capitation
+poll tax
+progressive tax
+proportional tax
+degressive tax
+rates
+poor rates
+stamp tax
+surtax
+pavage
+transfer tax
+tithe
+special assessment
+duty
+excise
+sales tax
+VAT
+gasoline tax
+customs
+ship money
+tonnage
+octroi
+revenue tariff
+protective tariff
+anti-dumping duty
+import duty
+export duty
+countervailing duty
+fixed charge
+cover charge
+interest
+compound interest
+simple interest
+interest rate
+discount rate
+bank rate
+discount rate
+base rate
+prime interest rate
+usury
+fee
+anchorage
+cellarage
+commission
+contingency fee
+dockage
+drop-off charge
+entrance fee
+finder's fee
+legal fee
+licensing fee
+refresher
+lighterage
+lockage
+mintage
+moorage
+origination fee
+pipage
+poundage
+retainer
+quid pro quo
+seigniorage
+toll
+truckage
+tuition
+wharfage
+agio
+demurrage
+installation charge
+porterage
+postage
+poundage
+rate
+water-rate
+surcharge
+single supplement
+service charge
+stowage
+tankage
+freight
+rate of depreciation
+rate of exchange
+excursion rate
+footage
+linage
+room rate
+loss
+squeeze
+loss
+financial loss
+sacrifice
+wastage
+depreciation
+straight-line method
+write-off
+tax write-off
+losings
+circumstances
+assets
+payables
+receivables
+crown jewel
+deep pocket
+reserve assets
+special drawing rights
+sum
+figure
+resource
+natural resource
+labor resources
+land resources
+mineral resources
+renewable resource
+intangible
+good will
+liquid assets
+investment
+equity
+sweat equity
+equity
+stock
+stockholding
+stockholding
+capital stock
+blue chip
+classified stock
+common stock
+stock of record
+par value
+no-par-value stock
+preferred stock
+cumulative preferred
+float
+common stock equivalent
+control stock
+growth stock
+hot stock
+penny stock
+book value
+market value
+bond issue
+convertible bond
+corporate bond
+coupon bond
+government bond
+junk bond
+municipal bond
+noncallable bond
+performance bond
+post-obit bond
+registered bond
+revenue bond
+secured bond
+unsecured bond
+government security
+mortgage-backed security
+registered security
+savings bond
+utility bond
+zero coupon bond
+reversion
+escheat
+right
+accession
+share
+authorized shares
+quarter stock
+speculation
+gamble
+smart money
+pyramid
+stake
+pot
+ante
+security
+easy street
+hedge
+coverage
+insurance
+assurance
+automobile insurance
+no fault insurance
+business interruption insurance
+coinsurance
+fire insurance
+group insurance
+hazard insurance
+health insurance
+hospitalization insurance
+liability insurance
+life insurance
+endowment insurance
+tontine
+whole life insurance
+malpractice insurance
+reinsurance
+self-insurance
+term insurance
+health maintenance organization
+security
+deposit
+down payment
+satisfaction
+earnest
+earnest money
+recognizance
+pledge
+pawn
+bail
+margin
+brokerage account
+cash account
+custodial account
+margin account
+mortgage
+conditional sale
+first mortgage
+second mortgage
+chattel mortgage
+collateral
+guarantee
+material resource
+wealth
+gold
+capital
+means
+pocketbook
+wherewithal
+venture capital
+capital
+operating capital
+account
+income statement
+capital account
+capital account
+principal
+seed money
+funds
+bank
+bankroll
+pocket
+Medicaid funds
+treasury
+money supply
+M1
+M2
+M3
+public treasury
+pork barrel
+bursary
+subtreasury
+fisc
+fund
+mutual fund
+exchange traded fund
+index fund
+revolving fund
+sinking fund
+savings
+bank account
+giro account
+pension fund
+war chest
+slush fund
+trust
+active trust
+blind trust
+passive trust
+charitable trust
+Clifford trust
+implied trust
+constructive trust
+resulting trust
+direct trust
+discretionary trust
+nondiscretionary trust
+living trust
+spendthrift trust
+testamentary trust
+savings account trust
+voting trust
+trust fund
+checking account
+savings account
+time deposit account
+dormant account
+passbook savings account
+cash equivalent
+certificate of deposit
+support
+support
+ways and means
+comforts
+maintenance
+meal ticket
+subsistence
+accumulation
+hoard
+store
+provision
+issue
+seed stock
+seed corn
+reserve
+bank
+blood bank
+eye bank
+food bank
+fuel level
+hole card
+soil bank
+pool
+hidden reserve
+cookie jar reserve
+pool
+reserve account
+valuation reserve
+treasure
+treasure
+fortune
+valuable
+swag
+king's ransom
+treasure trove
+precious metal
+bullion
+gold
+silver
+diamond
+ice
+ruby
+pearl
+seed pearl
+emerald
+sapphire
+medium of exchange
+standard
+gold standard
+silver standard
+bimetallism
+tender
+food stamp
+credit
+consumer credit
+bank loan
+business loan
+interbank loan
+home loan
+installment credit
+open-end credit
+credit account
+revolving charge account
+advance
+credit card
+bank card
+calling card
+cash card
+debit card
+smart card
+draft
+overdraft
+foreign bill
+inland bill
+redraft
+trade acceptance
+foreign exchange
+credit
+cheap money
+overage
+tax credit
+export credit
+import credit
+credit line
+commercial credit
+letter of credit
+commercial letter of credit
+traveler's letter of credit
+traveler's check
+bank draft
+dividend warrant
+money order
+overdraft credit
+deposit
+demand deposit
+time deposit
+acceptance
+check
+bad check
+kite
+kite
+counter check
+giro
+paycheck
+certified check
+personal check
+cashier's check
+blank check
+disability check
+medicare check
+pension
+old-age pension
+money
+money
+sterling
+boodle
+shinplaster
+subsidization
+token money
+currency
+Eurocurrency
+fractional currency
+cash
+cash
+hard currency
+paper money
+change
+change
+coinage
+small change
+change
+coin
+bawbee
+bezant
+denier
+ducat
+real
+piece of eight
+shilling
+crown
+half crown
+dime
+nickel
+quarter
+half dollar
+halfpenny
+penny
+slug
+tenpence
+twopence
+threepence
+fourpence
+fivepence
+sixpence
+eightpence
+ninepence
+copper
+new penny
+dollar
+Susan B Anthony dollar
+silver dollar
+double eagle
+eagle
+half eagle
+guinea
+farthing
+doubloon
+louis d'or
+medallion
+stater
+sou
+Maundy money
+fiat money
+bill
+silver certificate
+Treasury
+Treasury bill
+Treasury bond
+Treasury note
+hundred dollar bill
+fifty dollar bill
+twenty dollar bill
+tenner
+fiver
+nickel
+two dollar bill
+dollar
+liabilities
+deficit
+budget deficit
+federal deficit
+trade deficit
+due
+limited liability
+debt
+arrears
+national debt
+public debt
+debt limit
+national debt ceiling
+debt instrument
+note
+bad debt
+installment debt
+loan
+call loan
+direct loan
+participation loan
+personal loan
+automobile loan
+point
+real estate loan
+time loan
+demand note
+principal
+charge
+lien
+artisan's lien
+federal tax lien
+general lien
+judgment lien
+landlord's lien
+mechanic's lien
+garageman's lien
+state tax lien
+tax lien
+warehouseman's lien
+encumbrance
+assessment
+document
+quittance
+record
+balance sheet
+expense record
+ledger
+cost ledger
+general ledger
+subsidiary ledger
+control account
+daybook
+entry
+adjusting entry
+credit
+debit
+accounting
+credit side
+debit side
+accrual basis
+cash basis
+pooling of interest
+accounts receivable
+note receivable
+accounts payable
+note payable
+profit and loss
+dividend
+stock dividend
+extra dividend
+equalizing dividend
+divvy
+suspense account
+balance
+balance
+balance of trade
+carry-over
+compensating balance
+invisible balance
+balance of payments
+current account
+trial balance
+audited account
+limited audit
+review
+analytical review
+expense account
+payslip
+register
+inventory
+payroll
+payroll
+peanuts
+purse
+purse
+value
+mess of pottage
+premium
+bankbook
+checkbook
+pawn ticket
+escrow
+escrow funds
+commercial paper
+municipal note
+IOU
+time note
+floater
+hotel plan
+American plan
+modified American plan
+Bermuda plan
+European plan
+devise
+security
+scrip
+stock certificate
+tax-exempt security
+bond
+Premium Bond
+warrant
+perpetual warrant
+subscription warrant
+zero-coupon security
+partnership certificate
+proprietorship certificate
+convertible
+letter security
+investment letter
+treasury stock
+voting stock
+watered stock
+letter stock
+letter bond
+listed security
+unlisted security
+over the counter stock
+budget
+balanced budget
+budget
+Civil List
+operating budget
+petty cash
+pocket money
+ready cash
+sight draft
+time draft
+matching funds
+bottom line
+ablactation
+ablation
+abrasion
+abscission
+absorption
+absorption
+accession
+acclimatization
+accretion
+accretion
+accretion
+accretion
+acetylation
+Acheson process
+acid-base equilibrium
+acidification
+activation
+active birth
+active transport
+acylation
+adaptation
+addition reaction
+adiabatic process
+administrative data processing
+adsorption
+advection
+aeration
+agenesis
+agglutination
+agglutination
+agglutination
+aging
+aldol reaction
+alluvion
+alpha decay
+alternative birth
+amelogenesis
+Americanization
+amitosis
+ammonification
+amylolysis
+anabolism
+anaglyphy
+anamorphism
+anamorphosis
+anaphase
+anastalsis
+androgenesis
+angiogenesis
+Anglicization
+anisogamy
+anovulation
+anthropogenesis
+antiredeposition
+antisepsis
+aphaeresis
+aphesis
+apogamy
+apomixis
+apposition
+asexual reproduction
+assibilation
+assimilation
+assimilation
+assimilation
+association
+asynchronous operation
+attack
+autocatalysis
+autolysis
+automatic data processing
+autoradiography
+autotype
+autoregulation
+auxesis
+auxiliary operation
+background processing
+backup
+bacteriolysis
+bacteriostasis
+basal metabolic rate
+basal metabolism
+batch processing
+beach erosion
+bed-wetting
+Bessemer process
+beta decay
+biochemical mechanism
+biosynthesis
+blastogenesis
+blaze
+blood coagulation
+blooming
+blossoming
+blowing
+bluing
+bodily process
+boiling
+boolean operation
+bottom fermentation
+bowel movement
+Bradley method of childbirth
+brooding
+budding
+buildup
+calcification
+calcination
+calving
+capture
+capture
+carbonation
+carbon cycle
+carbon cycle
+carbonization
+carriage return
+catabiosis
+catabolism
+catalysis
+cavity
+cell division
+cenogenesis
+centrifugation
+chain reaction
+chain reaction
+chelation
+chelation
+chemical equilibrium
+chemical process
+chemical reaction
+chemisorption
+chemosynthesis
+childbirth
+chlorination
+chromatography
+civilization
+cleavage
+cleavage
+climate change
+clouding
+cohesion
+cold fusion
+column chromatography
+combustion
+deflagration
+compensation
+computer operation
+concretion
+concurrent operation
+condensation
+congealment
+conspicuous consumption
+consumption
+control operation
+convalescence
+convection
+convection
+conversion
+cooling
+corrosion
+corruption
+cost-pull inflation
+cracking
+crossing over
+cultivation
+curdling
+cyanide process
+cytogenesis
+cytolysis
+data mining
+data processing
+dealignment
+deamination
+decalcification
+decarboxylation
+decay
+decay
+decay
+decentralization
+decline
+decoction
+decoction process
+decomposition
+decomposition
+decrease
+dedifferentiation
+deepening
+defecation
+defense mechanism
+deflation
+defoliation
+degaussing
+degeneration
+dehydration
+de-iodination
+demagnetization
+demand
+demand-pull inflation
+demineralization
+denazification
+denial
+deossification
+deposition
+derivation
+eponymy
+desalination
+desertification
+desensitization
+desorption
+destalinization
+destructive distillation
+deterioration
+detumescence
+development
+development
+diakinesis
+diastrophism
+diffusion
+digestion
+digestion
+digital photography
+dilapidation
+diplotene
+discharge
+disinflation
+displacement
+displacement
+dissimilation
+dissociation
+dissolution
+dissolving
+distillation
+distributed data processing
+dithering
+domestication
+double decomposition
+double replacement reaction
+doubling
+drift
+drift
+dry plate
+melioration
+dyadic operation
+ebb
+eburnation
+ecchymosis
+economic growth
+economic process
+effacement
+effervescence
+ejaculation
+electrodeposition
+electrolysis
+electronic data processing
+electrophoresis
+electrostatic precipitation
+elimination
+elimination reaction
+elision
+ellipsis
+elution
+emergent evolution
+emission
+encapsulation
+endoergic reaction
+endothermic reaction
+enuresis
+epigenesis
+epilation
+epitaxy
+erosion
+erosion
+erythropoiesis
+establishment
+Europeanization
+eutrophication
+evolution
+execution
+exoergic reaction
+exothermic reaction
+expectoration
+exponential decay
+expression
+extinction
+extraction
+extravasation
+farrow
+fat metabolism
+feedback
+feminization
+festering
+fibrinolysis
+field emission
+filling
+filtration
+fire
+fission
+fission
+fissiparity
+fixed-cycle operation
+flare
+floating-point operation
+flocculation
+flow
+flowage
+focalization
+fold
+foliation
+foliation
+foreground processing
+formation
+fossilization
+fractional distillation
+fractionation
+fragmentation
+freeze
+freeze-drying
+frost
+fructification
+fusion
+fusion
+galactosis
+galvanization
+gametogenesis
+gasification
+gassing
+gastric digestion
+gastrulation
+geological process
+germination
+glaciation
+Riss glaciation
+Saale glaciation
+Wolstonian glaciation
+globalization
+global warming
+glycogenesis
+glycolysis
+growing
+growth
+growth
+gynogenesis
+Haber process
+habit
+hardening
+hatch
+healing
+heat dissipation
+heating
+hemagglutination
+hematochezia
+hematopoiesis
+hemimetamorphosis
+heterometabolism
+hemolysis
+heredity
+heterospory
+holometabolism
+homospory
+human process
+humification
+hydration
+hydrocracking
+hydrogenation
+hydrolysis
+hyperhidrosis
+hypersecretion
+hypostasis
+hypostasis
+idealization
+ignition
+imbibition
+immunoelectrophoresis
+implantation
+impregnation
+inactivation
+incontinence
+increase
+incrustation
+induction heating
+industrial process
+indweller
+infection
+infection
+inflation
+deflation
+inflationary spiral
+deflationary spiral
+inflow
+infructescence
+infusion
+inhibition
+inpouring
+inspissation
+insufflation
+integrated data processing
+intellectualization
+internal combustion
+intrusion
+intumescence
+intussusception
+invagination
+inversion
+involution
+iodination
+ion exchange
+ionization
+irreversible process
+isoagglutination
+isogamy
+isolation
+iteration
+iteration
+juvenescence
+cytokinesis
+karyokinesis
+karyolysis
+katamorphism
+keratinization
+Krebs cycle
+lacrimation
+lactation
+Lamaze method of childbirth
+laying
+leach
+leak
+Leboyer method of childbirth
+leeway
+leptotene
+lexicalization
+libration
+life cycle
+light reaction
+line feed
+linguistic process
+liquefaction
+list processing
+lithuresis
+logic operation
+loss
+lymphopoiesis
+lysis
+lysis
+lysogenization
+maceration
+macroevolution
+magnetization
+majority operation
+malabsorption
+marginalization
+market forces
+Markov chain
+Markov process
+masculinization
+materialization
+maturation
+mechanism
+meiosis
+mellowing
+meltdown
+menorrhagia
+menstruation
+metabolism
+metamorphism
+metamorphosis
+metaphase
+metaphase
+metastasis
+metathesis
+microevolution
+microphoning
+micturition
+mildew
+mineral extraction
+mitosis
+molt
+monadic operation
+monogenesis
+morphallaxis
+morphogenesis
+multiplex operation
+multiplication
+multiprocessing
+multiprogramming
+myelinization
+narrowing
+natural childbirth
+natural process
+Nazification
+necrolysis
+negative feedback
+neoplasia
+neurogenesis
+neutralization
+new line
+nitrification
+nitrification
+nitrogen cycle
+nitrogen fixation
+nocturia
+nocturnal emission
+nondevelopment
+nondisjunction
+nosedive
+nuclear reaction
+nucleosynthesis
+nutrition
+obsolescence
+oligomenorrhea
+oliguria
+omission
+oogenesis
+opacification
+open-hearth process
+operation
+operation
+opsonization
+organic process
+organification
+orogeny
+oscillation
+osmosis
+reverse osmosis
+ossification
+ossification
+ossification
+osteolysis
+outflow
+overactivity
+overcompensation
+overflow incontinence
+overheating
+ovulation
+oxidation
+oxidation-reduction
+oxidative phosphorylation
+oxygenation
+pachytene
+pair production
+palingenesis
+paper chromatography
+paper electrophoresis
+parallel operation
+parthenocarpy
+parthenogenesis
+parthenogenesis
+parturition
+passive transport
+pathogenesis
+pathologic process
+peace process
+peeing
+peptization
+percolation
+perennation
+peristalsis
+permeation
+perspiration
+petrifaction
+phagocytosis
+phase change
+phase of cell division
+photochemical reaction
+photoelectric emission
+photography
+photomechanics
+photosynthesis
+pigmentation
+pinocytosis
+pitting
+placentation
+planation
+plastination
+polymerization
+population growth
+irruption
+positive feedback
+potentiation
+powder photography
+precession of the equinoxes
+prechlorination
+precipitation
+precocious dentition
+premature ejaculation
+preservation
+printing operation
+priority processing
+processing
+professionalization
+projection
+proliferation
+proliferation
+prophase
+prophase
+proteolysis
+psilosis
+psychoanalytic process
+psychogenesis
+psychogenesis
+psychomotor development
+psychosexual development
+ptyalism
+pullulation
+pullulation
+pyrochemical process
+quadrupling
+quellung
+quickening
+quintupling
+radiant heating
+radiation
+radiography
+radiolysis
+rain-wash
+rally
+random walk
+rationalization
+reaction formation
+Read method of childbirth
+real-time processing
+rectification
+redeposition
+reducing
+reduction
+refilling
+refining
+reflation
+refrigeration
+regeneration
+regression
+regulation
+relaxation
+relaxation
+release
+replication
+repression
+reproduction
+resorption
+reticulation
+retrieval
+stovepiping
+reuptake
+reversible process
+rigor mortis
+ripening
+rooting
+rust
+salivation
+saltation
+saponification
+scanning
+scattering
+schizogony
+search
+secondary emission
+secretion
+segregation
+sensitization
+sequestration
+serial operation
+serial processing
+sericulture
+sexual reproduction
+shaping
+shedding
+shit
+sink
+sinking spell
+slippage
+slippage
+slump
+smoke
+soak
+social process
+softening
+soil erosion
+solvation
+Solvay process
+sorption
+sort
+source
+origin
+souring
+spallation
+specialization
+speciation
+spiral
+spermatogenesis
+spoilage
+spontaneous combustion
+stagflation
+Stalinization
+stationary stochastic process
+steel production
+stiffening
+stimulation
+stochastic process
+storage
+stratification
+stress incontinence
+subduction
+succession
+summation
+superposition
+supply
+suppression
+survival
+symphysis
+synapsis
+syncretism
+synchronous operation
+syneresis
+syneresis
+synergy
+synizesis
+synthesis
+tanning
+teething
+telophase
+telophase
+temperature change
+teratogenesis
+thaw
+thermionic emission
+thermocoagulation
+thermonuclear reaction
+threshold operation
+thrombolysis
+top fermentation
+transamination
+transamination
+transcription
+transduction
+transduction
+translation
+protein folding
+translocation
+translocation
+transpiration
+transpiration
+transpiration
+transport
+tripling
+tumefaction
+ulceration
+ultracentrifugation
+underdevelopment
+unfolding
+union
+uptake
+urbanization
+urge incontinence
+urochesia
+variation
+vaporization
+vascularization
+vegetation
+vesiculation
+vicious circle
+video digitizing
+vinification
+vitrification
+vulcanization
+washout
+wastage
+Westernization
+widening
+word processing
+zygotene
+zymosis
+zymosis
+fundamental quantity
+definite quantity
+indefinite quantity
+relative quantity
+system of measurement
+system of weights and measures
+British Imperial System
+metric system
+cgs
+Systeme International d'Unites
+United States Customary System
+point system
+information measure
+bandwidth
+baud
+cordage
+octane number
+utility
+marginal utility
+enough
+fill
+normality
+majority
+plurality
+absolute value
+acid value
+chlorinity
+number
+quire
+ream
+solubility
+toxicity
+cytotoxicity
+unit of measurement
+measuring unit
+denier
+diopter
+karat
+decimal
+constant
+Avogadro's number
+Boltzmann's constant
+coefficient
+absorption coefficient
+drag coefficient
+coefficient of friction
+coefficient of mutual induction
+coefficient of self induction
+modulus
+coefficient of elasticity
+bulk modulus
+modulus of rigidity
+Young's modulus
+coefficient of expansion
+coefficient of reflection
+transmittance
+coefficient of viscosity
+weight
+cosmological constant
+equilibrium constant
+dissociation constant
+gas constant
+gravitational constant
+Hubble's constant
+ionic charge
+Planck's constant
+oxidation number
+cardinality
+count
+complement
+blood count
+body count
+circulation
+circulation
+head count
+pollen count
+sperm count
+factor
+conversion factor
+factor of proportionality
+Fibonacci number
+prime
+prime factor
+prime number
+composite number
+score
+stroke
+birdie
+bogey
+deficit
+double-bogey
+duck
+eagle
+double eagle
+game
+lead
+love
+match
+par
+record
+compound number
+ordinal number
+first
+cardinal number
+base
+floating-point number
+fixed-point number
+frequency
+googol
+googolplex
+atomic number
+magic number
+baryon number
+quota
+long measure
+magnetization
+magnetic flux
+absorption unit
+acceleration unit
+angular unit
+area unit
+volume unit
+cubic inch
+cubic foot
+computer memory unit
+cord
+electromagnetic unit
+explosive unit
+force unit
+linear unit
+metric unit
+miles per gallon
+monetary unit
+megaflop
+teraflop
+MIPS
+pain unit
+pressure unit
+printing unit
+sound unit
+telephone unit
+temperature unit
+weight unit
+mass unit
+unit of viscosity
+work unit
+langley
+Brinell number
+Brix scale
+point
+advantage
+set point
+match point
+sabin
+circular measure
+mil
+degree
+second
+minute
+microradian
+milliradian
+radian
+grad
+oxtant
+sextant
+straight angle
+steradian
+square inch
+square foot
+square yard
+square meter
+square mile
+section
+quarter section
+acre
+are
+hectare
+arpent
+barn
+dessiatine
+morgen
+perch
+liquid unit
+dry unit
+United States liquid unit
+British capacity unit
+metric capacity unit
+ardeb
+arroba
+bath
+cran
+ephah
+field capacity
+homer
+hin
+fathom
+acre-foot
+acre inch
+board measure
+board foot
+standard
+cubic yard
+last
+mutchkin
+oka
+minim
+fluidram
+fluidounce
+gill
+cup
+pint
+fifth
+quart
+gallon
+barrel
+United States dry unit
+pint
+quart
+peck
+bushel
+minim
+fluidram
+fluidounce
+gill
+pint
+quart
+gallon
+peck
+bushel
+firkin
+kilderkin
+quarter
+hogshead
+chaldron
+cubic millimeter
+milliliter
+centiliter
+deciliter
+liter
+dekaliter
+hectoliter
+kiloliter
+cubic kilometer
+bit
+parity bit
+nybble
+byte
+sector
+block
+bad block
+allocation unit
+partition
+word
+kilobyte
+kilobyte
+kilobit
+kibibit
+megabyte
+megabyte
+megabit
+mebibit
+gigabyte
+gigabyte
+gigabit
+gibibit
+terabyte
+terabyte
+terabit
+tebibit
+petabyte
+petabyte
+petabit
+pebibit
+exabyte
+exabyte
+exabit
+exbibit
+zettabyte
+zettabyte
+zettabit
+zebibit
+yottabyte
+yottabyte
+yottabit
+yobibit
+capacitance unit
+charge unit
+conductance unit
+current unit
+elastance unit
+field strength unit
+flux density unit
+flux unit
+inductance unit
+light unit
+magnetomotive force unit
+potential unit
+power unit
+radioactivity unit
+resistance unit
+electrostatic unit
+picofarad
+microfarad
+millifarad
+farad
+abfarad
+coulomb
+abcoulomb
+ampere-minute
+ampere-hour
+mho
+ampere
+milliampere
+abampere
+ampere
+daraf
+gamma
+oersted
+maxwell
+weber
+microgauss
+gauss
+tesla
+abhenry
+millihenry
+henry
+illumination unit
+luminance unit
+luminous flux unit
+luminous intensity unit
+exposure
+footcandle
+lambert
+lux
+phot
+nit
+foot-lambert
+lumen
+candle
+international candle
+gilbert
+ampere-turn
+magneton
+abvolt
+millivolt
+microvolt
+nanovolt
+picovolt
+femtovolt
+volt
+kilovolt
+rydberg
+wave number
+abwatt
+milliwatt
+watt
+kilowatt
+megawatt
+horsepower
+volt-ampere
+kilovolt-ampere
+millicurie
+curie
+gray
+roentgen
+rutherford
+REM
+rad
+abohm
+ohm
+megohm
+kiloton
+megaton
+dyne
+newton
+sthene
+poundal
+pound
+pounder
+g
+gal
+Beaufort scale
+astronomy unit
+metric linear unit
+nautical linear unit
+inch
+foot
+footer
+yard
+yarder
+perch
+furlong
+mile
+miler
+half mile
+quarter mile
+league
+ligne
+nail
+archine
+kos
+vara
+verst
+cable
+chain
+Gunter's chain
+engineer's chain
+cubit
+finger
+fistmele
+body length
+extremum
+hand
+handbreadth
+head
+lea
+li
+link
+mesh
+mil
+mile
+mile
+Roman pace
+geometric pace
+military pace
+palm
+span
+survey mile
+light year
+light hour
+light minute
+light second
+Astronomical Unit
+parsec
+femtometer
+picometer
+angstrom
+nanometer
+micron
+millimeter
+centimeter
+decimeter
+meter
+decameter
+hectometer
+kilometer
+myriameter
+nautical chain
+fathom
+nautical mile
+nautical mile
+sea mile
+halfpennyworth
+pennyworth
+dollar
+euro
+franc
+fractional monetary unit
+Afghan monetary unit
+afghani
+pul
+Argentine monetary unit
+austral
+Thai monetary unit
+baht
+satang
+Panamanian monetary unit
+balboa
+Ethiopian monetary unit
+birr
+cent
+centesimo
+centimo
+centavo
+centime
+Venezuelan monetary unit
+bolivar
+Ghanian monetary unit
+cedi
+pesewa
+Costa Rican monetary unit
+colon
+El Salvadoran monetary unit
+colon
+Brazilian monetary unit
+real
+Gambian monetary unit
+dalasi
+butut
+Algerian monetary unit
+Algerian dinar
+Algerian centime
+Bahrainian monetary unit
+Bahrain dinar
+fils
+Iraqi monetary unit
+Iraqi dinar
+Jordanian monetary unit
+Jordanian dinar
+Kuwaiti monetary unit
+Kuwaiti dinar
+Kuwaiti dirham
+Libyan monetary unit
+Libyan dinar
+Libyan dirham
+Tunisian monetary unit
+Tunisian dinar
+Tunisian dirham
+millime
+Yugoslavian monetary unit
+Yugoslavian dinar
+para
+Moroccan monetary unit
+Moroccan dirham
+United Arab Emirate monetary unit
+United Arab Emirate dirham
+Australian dollar
+Bahamian dollar
+Barbados dollar
+Belize dollar
+Bermuda dollar
+Brunei dollar
+sen
+Canadian dollar
+Cayman Islands dollar
+Dominican dollar
+Fiji dollar
+Grenada dollar
+Guyana dollar
+Hong Kong dollar
+Jamaican dollar
+Kiribati dollar
+Liberian dollar
+New Zealand dollar
+Singapore dollar
+Taiwan dollar
+Trinidad and Tobago dollar
+Tuvalu dollar
+United States dollar
+Eurodollar
+Zimbabwean dollar
+Vietnamese monetary unit
+dong
+hao
+Greek monetary unit
+drachma
+lepton
+Sao Thome e Principe monetary unit
+dobra
+Cape Verde monetary unit
+Cape Verde escudo
+Portuguese monetary unit
+Portuguese escudo
+conto
+Hungarian monetary unit
+forint
+filler
+pengo
+Belgian franc
+Benin franc
+Burundi franc
+Cameroon franc
+Central African Republic franc
+Chadian franc
+Congo franc
+Djibouti franc
+French franc
+Gabon franc
+Ivory Coast franc
+Luxembourg franc
+Madagascar franc
+Mali franc
+Niger franc
+Rwanda franc
+Senegalese franc
+Swiss franc
+Togo franc
+Burkina Faso franc
+Haitian monetary unit
+gourde
+Haitian centime
+Paraguayan monetary unit
+guarani
+Dutch monetary unit
+guilder
+Surinamese monetary unit
+guilder
+Peruvian monetary unit
+inti
+Papuan monetary unit
+kina
+toea
+Laotian monetary unit
+kip
+at
+Czech monetary unit
+koruna
+haler
+Slovakian monetary unit
+koruna
+haler
+Icelandic monetary unit
+Icelandic krona
+eyrir
+Swedish monetary unit
+Swedish krona
+ore
+Danish monetary unit
+Danish krone
+Norwegian monetary unit
+Norwegian krone
+Malawian monetary unit
+Malawi kwacha
+tambala
+Zambian monetary unit
+Zambian kwacha
+ngwee
+Angolan monetary unit
+kwanza
+lwei
+Myanmar monetary unit
+kyat
+pya
+Albanian monetary unit
+lek
+qindarka
+Honduran monetary unit
+lempira
+Sierra Leone monetary unit
+leone
+Romanian monetary unit
+leu
+ban
+Bulgarian monetary unit
+lev
+stotinka
+Swaziland monetary unit
+lilangeni
+Italian monetary unit
+lira
+British monetary unit
+British pound
+British shilling
+Turkish monetary unit
+lira
+kurus
+asper
+Lesotho monetary unit
+loti
+sente
+German monetary unit
+mark
+pfennig
+Finnish monetary unit
+markka
+penni
+Mozambique monetary unit
+metical
+Nigerian monetary unit
+naira
+kobo
+Bhutanese monetary unit
+ngultrum
+chetrum
+Mauritanian monetary unit
+ouguiya
+khoum
+Tongan monetary unit
+pa'anga
+seniti
+Macao monetary unit
+pataca
+avo
+Spanish monetary unit
+peseta
+Bolivian monetary unit
+boliviano
+Nicaraguan monetary unit
+cordoba
+Chilean monetary unit
+Chilean peso
+Colombian monetary unit
+Colombian peso
+Cuban monetary unit
+Cuban peso
+Dominican monetary unit
+Dominican peso
+Guinea-Bissau monetary unit
+Guinea-Bissau peso
+Mexican monetary unit
+Mexican peso
+Philippine monetary unit
+Philippine peso
+Uruguayan monetary unit
+Uruguayan peso
+Cypriot monetary unit
+Cypriot pound
+mil
+Egyptian monetary unit
+Egyptian pound
+piaster
+penny
+Irish monetary unit
+Irish pound
+Lebanese monetary unit
+Lebanese pound
+Maltese monetary unit
+lira
+Sudanese monetary unit
+Sudanese pound
+Syrian monetary unit
+Syrian pound
+Botswana monetary unit
+pula
+thebe
+Guatemalan monetary unit
+quetzal
+South African monetary unit
+rand
+Iranian monetary unit
+Iranian rial
+Iranian dinar
+Omani monetary unit
+riyal-omani
+baiza
+Yemeni monetary unit
+Yemeni rial
+Yemeni fils
+Cambodian monetary unit
+riel
+Malaysian monetary unit
+ringgit
+Qatari monetary unit
+Qatari riyal
+Qatari dirham
+Saudi Arabian monetary unit
+Saudi Arabian riyal
+qurush
+Russian monetary unit
+ruble
+kopek
+Armenian monetary unit
+dram
+lumma
+Azerbaijani monetary unit
+manat
+qepiq
+Belarusian monetary unit
+rubel
+kapeika
+Estonian monetary unit
+kroon
+sent
+Georgian monetary unit
+lari
+tetri
+Kazakhstani monetary unit
+tenge
+tiyin
+Latvian monetary unit
+lats
+santims
+Lithuanian monetary unit
+litas
+centas
+Kyrgyzstani monetary unit
+som
+tyiyn
+Moldovan monetary unit
+leu
+ban
+Tajikistani monetary unit
+ruble
+tanga
+Turkmen monetary unit
+manat
+tenge
+Ukranian monetary unit
+hryvnia
+kopiyka
+Uzbekistani monetary unit
+som
+tiyin
+Indian monetary unit
+Indian rupee
+paisa
+Pakistani monetary unit
+Pakistani rupee
+anna
+Mauritian monetary unit
+Mauritian rupee
+Nepalese monetary unit
+Nepalese rupee
+Seychelles monetary unit
+Seychelles rupee
+Sri Lankan monetary unit
+Sri Lanka rupee
+Indonesian monetary unit
+rupiah
+Austrian monetary unit
+schilling
+groschen
+Israeli monetary unit
+shekel
+agora
+Kenyan monetary unit
+Kenyan shilling
+Somalian monetary unit
+Somalian shilling
+Tanzanian monetary unit
+Tanzanian shilling
+Ugandan monetary unit
+Ugandan shilling
+Ecuadoran monetary unit
+sucre
+Guinean monetary unit
+Guinean franc
+Bangladeshi monetary unit
+taka
+Western Samoan monetary unit
+tala
+sene
+Mongolian monetary unit
+tugrik
+mongo
+North Korean monetary unit
+North Korean won
+chon
+South Korean monetary unit
+South Korean won
+chon
+Japanese monetary unit
+yen
+Chinese monetary unit
+yuan
+jiao
+fen
+Zairese monetary unit
+zaire
+likuta
+Polish monetary unit
+zloty
+grosz
+dol
+standard atmosphere
+pascal
+torr
+pounds per square inch
+millibar
+bar
+barye
+point
+em
+en
+em
+cicero
+agate line
+milline
+column inch
+linage
+Bel
+decibel
+sone
+phon
+Erlang
+degree
+millidegree
+degree centigrade
+degree Fahrenheit
+kelvin
+Rankine
+degree day
+standard temperature
+poise
+atomic mass unit
+mass number
+system of weights
+avoirdupois
+avoirdupois unit
+troy
+troy unit
+apothecaries' unit
+metric weight unit
+arroba
+catty
+crith
+frail
+last
+maund
+obolus
+oka
+picul
+pood
+rotl
+slug
+tael
+tod
+welterweight
+grain
+dram
+ounce
+pound
+pound
+half pound
+quarter pound
+stone
+quarter
+hundredweight
+hundredweight
+long ton
+short ton
+kiloton
+megaton
+grain
+scruple
+pennyweight
+dram
+ounce
+troy pound
+microgram
+milligram
+nanogram
+grain
+decigram
+carat
+gram
+gram atom
+gram molecule
+dekagram
+hectogram
+kilogram
+key
+myriagram
+centner
+hundredweight
+quintal
+metric ton
+erg
+electron volt
+joule
+calorie
+Calorie
+British thermal unit
+therm
+watt-hour
+kilowatt hour
+foot-pound
+foot-ton
+foot-poundal
+horsepower-hour
+kilogram-meter
+natural number
+integer
+addend
+augend
+minuend
+subtrahend
+remainder
+complex number
+complex conjugate
+real number
+pure imaginary number
+imaginary part
+modulus
+rational number
+irrational number
+transcendental number
+algebraic number
+square
+cube
+biquadrate
+radical
+root
+square root
+cube root
+fraction
+common fraction
+numerator
+dividend
+denominator
+divisor
+quotient
+divisor
+remainder
+multiplier
+multiplicand
+scale factor
+time-scale factor
+equivalent-binary-digit factor
+aliquot
+aliquant
+common divisor
+greatest common divisor
+common multiple
+common denominator
+modulus
+improper fraction
+proper fraction
+complex fraction
+decimal fraction
+circulating decimal
+continued fraction
+one-half
+fifty percent
+moiety
+one-third
+two-thirds
+one-fourth
+three-fourths
+one-fifth
+one-sixth
+one-seventh
+one-eighth
+one-ninth
+one-tenth
+one-twelfth
+one-sixteenth
+one-thirty-second
+one-sixtieth
+one-sixty-fourth
+one-hundredth
+one-thousandth
+one-ten-thousandth
+one-hundred-thousandth
+one-millionth
+one-hundred-millionth
+one-billionth
+one-trillionth
+one-quadrillionth
+one-quintillionth
+nothing
+nihil
+bugger all
+digit
+binary digit
+octal digit
+decimal digit
+duodecimal digit
+hexadecimal digit
+significant digit
+zero
+one
+monad
+singleton
+mate
+two
+craps
+couple
+doubleton
+three
+four
+five
+six
+seven
+eight
+nine
+large integer
+double digit
+ten
+eleven
+twelve
+boxcars
+teens
+thirteen
+fourteen
+fifteen
+sixteen
+seventeen
+eighteen
+nineteen
+twenty
+twenty-one
+twenty-two
+twenty-three
+twenty-four
+twenty-five
+twenty-six
+twenty-seven
+twenty-eight
+twenty-nine
+thirty
+forty
+fifty
+sixty
+seventy
+seventy-eight
+eighty
+ninety
+hundred
+gross
+long hundred
+five hundred
+thousand
+millenary
+great gross
+ten thousand
+hundred thousand
+million
+crore
+billion
+milliard
+billion
+trillion
+trillion
+quadrillion
+quadrillion
+quintillion
+sextillion
+septillion
+octillion
+aleph-null
+pi
+e
+addition
+accretion
+bag
+breakage
+capacity
+formatted capacity
+unformatted capacity
+catch
+correction
+containerful
+footstep
+headspace
+large indefinite quantity
+chunk
+limit
+limit
+output
+cutoff
+region
+outage
+picking
+reserve
+pulmonary reserve
+run
+small indefinite quantity
+crumb
+dab
+spot
+hair's-breadth
+modicum
+scattering
+shoestring
+spray
+nose
+step
+little
+shtik
+shtikl
+tad
+minimum
+skeleton
+spillage
+spoilage
+tankage
+ullage
+top-up
+worth
+armful
+bag
+barrel
+barrow
+barnful
+basin
+basket
+bin
+bottle
+bowl
+box
+bucket
+busload
+can
+capful
+carful
+cartload
+carton
+case
+cask
+crate
+cup
+dish
+dustpan
+flask
+glass
+handful
+hatful
+headful
+houseful
+jar
+jug
+keg
+kettle
+lapful
+mouthful
+mug
+pail
+pipeful
+pitcher
+plate
+pocketful
+pot
+roomful
+sack
+scoop
+shelfful
+shoeful
+skinful
+shovel
+skepful
+split
+spoon
+tablespoon
+dessertspoon
+tank
+teacup
+teaspoon
+thimble
+tub
+morsel
+handful
+couple
+drop
+droplet
+eyedrop
+dollop
+dose
+load
+load
+precipitation
+trainload
+dreg
+jack
+nip
+trace
+spark
+shred
+tot
+snuff
+touch
+barrels
+batch
+battalion
+billyo
+boatload
+flood
+haymow
+infinitude
+maximum
+mile
+million
+much
+myriad
+reservoir
+ocean
+ream
+small fortune
+supply
+tons
+room
+breathing room
+headroom
+houseroom
+living space
+parking
+sea room
+swath
+volume
+volume
+capacity
+vital capacity
+population
+proof
+STP
+relations
+causality
+relationship
+function
+partnership
+personal relation
+bonding
+obligation
+female bonding
+male bonding
+maternal-infant bonding
+association
+logical relation
+contradictory
+contrary
+mathematical relation
+function
+expansion
+inverse function
+Kronecker delta
+metric function
+transformation
+reflection
+rotation
+translation
+affine transformation
+isometry
+operator
+linear operator
+identity
+trigonometric function
+sine
+arc sine
+cosine
+arc cosine
+tangent
+arc tangent
+cotangent
+arc cotangent
+secant
+arc secant
+cosecant
+arc cosecant
+threshold function
+exponential
+exponential equation
+exponential curve
+exponential expression
+exponential series
+parity
+evenness
+oddness
+foundation
+footing
+common ground
+grass roots
+connection
+series
+alliance
+silver cord
+linkage
+link
+communication
+concatenation
+bridge
+involvement
+implication
+inclusion
+unconnectedness
+relevance
+materiality
+cogency
+point
+germaneness
+applicability
+relatedness
+bearing
+irrelevance
+inapplicability
+immateriality
+unrelatedness
+extraneousness
+grammatical relation
+linguistic relation
+agreement
+number agreement
+person agreement
+case agreement
+gender agreement
+transitivity
+intransitivity
+transitivity
+reflexivity
+coreference
+reflexivity
+conjunction
+coordinating conjunction
+subordinating conjunction
+copulative conjunction
+disjunctive conjunction
+adversative conjunction
+complementation
+coordination
+subordination
+modification
+restrictiveness
+apposition
+mood
+indicative mood
+subjunctive mood
+optative mood
+imperative mood
+interrogative mood
+modality
+anaphoric relation
+voice
+active voice
+passive voice
+inflection
+conjugation
+declension
+paradigm
+pluralization
+aspect
+perfective
+imperfective
+durative
+progressive aspect
+inchoative
+iterative
+progressive
+present progressive
+perfective
+present perfect
+preterit
+past perfect
+past progressive
+future perfect
+future progressive
+semantic relation
+hyponymy
+hypernymy
+synonymy
+antonymy
+holonymy
+meronymy
+troponymy
+homonymy
+part
+basis
+detail
+highlight
+unit
+member
+remainder
+leftover
+subpart
+affinity
+rapport
+sympathy
+mutual understanding
+affinity
+kinship
+descent
+affinity
+steprelationship
+consanguinity
+parentage
+fatherhood
+motherhood
+sisterhood
+brotherhood
+bilateral descent
+unilateral descent
+matrilineage
+patrilineage
+marital relationship
+magnitude relation
+scale
+proportion
+proportion
+case-fatality proportion
+case-to-infection proportion
+content
+rate
+scale
+golden section
+commensurateness
+percentage
+absentee rate
+batting average
+batting average
+fielding average
+occupancy rate
+hospital occupancy
+hotel occupancy
+vacancy rate
+unemployment rate
+ratio
+abundance
+abundance
+albedo
+aspect ratio
+average
+cephalic index
+efficiency
+figure of merit
+facial index
+focal ratio
+frequency
+hematocrit
+intelligence quotient
+adult intelligence
+borderline intelligence
+load factor
+loss ratio
+Mach number
+magnification
+mechanical advantage
+mileage
+odds
+order of magnitude
+output-to-input ratio
+prevalence
+price-to-earnings ratio
+productivity
+proportionality
+quotient
+refractive index
+relative humidity
+respiratory quotient
+safety factor
+signal-to-noise ratio
+stoichiometry
+time constant
+employee turnover
+loading
+power loading
+span loading
+wing loading
+incidence
+morbidity
+control
+direction
+frontage
+orientation
+attitude
+trim
+horizontal
+vertical
+opposition
+orthogonality
+antipodal
+enantiomorphism
+windward
+to windward
+leeward
+to leeward
+seaward
+quarter
+compass point
+cardinal compass point
+north
+north by east
+north
+north northeast
+northeast by north
+northeast
+northeast by east
+east northeast
+east by north
+east
+east by south
+east southeast
+southeast by east
+southeast
+southeast by south
+south southeast
+south by east
+south
+south by west
+south southwest
+southwest by south
+southwest
+southwest by west
+west southwest
+west by south
+west
+west by north
+west northwest
+northwest by west
+northwest
+northwest by north
+north northwest
+north by west
+north
+northeast
+east
+southeast
+south
+southwest
+west
+northwest
+angular position
+elevation
+depression
+business relation
+competition
+price war
+clientage
+professional relation
+medical relation
+doctor-patient relation
+nurse-patient relation
+legal relation
+fiduciary relation
+bank-depositor relation
+confidential adviser-advisee relation
+conservator-ward relation
+director-stockholder relation
+executor-heir relation
+lawyer-client relation
+partner relation
+receiver-creditor relation
+trustee-beneficiary relation
+academic relation
+teacher-student relation
+politics
+chemistry
+reciprocality
+complementarity
+correlation
+mutuality
+commensalism
+parasitism
+symbiosis
+trophobiosis
+additive inverse
+multiplicative inverse
+mutuality
+reciprocal
+sharing
+sharing
+time sharing
+interrelation
+psychodynamics
+temporal relation
+antecedent
+chronology
+synchronism
+asynchronism
+first
+former
+second
+latter
+third
+fourth
+fifth
+sixth
+seventh
+eighth
+ninth
+tenth
+eleventh
+twelfth
+thirteenth
+fourteenth
+fifteenth
+sixteenth
+seventeenth
+eighteenth
+nineteenth
+twentieth
+thirtieth
+fortieth
+fiftieth
+sixtieth
+seventieth
+eightieth
+ninetieth
+hundredth
+thousandth
+millionth
+billionth
+last
+scale
+Beaufort scale
+index
+logarithmic scale
+Mercalli scale
+Mohs scale
+Richter scale
+moment magnitude scale
+temperature scale
+Celsius scale
+Fahrenheit scale
+Kelvin scale
+Rankine scale
+Reaumur scale
+wage scale
+sliding scale
+comparison
+imaginative comparison
+gauge
+baseline
+norm
+opposition
+antipode
+antithesis
+conflict
+contrast
+flip side
+mutual opposition
+gradable opposition
+polar opposition
+polarity
+positivity
+negativity
+ungradable opposition
+complementarity
+contradictoriness
+contradiction
+dialectic
+incompatibility
+contrary
+contrariety
+tertium quid
+reverse
+inverse
+change
+difference
+gradient
+concentration gradient
+gravity gradient
+temperature gradient
+implication
+antagonism
+solid
+plane
+Cartesian plane
+facet plane
+midplane
+orbital plane
+picture plane
+tangent plane
+natural shape
+leaf shape
+equilateral
+flare
+figure
+pencil
+plane figure
+solid figure
+subfigure
+line
+bulb
+convex shape
+camber
+entasis
+angular shape
+concave shape
+cylinder
+round shape
+conglomeration
+heart
+polygon
+isogon
+convex polygon
+concave polygon
+reentrant polygon
+regular polygon
+distorted shape
+amorphous shape
+curve
+closed curve
+simple closed curve
+S-shape
+catenary
+Cupid's bow
+wave
+extrados
+gooseneck
+intrados
+bend
+hook
+uncus
+envelope
+bight
+straight line
+geodesic
+perpendicular
+connection
+asymptote
+tangent
+secant
+perimeter
+radius
+diameter
+centerline
+dome
+pit
+recess
+cone
+funnel
+conic section
+intersection
+oblong
+circle
+circlet
+circle
+equator
+semicircle
+arc
+scallop
+chord
+sector
+disk
+ring
+loop
+bight
+coil
+spiral
+helix
+double helix
+perversion
+eccentricity
+element
+element of a cone
+element of a cylinder
+helix angle
+kink
+whirl
+ellipse
+square
+square
+quadrate
+quadrilateral
+triangle
+triangle
+acute triangle
+equilateral triangle
+delta
+isosceles triangle
+oblique triangle
+obtuse triangle
+right triangle
+scalene triangle
+hexagram
+parallel
+parallelogram
+trapezium
+trapezoid
+star
+asterism
+pentacle
+pentagon
+hexagon
+regular hexagon
+heptagon
+octagon
+nonagon
+decagon
+undecagon
+dodecagon
+rhombus
+rhomboid
+rectangle
+box
+spherical polygon
+spherical triangle
+polyhedron
+convex polyhedron
+concave polyhedron
+prism
+parallelepiped
+cuboid
+quadrangular prism
+triangular prism
+sinuosity
+tortuosity
+warp
+knot
+arch
+bell
+parabola
+hyperbola
+furcation
+bifurcation
+bifurcation
+jog
+zigzag
+angle
+complementary angles
+angular distance
+hour angle
+true anomaly
+plane angle
+spherical angle
+solid angle
+inclination
+inclination
+reentrant angle
+salient angle
+interior angle
+exterior angle
+hip
+angle of incidence
+angle of attack
+critical angle
+angle of reflection
+angle of refraction
+angle of extinction
+acute angle
+obtuse angle
+dogleg
+right angle
+oblique angle
+reflex angle
+perigon
+cutting angle
+dip
+lead
+magnetic declination
+azimuth
+bowl
+groove
+rut
+scoop
+bulge
+belly
+caput
+mogul
+nub
+snag
+wart
+node
+bow
+crescent
+depression
+dimple
+hyperboloid
+paraboloid
+ellipsoid
+flank
+hypotenuse
+altitude
+base
+balance
+conformation
+symmetry
+disproportion
+spheroid
+sphere
+hemisphere
+sphere
+ball
+spherule
+cylinder
+torus
+toroid
+column
+plume
+columella
+hoodoo
+barrel
+pipe
+pellet
+bolus
+drop
+dewdrop
+teardrop
+ridge
+corrugation
+rim
+point
+taper
+quadric
+boundary
+margin
+periphery
+brink
+upper bound
+lower bound
+diagonal
+diagonal
+dip
+cup
+incision
+incisure
+notch
+score
+sag
+wrinkle
+crow's foot
+dermatoglyphic
+frown line
+line of life
+line of heart
+line of fate
+crevice
+fold
+pucker
+indentation
+cleft
+stria
+roulette
+cycloid
+curate cycloid
+prolate cycloid
+sine curve
+epicycle
+epicycloid
+cardioid
+hypocycloid
+shapelessness
+blob
+void
+space
+hollow
+node
+articulation
+hole
+cavity
+pocket
+point
+pore
+tree
+cladogram
+stemma
+thalweg
+spur
+constriction
+facet
+vector
+ray
+cast
+branch
+brachium
+fork
+pouch
+block
+pyramid
+ovoid
+tetrahedron
+pentahedron
+hexahedron
+rhombohedron
+octahedron
+decahedron
+dodecahedron
+icosahedron
+regular polyhedron
+polyhedral angle
+face angle
+regular tetrahedron
+cube
+tesseract
+quadrate
+regular dodecahedron
+regular octahedron
+regular icosahedron
+frustum
+truncated pyramid
+truncated cone
+prismatoid
+prismoid
+tail
+tongue
+tilt angle
+trapezohedron
+vertical angle
+verticil
+view angle
+washout
+wave angle
+wedge
+projection
+keel
+cleavage
+medium
+ornamentation
+condition
+condition
+conditions
+conditions
+condition
+anchorage
+health
+mode
+conditionality
+ground state
+niche
+noise conditions
+participation
+prepossession
+regularization
+saturation
+saturation point
+silence
+situation
+ski conditions
+niche
+election
+nationhood
+nomination
+place
+poverty trap
+soup
+stymie
+situation
+absurd
+relationship
+relationship
+tribalism
+account
+short account
+blood brotherhood
+company
+confidence
+freemasonry
+acquaintance
+affiliation
+anaclisis
+assimilation
+friendship
+intrigue
+love affair
+membership
+sexual relationship
+affair
+utopia
+dystopia
+acceptance
+ballgame
+challenge
+childlessness
+complication
+conflict of interest
+crisis
+crowding
+crunch
+disequilibrium
+element
+environment
+equilibrium
+exclusion
+goldfish bowl
+hornet's nest
+hotbed
+hot potato
+how-do-you-do
+imbroglio
+inclusion
+intestacy
+Mexican standoff
+nightmare
+no-win situation
+pass
+picture
+prison
+purgatory
+rejection
+size
+square one
+status quo
+swamp
+standardization
+stigmatism
+astigmatism
+stratification
+wild
+way
+isomerism
+degree
+ladder
+acme
+extent
+resultant
+standard of living
+plane
+state of the art
+ultimacy
+extremity
+profoundness
+ordinary
+circumstance
+homelessness
+vagrancy
+event
+hinge
+playing field
+thing
+time bomb
+tinderbox
+urgency
+congestion
+reinstatement
+office
+executive clemency
+war power
+status
+equality
+egality
+tie
+deuce
+social station
+place
+place
+quality
+standing
+high status
+center stage
+stardom
+championship
+triple crown
+triple crown
+high ground
+seniority
+precedence
+back burner
+front burner
+transcendence
+high profile
+Holy Order
+low status
+inferiority
+backseat
+shade
+subordinateness
+handmaid
+junior status
+subservience
+legal status
+civil death
+villeinage
+bastardy
+left-handedness
+citizenship
+command
+nationality
+footing
+retirement
+being
+actuality
+entelechy
+genuineness
+reality
+fact
+reality
+historicalness
+truth
+eternity
+preexistence
+coexistence
+eternal life
+subsistence
+presence
+immanence
+inherence
+ubiety
+ubiquity
+hereness
+thereness
+thereness
+occurrence
+allopatry
+sympatry
+shadow
+nonbeing
+nonexistence
+unreality
+cloud
+falsity
+spuriousness
+absence
+nonoccurrence
+awayness
+life
+animation
+skin
+survival
+subsistence
+death
+rest
+extinction
+life
+ghetto
+transcendence
+marital status
+marriage
+bigamy
+civil union
+common-law marriage
+endogamy
+exogamy
+marriage of convenience
+misalliance
+mesalliance
+monandry
+monogamy
+monogyny
+serial monogamy
+open marriage
+cuckoldom
+polyandry
+polygamy
+polygyny
+sigeh
+celibacy
+virginity
+bachelorhood
+spinsterhood
+widowhood
+employment
+unemployment
+order
+civil order
+rule of law
+tranquillity
+harmony
+peace
+comity
+comity of nations
+stability
+peace
+amity
+peaceableness
+mollification
+armistice
+agreement
+community
+conciliation
+concurrence
+consensus
+sense of the meeting
+unanimity
+unison
+social contract
+disorder
+anarchy
+nihilism
+cytopenia
+hematocytopenia
+pancytopenia
+immunological disorder
+immunocompetence
+immunodeficiency
+immunosuppression
+bloodiness
+incompatibility
+histoincompatibility
+Rh incompatibility
+instability
+confusion
+demoralization
+bluster
+chaos
+balagan
+hugger-mugger
+schemozzle
+rioting
+rowdiness
+disturbance
+convulsion
+earthquake
+incident
+stir
+storm
+storm center
+tumult
+combustion
+discord
+turbulence
+agitation
+roller coaster
+violence
+rage
+hostility
+latent hostility
+conflict
+clash
+clash
+war
+proxy war
+hot war
+cold war
+Cold War
+disagreement
+disunity
+divide
+suspicion
+cloud
+illumination
+light
+dark
+night
+total darkness
+blackout
+semidarkness
+cloudiness
+shade
+shadow
+umbra
+penumbra
+dimness
+gloom
+obscurity
+emotional state
+embarrassment
+ecstasy
+gratification
+quality of life
+comfort
+happiness
+blessedness
+bliss
+ecstasy
+nirvana
+state
+unhappiness
+embitterment
+sadness
+mourning
+poignance
+innocence
+blamelessness
+purity
+cleanness
+clear
+guilt
+blameworthiness
+bloodguilt
+complicity
+criminalism
+guilt by association
+impeachability
+freedom
+academic freedom
+enfranchisement
+autonomy
+self-government
+sovereignty
+local option
+home rule
+autarky
+fragmentation
+free hand
+free rein
+freedom of the seas
+independence
+liberty
+license
+poetic license
+latitude
+license
+civil liberty
+discretion
+run
+liberty
+svoboda
+subjugation
+repression
+oppression
+yoke
+enslavement
+bondage
+bondage
+bonded labor
+servitude
+peonage
+serfdom
+encapsulation
+confinement
+constraint
+cage
+iron cage
+captivity
+detention
+solitary confinement
+durance
+life imprisonment
+internment
+representation
+free agency
+legal representation
+autonomy
+separateness
+dependence
+helplessness
+reliance
+subordination
+contingency
+polarization
+balance
+tension
+balance of power
+dynamic balance
+homeostasis
+isostasy
+Nash equilibrium
+poise
+thermal equilibrium
+imbalance
+motion
+shaking
+tremolo
+tremor
+essential tremor
+perpetual motion
+precession
+stream
+motionlessness
+stationariness
+rootage
+dead letter
+action
+agency
+Frankenstein
+virus
+busyness
+behavior
+eruption
+operation
+overdrive
+commission
+running
+idle
+play
+swing
+inaction
+abeyance
+anergy
+arrest
+calcification
+deep freeze
+desuetude
+dormancy
+extinction
+holding pattern
+rest
+stagnation
+stagnation
+stasis
+recession
+cold storage
+deferral
+moratorium
+standdown
+hibernation
+estivation
+acathexia
+angiotelectasia
+torpor
+hibernation
+lethargy
+slumber
+countercheck
+deadlock
+logjam
+temporary state
+case
+state of mind
+thinking cap
+fatigue
+eyestrain
+jet lag
+exhaustion
+depletion
+salt depletion
+electrolyte balance
+nitrogen balance
+frazzle
+mental exhaustion
+grogginess
+loginess
+drunkenness
+grogginess
+sottishness
+soberness
+acardia
+acephalia
+acidosis
+ketoacidosis
+metabolic acidosis
+respiratory acidosis
+starvation acidosis
+acidemia
+alkalemia
+alkalinuria
+alkalosis
+metabolic alkalosis
+respiratory alkalosis
+acorea
+acromicria
+acromphalus
+agalactia
+amastia
+ankylosis
+aneuploidy
+anorchism
+wakefulness
+hypersomnia
+insomnia
+anesthesia
+anhidrosis
+aplasia
+arousal
+arteriectasis
+arthropathy
+asynergy
+asystole
+sleep
+sleep terror disorder
+orthodox sleep
+paradoxical sleep
+sleep
+shuteye
+abulia
+anhedonia
+depersonalization
+hypnosis
+self-hypnosis
+cryoanesthesia
+general anesthesia
+local anesthesia
+conduction anesthesia
+regional anesthesia
+topical anesthesia
+acroanesthesia
+caudal anesthesia
+epidural anesthesia
+paracervical block
+pudendal block
+spinal anesthesia
+saddle block anesthesia
+inhalation anesthesia
+twilight sleep
+fugue
+sleepiness
+oscitancy
+imminence
+readiness
+ready
+alert
+air alert
+red alert
+strip alert
+diverticulosis
+emergency
+clutch
+Dunkirk
+exigency
+juncture
+desperate straits
+criticality
+flash point
+flux
+physical condition
+drive
+elastosis
+flatulence
+flexure
+alertness
+emotional arousal
+excitation
+anger
+rage
+fever pitch
+excitement
+sensation
+sexual arousal
+cybersex
+eroticism
+horniness
+erection
+estrus
+anestrus
+diestrus
+desire
+rage
+materialism
+hunger
+bulimia
+emptiness
+edacity
+starvation
+undernourishment
+thirst
+dehydration
+polydipsia
+sex drive
+hypoxia
+anemic hypoxia
+hypoxic hypoxia
+ischemic hypoxia
+hypercapnia
+hypocapnia
+asphyxia
+oxygen debt
+altitude sickness
+mountain sickness
+anoxia
+anemic anoxia
+anoxic anoxia
+ischemic anoxia
+suffocation
+hyperthermia
+normothermia
+hypothermia
+flux
+muscularity
+myasthenia
+impotence
+erectile dysfunction
+barrenness
+sterility
+cacogenesis
+dysgenesis
+false pregnancy
+pregnancy
+trouble
+gravidity
+gravida
+parity
+abdominal pregnancy
+ovarian pregnancy
+tubal pregnancy
+ectopic pregnancy
+entopic pregnancy
+quickening
+premature labor
+parturiency
+placenta previa
+asynclitism
+atresia
+rigor mortis
+vitalization
+good health
+wholeness
+energy
+juice
+qi
+bloom
+freshness
+radiance
+sturdiness
+fertility
+potency
+pathological state
+ill health
+disorder
+functional disorder
+organic disorder
+dyscrasia
+blood dyscrasia
+abocclusion
+abruptio placentae
+achlorhydria
+acholia
+achylia
+acute brain disorder
+adult respiratory distress syndrome
+ailment
+eating disorder
+anorexia
+pica
+astereognosis
+attention deficit disorder
+anorgasmia
+bulimarexia
+bulimia
+bladder disorder
+cardiovascular disease
+carpal tunnel syndrome
+celiac disease
+cheilosis
+choking
+colpoxerosis
+degenerative disorder
+demyelination
+dysaphia
+dysosmia
+dysphagia
+dysuria
+dystrophy
+osteodystrophy
+failure
+fantods
+glandular disease
+hyperactivity
+impaction
+impaction
+learning disorder
+malocclusion
+overbite
+anorexia nervosa
+cellularity
+hypercellularity
+hypocellularity
+illness
+invagination
+invalidism
+biliousness
+addiction
+suspended animation
+anabiosis
+cryptobiosis
+dilatation
+tympanites
+ectasia
+lymphangiectasia
+alveolar ectasia
+drug addiction
+alcoholism
+cocaine addiction
+heroin addiction
+caffein addiction
+nicotine addiction
+ague
+roots
+amyloidosis
+anuresis
+catastrophic illness
+collapse
+breakdown
+nervous breakdown
+nervous exhaustion
+neurasthenia
+shock
+cardiogenic shock
+hypovolemic shock
+obstructive shock
+distributive shock
+anaphylactic shock
+insulin shock
+decompression sickness
+fluorosis
+food poisoning
+botulism
+mushroom poisoning
+gammopathy
+glossolalia
+ptomaine
+salmonellosis
+lead poisoning
+lead colic
+catalepsy
+disease
+disease of the neuromuscular junction
+angiopathy
+aspergillosis
+acanthocytosis
+agranulocytosis
+analbuminemia
+Banti's disease
+anthrax
+cutaneous anthrax
+pulmonary anthrax
+blackwater
+Argentine hemorrhagic fever
+blackwater fever
+jungle fever
+cat scratch disease
+complication
+crud
+endemic
+enteropathy
+idiopathic disease
+monogenic disorder
+polygenic disorder
+hypogonadism
+male hypogonadism
+Kallman's syndrome
+valvular incompetence
+incompetence
+Kawasaki disease
+plague
+pycnosis
+hyalinization
+hyperparathyroidism
+hypoparathyroidism
+hyperpituitarism
+vacuolization
+malaria
+Marseilles fever
+Meniere's disease
+milk sickness
+mimesis
+myasthenia gravis
+Lambert-Eaton syndrome
+occupational disease
+onycholysis
+onychosis
+Paget's disease
+rheumatism
+periarteritis nodosa
+periodontal disease
+pyorrhea
+pericementoclasia
+alveolar resorption
+gingivitis
+ulatrophia
+attack
+anxiety attack
+flare
+seizure
+touch
+stroke
+convulsion
+paroxysm
+hysterics
+clonus
+epileptic seizure
+grand mal
+petit mal
+mental disorder
+Asperger's syndrome
+metabolic disorder
+alkaptonuria
+nervous disorder
+brain damage
+akinesis
+alalia
+brain disorder
+cystoplegia
+epilepsy
+akinetic epilepsy
+cortical epilepsy
+focal seizure
+raptus hemorrhagicus
+diplegia
+protuberance
+grand mal epilepsy
+Jacksonian epilepsy
+myoclonus epilepsy
+petit mal epilepsy
+absence
+complex absence
+pure absence
+subclinical absence
+musicogenic epilepsy
+photogenic epilepsy
+posttraumatic epilepsy
+procursive epilepsy
+progressive vaccinia
+psychomotor epilepsy
+reflex epilepsy
+sensory epilepsy
+status epilepticus
+tonic epilepsy
+Erb's palsy
+nympholepsy
+apraxia
+ataxia
+Friedreich's ataxia
+hereditary cerebellar ataxia
+atopognosia
+brachydactyly
+cryptorchidy
+monorchism
+dyskinesia
+tardive dyskinesia
+deviated septum
+deviated nasal septum
+dextrocardia
+ectrodactyly
+enteroptosis
+erethism
+fetal distress
+multiple sclerosis
+paralysis agitans
+cerebral palsy
+chorea
+choriomeningitis
+flaccid paralysis
+orthochorea
+Sydenham's chorea
+tarantism
+agraphia
+acataphasia
+aphagia
+amaurosis
+amblyopia
+ametropia
+emmetropia
+aniseikonia
+anorthopia
+aphakia
+aphasia
+auditory aphasia
+conduction aphasia
+global aphasia
+motor aphasia
+nominal aphasia
+transcortical aphasia
+visual aphasia
+Wernicke's aphasia
+dyscalculia
+dysgraphia
+dyslexia
+dysphasia
+agnosia
+anarthria
+auditory agnosia
+visual agnosia
+Creutzfeldt-Jakob disease
+occlusion
+laryngospasm
+embolism
+air embolism
+fat embolism
+pulmonary embolism
+thromboembolism
+thrombosis
+cerebral thrombosis
+coronary occlusion
+coronary heart disease
+coronary thrombosis
+milk leg
+hepatomegaly
+heart disease
+high blood pressure
+inversion
+transposition
+keratectasia
+keratoconus
+orthostatic hypotension
+hypotension
+essential hypertension
+portal hypertension
+malignant hypertension
+secondary hypertension
+white-coat hypertension
+amyotrophia
+amyotrophic lateral sclerosis
+aneurysm
+aortic aneurysm
+abdominal aortic aneurysm
+aortic stenosis
+enterostenosis
+laryngostenosis
+pulmonary stenosis
+pyloric stenosis
+rhinostenosis
+stenosis
+cerebral aneurysm
+intracranial aneurysm
+ventricular aneurysm
+angina pectoris
+arteriolosclerosis
+arteriosclerosis
+atherogenesis
+atherosclerosis
+athetosis
+kuru
+nerve compression
+nerve entrapment
+arteriosclerosis obliterans
+ascites
+azymia
+bacteremia
+sclerosis
+cardiac arrhythmia
+cardiomyopathy
+hypertrophic cardiomyopathy
+flutter
+gallop rhythm
+mitral valve prolapse
+mitral stenosis
+circulatory failure
+heart failure
+valvular heart disease
+congestive heart failure
+heart attack
+myocardial infarction
+kidney disease
+insufficiency
+coronary insufficiency
+nephritis
+nephrosclerosis
+polycystic kidney disease
+polyuria
+renal failure
+renal insufficiency
+acute renal failure
+chronic renal failure
+cholelithiasis
+enterolithiasis
+nephrocalcinosis
+nephrolithiasis
+lipomatosis
+lithiasis
+glomerulonephritis
+liver disease
+cirrhosis
+fatty liver
+Addison's disease
+adenopathy
+aldosteronism
+Cushing's disease
+Cushing's syndrome
+diabetes
+diabetes mellitus
+type I diabetes
+type II diabetes
+nephrogenic diabetes insipidus
+diabetes insipidus
+latent diabetes
+angioedema
+lymphedema
+hyperthyroidism
+Graves' disease
+hypothyroidism
+myxedema
+cretinism
+achondroplasia
+communicable disease
+contagious disease
+influenza
+Asian influenza
+swine influenza
+measles
+German measles
+diphtheria
+exanthema subitum
+scarlet fever
+pox
+smallpox
+alastrim
+Vincent's angina
+blastomycosis
+chromoblastomycosis
+tinea
+dhobi itch
+kerion
+tinea pedis
+tinea barbae
+tinea capitis
+tinea corporis
+tinea cruris
+blindness
+legal blindness
+tinea unguium
+infectious disease
+AIDS
+brucellosis
+agammaglobulinemia
+anergy
+hypogammaglobulinemia
+severe combined immunodeficiency
+ADA-SCID
+X-linked SCID
+cholera
+dengue
+dysentery
+epidemic disease
+hepatitis
+viral hepatitis
+hepatitis A
+hepatitis B
+hepatitis delta
+hepatitis C
+liver cancer
+herpes
+herpes simplex
+oral herpes
+genital herpes
+herpes zoster
+chickenpox
+venereal disease
+gonorrhea
+granuloma inguinale
+syphilis
+primary syphilis
+secondary syphilis
+tertiary syphilis
+tabes dorsalis
+neurosyphilis
+tabes
+infectious mononucleosis
+Ebola hemorrhagic fever
+Lassa fever
+leprosy
+tuberculoid leprosy
+lepromatous leprosy
+necrotizing enterocolitis
+listeriosis
+lymphocytic choriomeningitis
+lymphogranuloma venereum
+meningitis
+mumps
+cerebrospinal meningitis
+paratyphoid
+plague
+bubonic plague
+ambulant plague
+Black Death
+pneumonic plague
+septicemic plague
+poliomyelitis
+Pott's disease
+ratbite fever
+rickettsial disease
+typhus
+murine typhus
+spotted fever
+Rocky Mountain spotted fever
+Q fever
+rickettsialpox
+trench fever
+tsutsugamushi disease
+relapsing fever
+rheumatic fever
+rheumatic heart disease
+sweating sickness
+tuberculosis
+miliary tuberculosis
+pulmonary tuberculosis
+scrofula
+typhoid
+whooping cough
+yaws
+yellow jack
+respiratory disease
+cold
+head cold
+asthma
+status asthmaticus
+bronchitis
+bronchiolitis
+chronic bronchitis
+chronic obstructive pulmonary disease
+coccidioidomycosis
+cryptococcosis
+emphysema
+pneumonia
+atypical pneumonia
+bronchopneumonia
+double pneumonia
+interstitial pneumonia
+lobar pneumonia
+Legionnaires' disease
+pneumococcal pneumonia
+pneumocytosis
+pneumothorax
+psittacosis
+pneumoconiosis
+anthracosis
+asbestosis
+siderosis
+silicosis
+respiratory distress syndrome
+genetic disease
+abetalipoproteinemia
+ablepharia
+albinism
+macrencephaly
+anencephaly
+adactylia
+ametria
+color blindness
+diplopia
+epispadias
+dichromacy
+red-green dichromacy
+deuteranopia
+protanopia
+yellow-blue dichromacy
+tetartanopia
+tritanopia
+monochromacy
+cystic fibrosis
+inborn error of metabolism
+galactosemia
+Gaucher's disease
+Hirschsprung's disease
+Horner's syndrome
+Huntington's chorea
+Hurler's syndrome
+mucopolysaccharidosis
+malignant hyperthermia
+Marfan's syndrome
+neurofibromatosis
+osteogenesis imperfecta
+hyperbetalipoproteinemia
+hypobetalipoproteinemia
+ichthyosis
+clinocephaly
+clinodactyly
+macroglossia
+mongolism
+maple syrup urine disease
+McArdle's disease
+muscular dystrophy
+oligodactyly
+oligodontia
+otosclerosis
+Becker muscular dystrophy
+distal muscular dystrophy
+Duchenne's muscular dystrophy
+autosomal dominant disease
+autosomal recessive disease
+limb-girdle muscular dystrophy
+lysinemia
+myotonic muscular dystrophy
+oculopharyngeal muscular dystrophy
+Niemann-Pick disease
+oxycephaly
+aplastic anemia
+erythroblastosis fetalis
+Fanconi's anemia
+favism
+hemolytic anemia
+hyperchromic anemia
+hypochromic anemia
+hypoplastic anemia
+iron deficiency anemia
+ischemia
+ischemic stroke
+transient ischemic attack
+chlorosis
+macrocytic anemia
+microcytic anemia
+parasitemia
+pernicious anemia
+megaloblastic anemia
+metaplastic anemia
+refractory anemia
+sideroblastic anemia
+sideropenia
+sickle-cell anemia
+Spielmeyer-Vogt disease
+Tay-Sachs disease
+thrombasthenia
+tyrosinemia
+Werdnig-Hoffman disease
+hemophilia
+afibrinogenemia
+hemophilia A
+hemophilia B
+von Willebrand's disease
+congenital afibrinogenemia
+inflammatory disease
+gastroenteritis
+cholera infantum
+cholera morbus
+pelvic inflammatory disease
+empyema
+pleurisy
+purulent pleurisy
+pleuropneumonia
+pyelitis
+sore throat
+angina
+quinsy
+croup
+glossoptosis
+hypermotility
+indisposition
+infection
+amebiasis
+amebic dysentery
+chlamydia
+fascioliasis
+fasciolopsiasis
+Guinea worm disease
+enterobiasis
+felon
+focal infection
+fungal infection
+giardiasis
+hemorrhagic fever
+herpangia
+leishmaniasis
+nonsocial infection
+opportunistic infection
+paronychia
+protozoal infection
+respiratory tract infection
+lower respiratory infection
+Crimea-Congo hemorrhagic fever
+Rift Valley fever
+HIV
+viral pneumonia
+severe acute respiratory syndrome
+upper respiratory infection
+scabies
+schistosomiasis
+sepsis
+visceral leishmaniasis
+cutaneous leishmaniasis
+mucocutaneous leishmaniasis
+candidiasis
+dermatomycosis
+favus
+keratomycosis
+phycomycosis
+sporotrichosis
+thrush
+focus
+aspergillosis
+sore
+boil
+gumboil
+blain
+chilblain
+kibe
+carbuncle
+cartilaginification
+chancre
+fester
+gall
+saddle sore
+shigellosis
+staphylococcal infection
+streptococcal sore throat
+sty
+superinfection
+suprainfection
+tapeworm infection
+tetanus
+toxoplasmosis
+trichomoniasis
+viral infection
+arthritis
+rheumatoid arthritis
+rheumatoid factor
+autoimmune disease
+psoriatic arthritis
+Still's disease
+osteoarthritis
+osteosclerosis
+housemaid's knee
+cystitis
+gout
+spondylarthritis
+blood disease
+blood poisoning
+sapremia
+ozone sickness
+puerperal fever
+pyemia
+toxemia
+toxemia of pregnancy
+eclampsia
+preeclampsia
+eosinopenia
+erythroblastosis
+hemoglobinemia
+hemoglobinopathy
+hemoptysis
+Hand-Schuller-Christian disease
+Haverhill fever
+histiocytosis
+hydatid mole
+hydramnios
+water on the knee
+hydremia
+hydrocele
+lipidosis
+lipemia
+lysine intolerance
+lysogeny
+hypothrombinemia
+hypervolemia
+hypovolemia
+anemia
+thalassemia
+Cooley's anemia
+leukocytosis
+leukopenia
+neutropenia
+cyclic neutropenia
+lymphocytopenia
+lymphocytosis
+microcytosis
+polycythemia
+purpura
+nonthrombocytopenic purpura
+essential thrombocytopenia
+thrombocytopenia
+deficiency disease
+fibrocystic breast disease
+avitaminosis
+hypervitaminosis
+hypospadias
+lagophthalmos
+beriberi
+kakke disease
+goiter
+malnutrition
+kwashiorkor
+marasmus
+mental abnormality
+nanophthalmos
+organic brain syndrome
+zinc deficiency
+pellagra
+rickets
+scurvy
+dermoid cyst
+galactocele
+hemorrhagic cyst
+hydatid
+nabothian cyst
+ovarian cyst
+chalazion
+ranula
+sebaceous cyst
+cyst
+pip
+motion sickness
+airsickness
+car sickness
+seasickness
+heatstroke
+heat exhaustion
+algidity
+sunstroke
+endometriosis
+pathology
+adhesion
+symphysis
+synechia
+anterior synechia
+posterior synechia
+hemochromatosis
+classic hemochromatosis
+acquired hemochromatosis
+infarct
+macrocytosis
+fibrosis
+myelofibrosis
+malacia
+osteomalacia
+mastopathy
+neuropathy
+Charcot-Marie-Tooth disease
+mononeuropathy
+multiple mononeuropathy
+myopathy
+dermatomyositis
+polymyositis
+inclusion body myositis
+osteopetrosis
+osteoporosis
+priapism
+demineralization
+pyorrhea
+uremia
+azoturia
+lesion
+tubercle
+ulcer
+aphthous ulcer
+bedsore
+chancroid
+peptic ulcer
+duodenal ulcer
+gastric ulcer
+canker
+noli-me-tangere
+noma
+affliction
+curvature
+deformity
+Arnold-Chiari deformity
+clawfoot
+cleft foot
+cleft lip
+cleft palate
+clubfoot
+talipes valgus
+talipes equinus
+talipes calcaneus
+pigeon breast
+blight
+alder blight
+apple blight
+beet blight
+blister blight
+blister blight
+cane blight
+celery blight
+chestnut blight
+coffee blight
+collar blight
+fire blight
+blight canker
+halo blight
+halo blight
+head blight
+wheat scab
+late blight
+leaf blight
+leaf disease
+needle blight
+oak blight
+peach blight
+potato blight
+rim blight
+spinach blight
+spur blight
+stem blight
+stripe blight
+thread blight
+tomato blight
+twig blight
+walnut blight
+sandfly fever
+skin disease
+lupus vulgaris
+ankylosing spondylitis
+discoid lupus erythematosus
+Hashimoto's disease
+lupus erythematosus
+systemic lupus erythematosus
+acantholysis
+acanthosis
+acanthosis nigricans
+acne
+acne rosacea
+acne vulgaris
+actinic dermatitis
+atopic dermatitis
+bubble gum dermatitis
+contact dermatitis
+Rhus dermatitis
+poison ivy
+poison oak
+poison sumac
+cradle cap
+diaper rash
+hypericism
+neurodermatitis
+schistosome dermatitis
+dermatitis
+dermatosis
+baker's eczema
+allergic eczema
+eczema herpeticum
+eczema vaccinatum
+lichtenoid eczema
+eczema
+erythema
+erythema multiforme
+erythema nodosum
+hickey
+erythema nodosum leprosum
+erythroderma
+flare
+furunculosis
+impetigo
+jungle rot
+keratoderma
+keratonosis
+keratosis
+actinic keratosis
+keratosis blennorrhagica
+keratosis follicularis
+keratosis pilaris
+seborrheic keratosis
+leukoderma
+lichen
+lichen planus
+livedo
+lupus
+melanosis
+molluscum
+molluscum contagiosum
+necrobiosis lipoidica
+pemphigus
+pityriasis
+dandruff
+pityriasis alba
+pityriasis rosea
+prurigo
+psoriasis
+rhagades
+Saint Anthony's fire
+erysipelas
+scleredema
+seborrhea
+seborrheic dermatitis
+vitiligo
+xanthelasma
+xanthoma
+xanthoma disseminatum
+xanthomatosis
+xanthosis
+growth
+exostosis
+polyp
+adenomatous polyp
+sessile polyp
+pedunculated polyp
+peduncle
+tumor
+acanthoma
+adenoma
+angioma
+chondroma
+benign tumor
+blastoma
+brain tumor
+glioblastoma
+glioma
+carcinoid
+carcinosarcoma
+celioma
+malignancy
+granulation
+enchondroma
+fibroadenoma
+fibroid tumor
+fibroma
+granuloma
+gumma
+hamartoma
+keratoacanthoma
+lipoma
+malignant tumor
+meningioma
+cancer
+angiosarcoma
+chondrosarcoma
+Ewing's sarcoma
+Kaposi's sarcoma
+leiomyosarcoma
+liposarcoma
+myosarcoma
+neurosarcoma
+osteosarcoma
+lymphadenoma
+lymphadenopathy
+lymphoma
+Hodgkin's disease
+carcinoma
+cancroid
+leukemia
+acute leukemia
+acute lymphocytic leukemia
+acute myelocytic leukemia
+chronic leukemia
+chronic lymphocytic leukemia
+chronic myelocytic leukemia
+lymphocytic leukemia
+lymphoblastic leukemia
+monocytic leukemia
+myeloblastic leukemia
+myelocytic leukemia
+rhabdomyosarcoma
+embryonal rhabdomyosarcoma
+alveolar rhabdomyosarcoma
+pleomorphic rhabdomyosarcoma
+Wilms' tumor
+sarcoma
+adenocarcinoma
+breast cancer
+carcinoma in situ
+colon cancer
+embryonal carcinoma
+endometrial carcinoma
+hemangioma
+strawberry hemangioma
+lymphangioma
+spider angioma
+myeloma
+multiple myeloma
+myoma
+myxoma
+neurinoma
+neuroblastoma
+neuroepithelioma
+neurofibroma
+neuroma
+leiomyoma
+rhabdomyoma
+osteoblastoma
+osteochondroma
+osteoma
+papilloma
+pheochromocytoma
+pinealoma
+plasmacytoma
+psammoma
+retinoblastoma
+teratoma
+hepatoma
+lung cancer
+mesothelioma
+oat cell carcinoma
+oral cancer
+pancreatic cancer
+prostate cancer
+seminoma
+skin cancer
+epithelioma
+melanoma
+trophoblastic cancer
+eye disease
+animal disease
+actinomycosis
+cervicofacial actinomycosis
+cataract
+macular edema
+cystoid macular edema
+drusen
+glaucoma
+acute glaucoma
+normal tension glaucoma
+cortical cataract
+nuclear cataract
+posterior subcapsular cataract
+chronic glaucoma
+keratonosus
+macular degeneration
+age-related macular degeneration
+retinopathy
+diabetic retinopathy
+trachoma
+leukoma
+adenitis
+alveolitis
+alveolitis
+angiitis
+aortitis
+rheumatic aortitis
+appendicitis
+arteritis
+periarteritis
+polyarteritis
+Takayasu's arteritis
+temporal arteritis
+ophthalmia
+ophthalmia neonatorum
+thoracic actinomycosis
+abdominal actinomycosis
+farmer's lung
+anaplasmosis
+anthrax
+aspergillosis
+aspiration pneumonia
+bagassosis
+balanitis
+balanoposthitis
+bighead
+blepharitis
+bursitis
+brucellosis
+bluetongue
+bovine spongiform encephalitis
+bull nose
+camelpox
+canine chorea
+catarrhal fever
+chronic wasting disease
+costiasis
+cowpox
+creeps
+hemorrhagic septicemia
+fistulous withers
+fowl cholera
+fowl pest
+hog cholera
+distemper
+canine distemper
+equine distemper
+enterotoxemia
+foot-and-mouth disease
+foot rot
+black disease
+glanders
+heaves
+Lyme disease
+Marburg disease
+albuminuria
+aminoaciduria
+ammoniuria
+hematocyturia
+Jacquemier's sign
+Kayser-Fleischer ring
+keratomalacia
+Kernig's sign
+ketonemia
+Koplik's spots
+fructosuria
+glucosuria
+glycosuria
+lymphuria
+monocytosis
+thrombocytosis
+ochronosis
+hypercalcemia
+hypocalcemia
+hypercalciuria
+hypercholesterolemia
+hyperkalemia
+hypokalemia
+kalemia
+kaliuresis
+natriuresis
+hyperlipoproteinemia
+hypolipoproteinemia
+hypoproteinemia
+hypernatremia
+hyponatremia
+hypersplenism
+ketonuria
+rabies
+red water
+rhinotracheitis
+rinderpest
+scours
+scrapie
+shipping fever
+spavin
+blood spavin
+bog spavin
+bone spavin
+swamp fever
+canicola fever
+Weil's disease
+loco disease
+looping ill
+mange
+moon blindness
+murrain
+myxomatosis
+Newcastle disease
+pip
+psittacosis
+pullorum disease
+saddle sore
+sand crack
+toe crack
+quarter crack
+staggers
+sweating sickness
+Texas fever
+trembles
+tularemia
+zoonosis
+plant disease
+rust
+blister rust
+blackheart
+black knot
+black rot
+black spot
+bottom rot
+brown rot
+brown rot gummosis
+gummosis
+ring rot
+canker
+cotton ball
+crown gall
+hairy root
+crown wart
+damping off
+dieback
+dry rot
+heartrot
+mosaic
+potato mosaic
+tobacco mosaic
+tomato streak
+rhizoctinia disease
+little potato
+pink disease
+potato wart
+root rot
+scorch
+leaf scorch
+sweet-potato ring rot
+sclerotium disease
+Dutch elm disease
+ergot
+foot rot
+granville wilt
+pinkroot
+wilt
+fusarium wilt
+verticilliosis
+smut
+loose smut
+bunt
+flag smut
+green smut
+soft rot
+leak
+yellow dwarf
+yellow dwarf of potato
+onion yellow dwarf
+yellow spot
+trauma
+birth trauma
+injury
+raw wound
+stigmata
+abrasion
+graze
+rope burn
+cut
+laceration
+bite
+dog bite
+snakebite
+bee sting
+flea bite
+mosquito bite
+birth trauma
+blast trauma
+bleeding
+hemorrhagic stroke
+blunt trauma
+bruise
+ecchymosis
+petechia
+shiner
+bump
+burn
+electric burn
+scorch
+scald
+sedation
+sunburn
+tan
+windburn
+hyperpigmentation
+hypopigmentation
+first-degree burn
+second-degree burn
+third-degree burn
+dislocation
+electric shock
+fracture
+comminuted fracture
+complete fracture
+compound fracture
+compression fracture
+depressed fracture
+displaced fracture
+fatigue fracture
+hairline fracture
+greenstick fracture
+incomplete fracture
+impacted fracture
+simple fracture
+abarticulation
+diastasis
+spondylolisthesis
+frostbite
+intravasation
+penetrating trauma
+pinch
+rupture
+hernia
+colpocele
+diverticulum
+Meckel's diverticulum
+eventration
+exomphalos
+hiatus hernia
+herniated disc
+inguinal hernia
+cystocele
+rectocele
+keratocele
+laparocele
+umbilical hernia
+sleep disorder
+sting
+strain
+strangulation
+whiplash
+wale
+wound
+wrench
+sprain
+trench foot
+symptom
+sign
+vital sign
+amenorrhea
+aura
+chloasma
+clubbing
+cyanosis
+diuresis
+acrocyanosis
+primary amenorrhea
+secondary amenorrhea
+prodrome
+syndrome
+cervical disc syndrome
+Chinese restaurant syndrome
+Conn's syndrome
+fetal alcohol syndrome
+Gulf War syndrome
+regional enteritis
+irritable bowel syndrome
+Klinefelter's syndrome
+ulcerative colitis
+malabsorption syndrome
+Munchausen's syndrome
+narcolepsy
+nephrotic syndrome
+Noonan's syndrome
+phantom limb syndrome
+premenstrual syndrome
+radiation sickness
+Ramsay Hunt syndrome
+Reiter's syndrome
+restless legs syndrome
+Reye's syndrome
+scalenus syndrome
+neonatal death
+sudden infant death syndrome
+tetany
+thoracic outlet syndrome
+Tietze's syndrome
+Tourette's syndrome
+effect
+aftereffect
+bummer
+hairy tongue
+side effect
+abscess
+abscessed tooth
+head
+purulence
+water blister
+blood blister
+exophthalmos
+festination
+furring
+gangrene
+dry gangrene
+gas gangrene
+hematuria
+hemoglobinuria
+hemosiderosis
+nebula
+sneeze
+enlargement
+swelling
+bloat
+bubo
+anasarca
+chemosis
+papilledema
+bunion
+palsy
+pyuria
+edema
+cerebral edema
+hematocele
+hematocolpometra
+hematocolpos
+intumescence
+iridoncus
+lymphogranuloma
+oscheocele
+tumescence
+tumidity
+cephalhematoma
+hematoma
+proud flesh
+hyperbilirubinemia
+hyperbilirubinemia of the newborn
+hyperglycemia
+hypoglycemia
+jaundice
+jaundice of the newborn
+kernicterus
+congestion
+hydrothorax
+hemothorax
+hyperemia
+engorgement
+pulmonary congestion
+stuffiness
+eruption
+enanthem
+exanthem
+rash
+prickly heat
+urtication
+numbness
+pain
+ache
+toothache
+aerodontalgia
+agony
+arthralgia
+throe
+paresthesia
+formication
+Passion
+backache
+burn
+causalgia
+colic
+chest pain
+chiralgia
+distress
+dysmenorrhea
+primary dysmenorrhea
+secondary dysmenorrhea
+headache
+glossalgia
+growing pains
+hemorrhoid
+stomachache
+earache
+histamine headache
+migraine
+sick headache
+sinus headache
+tension headache
+lumbago
+keratalgia
+labor pain
+mastalgia
+melagra
+meralgia
+metralgia
+myalgia
+nephralgia
+neuralgia
+odynophagia
+orchidalgia
+pang
+pang
+photalgia
+pleurodynia
+podalgia
+proctalgia
+epidemic pleurodynia
+trigeminal neuralgia
+sciatica
+birth pangs
+afterpains
+palilalia
+palmature
+referred pain
+renal colic
+smart
+sting
+stitch
+rebound tenderness
+tenderness
+thermalgesia
+chafe
+throb
+torture
+ulalgia
+urodynia
+postnasal drip
+papule
+papulovesicle
+pustule
+pimple
+pock
+cardiomegaly
+heart murmur
+systolic murmur
+palpitation
+heartburn
+gastroesophageal reflux
+hepatojugular reflux
+ureterorenal reflux
+vesicoureteral reflux
+reflux
+hot flash
+indigestion
+inflammation
+amyxia
+carditis
+endocarditis
+subacute bacterial endocarditis
+myocardial inflammation
+pancarditis
+pericarditis
+catarrh
+cellulitis
+cervicitis
+cheilitis
+chill
+ague
+quartan
+cholangitis
+cholecystitis
+chorditis
+chorditis
+colitis
+colpitis
+colpocystitis
+conjunctivitis
+corditis
+costochondritis
+dacryocystitis
+diverticulitis
+encephalitis
+encephalomyelitis
+endarteritis
+acute hemorrhagic encephalitis
+equine encephalitis
+herpes simplex encephalitis
+leukoencephalitis
+meningoencephalitis
+panencephalitis
+sleeping sickness
+West Nile encephalitis
+subacute sclerosing panencephalitis
+rubella panencephalitis
+endocervicitis
+enteritis
+necrotizing enteritis
+epicondylitis
+epididymitis
+epiglottitis
+episcleritis
+esophagitis
+fibrositis
+fibromyositis
+folliculitis
+funiculitis
+gastritis
+acute gastritis
+chronic gastritis
+glossitis
+acute glossitis
+chronic glossitis
+Moeller's glossitis
+hydrarthrosis
+ileitis
+iridocyclitis
+iridokeratitis
+iritis
+jejunitis
+jejunoileitis
+keratitis
+keratoconjunctivitis
+keratoiritis
+keratoscleritis
+labyrinthitis
+laminitis
+laryngitis
+laryngopharyngitis
+laryngotracheobronchitis
+leptomeningitis
+lymphadenitis
+lymphangitis
+mastitis
+mastoiditis
+metritis
+monoplegia
+myelatelia
+myelitis
+myositis
+myometritis
+trichinosis
+neuritis
+oophoritis
+orchitis
+ophthalmoplegia
+osteitis
+osteomyelitis
+otitis
+otitis externa
+otitis media
+ovaritis
+otorrhea
+ozena
+pancreatitis
+parametritis
+parotitis
+peritonitis
+phalangitis
+phlebitis
+phlebothrombosis
+polyneuritis
+retrobulbar neuritis
+Guillain-Barre syndrome
+thrombophlebitis
+pneumonitis
+posthitis
+proctitis
+prostatitis
+rachitis
+radiculitis
+chorioretinitis
+retinitis
+rhinitis
+sinusitis
+pansinusitis
+salpingitis
+scleritis
+sialadenitis
+splenitis
+spondylitis
+stomatitis
+vesicular stomatitis
+synovitis
+tarsitis
+tendinitis
+tennis elbow
+tenosynovitis
+thyroiditis
+tonsillitis
+tracheitis
+tracheobronchitis
+tympanitis
+ulitis
+ureteritis
+uveitis
+uvulitis
+vaccinia
+vaginitis
+valvulitis
+vasculitis
+vasovesiculitis
+vesiculitis
+vulvitis
+vulvovaginitis
+cough
+hiccup
+meningism
+nausea
+morning sickness
+queasiness
+spasm
+charley horse
+writer's cramp
+blepharospasm
+crick
+myoclonus
+opisthotonos
+twitch
+tic
+blepharism
+fibrillation
+atrial fibrillation
+bradycardia
+heart block
+premature ventricular contraction
+tachycardia
+ventricular fibrillation
+fasciculation
+scar
+callus
+keloid
+pockmark
+sword-cut
+vaccination
+hardening
+callosity
+corn
+calcification
+musca volitans
+fever
+hyperpyrexia
+atrophy
+dysplasia
+fibrous dysplasia of bone
+Albright's disease
+monostotic fibrous dysplasia
+hypertrophy
+adenomegaly
+cor pulmonale
+dactylomegaly
+elephantiasis
+elephantiasis neuromatosa
+elephantiasis scroti
+nevoid elephantiasis
+filariasis
+splenomegaly
+giantism
+acromegaly
+hyperplasia
+benign prostatic hyperplasia
+hypoplasia
+anaplasia
+apnea
+periodic apnea of the newborn
+dyspnea
+orthopnea
+shortness of breath
+sleep apnea
+cerebral hemorrhage
+blood extravasation
+hyphema
+metrorrhagia
+nosebleed
+ulemorrhagia
+constipation
+dyschezia
+fecal impaction
+obstipation
+diarrhea
+the shits
+Montezuma's revenge
+dizziness
+anemia
+wheeziness
+withdrawal symptom
+thrombus
+embolus
+psychological state
+morale
+anxiety
+castration anxiety
+hypochondria
+overanxiety
+hallucinosis
+identity crisis
+nervousness
+jitters
+strain
+tension
+yips
+breaking point
+delusion
+delusions of grandeur
+delusions of persecution
+hallucination
+auditory hallucination
+chromatism
+pink elephants
+pseudohallucination
+trip
+visual hallucination
+zoopsia
+nihilistic delusion
+somatic delusion
+zoanthropy
+mental health
+mental soundness
+sanity
+lucidity
+rationality
+mental illness
+anxiety disorder
+generalized anxiety disorder
+obsessive-compulsive disorder
+panic disorder
+phobia
+acarophobia
+agoraphobia
+androphobia
+arachnophobia
+gynophobia
+simple phobia
+acrophobia
+algophobia
+aquaphobia
+astraphobia
+automysophobia
+claustrophobia
+cryophobia
+cyberphobia
+hydrophobia
+hydrophobia
+hypnophobia
+mysophobia
+neophobia
+nyctophobia
+phobophobia
+phonophobia
+photophobia
+pyrophobia
+taphephobia
+thanatophobia
+triskaidekaphobia
+zoophobia
+ailurophobia
+cynophobia
+entomophobia
+lepidophobia
+musophobia
+social phobia
+satanophobia
+school phobia
+traumatophobia
+xenophobia
+posttraumatic stress disorder
+psychosomatic disorder
+aberration
+conversion disorder
+glove anesthesia
+delirium
+delusional disorder
+encopresis
+folie a deux
+personality disorder
+maladjustment
+antisocial personality disorder
+battle fatigue
+schizotypal personality
+affective disorder
+depressive disorder
+agitated depression
+anaclitic depression
+dysthymia
+endogenous depression
+exogenous depression
+major depressive episode
+involutional depression
+neurotic depression
+psychotic depression
+retarded depression
+unipolar depression
+mania
+craze
+mass hysteria
+megalomania
+melancholia
+bipolar disorder
+cyclothymia
+schizothymia
+neurosis
+hysteria
+anxiety hysteria
+hysterocatalepsy
+anxiety neurosis
+depersonalization
+fugue
+split personality
+insanity
+lunacy
+dementia
+alcoholic dementia
+presenile dementia
+Alzheimer's disease
+Pick's disease
+senile dementia
+rhinopathy
+rhinophyma
+Wernicke's encephalopathy
+irrationality
+derangement
+craziness
+psychosis
+delirium tremens
+paranoia
+schizophrenia
+borderline schizophrenia
+catatonic schizophrenia
+hebephrenia
+paranoid schizophrenia
+acute schizophrenic episode
+aphonia
+speech disorder
+sprue
+flaccid bladder
+neurogenic bladder
+spastic bladder
+cataphasia
+dysarthria
+dyslogia
+dysphonia
+lallation
+lambdacism
+lisp
+stammer
+agitation
+disturbance
+fret
+dither
+tailspin
+depression
+blues
+funk
+melancholy
+slough of despond
+low spirits
+dumps
+elation
+high
+high
+cold sweat
+panic
+red scare
+fit
+areflexia
+irritation
+bummer
+huff
+pinprick
+restlessness
+snit
+enchantment
+possession
+fascination
+difficulty
+bitch
+predicament
+corner
+hot water
+rattrap
+pinch
+fix
+dog's breakfast
+hard time
+stress
+mire
+problem
+race problem
+balance-of-payments problem
+situation
+quicksand
+vogue
+recognition
+approval
+appro
+acceptation
+contentedness
+acquiescence
+welcome
+apostasy
+disfavor
+wilderness
+excommunication
+reprobation
+separation
+discreteness
+isolation
+solitude
+solitude
+loneliness
+quarantine
+insulation
+alienation
+anomie
+privacy
+hiddenness
+bosom
+confidentiality
+dissociation
+compartmentalization
+dissociative disorder
+discontinuity
+disjunction
+separability
+incoherence
+disjointedness
+union
+coalition
+alliance
+federalization
+connection
+contact
+concatenation
+osculation
+tangency
+interconnection
+coherence
+consistency
+junction
+association
+disassociation
+marriage
+syncretism
+continuity
+improvement
+decline
+betterment
+development
+underdevelopment
+neglect
+omission
+twilight
+wreck
+reformation
+counterreformation
+renovation
+maturity
+adulthood
+manhood
+parenthood
+ripeness
+womanhood
+youth
+immaturity
+post-maturity
+greenness
+callowness
+prematureness
+adolescence
+childhood
+infancy
+embrace
+encompassment
+banishment
+debarment
+grade
+biosafety level
+biosafety level 1
+biosafety level 2
+biosafety level 3
+biosafety level 4
+rating
+ranking
+gradation
+cut
+rank
+second class
+A level
+General Certificate of Secondary Education
+college level
+military rank
+flag rank
+caste
+dignity
+nobility
+ordination
+purple
+pedestal
+archidiaconate
+baronetcy
+dukedom
+earldom
+kingship
+princedom
+viscountcy
+leadership
+ennoblement
+prominence
+limelight
+salience
+conspicuousness
+visibility
+low profile
+importance
+emphasis
+stress
+primacy
+eminence
+king
+prestige
+obscurity
+anonymity
+humbleness
+nowhere
+oblivion
+honor
+glory
+fame
+esteem
+disesteem
+stature
+repute
+black eye
+stock
+character
+name
+fame
+infamy
+notoriety
+reputation
+dishonor
+disrepute
+corruptness
+shame
+humiliation
+abasement
+degeneracy
+depth
+infamy
+obloquy
+odium
+reproach
+dominance
+ascendant
+domination
+predominance
+dominion
+paramountcy
+raj
+regulation
+reign
+scepter
+suzerainty
+absolutism
+monopoly
+monopoly
+monopsony
+oligopoly
+corner
+bane
+comfort
+relief
+reprieve
+solace
+coziness
+convenience
+discomfort
+inconvenience
+malaise
+hangover
+wretchedness
+wellbeing
+fool's paradise
+health
+ill-being
+misery
+concentration camp
+living death
+suffering
+anguish
+need
+lack
+dearth
+deficit
+mineral deficiency
+shortness
+stringency
+necessity
+requisiteness
+urgency
+hurry
+imperativeness
+criticality
+fullness
+repletion
+surfeit
+solidity
+infestation
+acariasis
+ascariasis
+coccidiosis
+echinococcosis
+helminthiasis
+hookworm
+myiasis
+onchocerciasis
+opisthorchiasis
+pediculosis
+pediculosis capitis
+pediculosis corporis
+pediculosis pubis
+trombiculiasis
+trichuriasis
+emptiness
+blankness
+hollowness
+nothingness
+thin air
+vacancy
+vacuum
+nakedness
+nude
+raw
+undress
+bareness
+baldness
+hairlessness
+alopecia
+alopecia areata
+male-patterned baldness
+dishabille
+shirtsleeves
+grace
+damnation
+fire and brimstone
+omniscience
+God's Wisdom
+omnipotence
+God's Will
+perfection
+dream
+polish
+fare-thee-well
+intactness
+integrity
+completeness
+entirety
+comprehensiveness
+whole shebang
+partialness
+incompleteness
+sketchiness
+imperfection
+failing
+flaw
+tragic flaw
+insufficiency
+fatigue
+flaw
+defect
+defect
+blister
+bug
+hole
+wart
+birth defect
+hydrocephalus
+hydronephrosis
+abrachia
+amelia
+meromelia
+phocomelia
+encephalocele
+familial hypercholesterolemia
+meningocele
+myelomeningocele
+plagiocephaly
+polysomy
+hermaphroditism
+pseudohermaphroditism
+progeria
+scaphocephaly
+valgus
+varus
+congenital heart defect
+septal defect
+atrial septal defect
+ventricular septal defect
+tetralogy of Fallot
+toxic shock
+Waterhouse-Friderichsen syndrome
+Williams syndrome
+Zollinger-Ellison syndrome
+spina bifida
+spinocerebellar disorder
+polydactyly
+syndactyly
+tongue tie
+defectiveness
+bugginess
+crudeness
+lameness
+sickness
+fortune
+good fortune
+providence
+prosperity
+blessing
+mercy
+strength
+weakness
+success
+big time
+pay dirt
+misfortune
+adversity
+gutter
+hard cheese
+catastrophe
+extremity
+bitter end
+distress
+pressure
+throe
+affliction
+victimization
+cross
+failure
+solvency
+insolvency
+bankruptcy
+bankruptcy
+bank failure
+crop failure
+dead duck
+receivership
+ownership
+state of matter
+phase
+liquid
+solid
+gas
+plasma
+possibility
+conceivableness
+achievability
+potential
+latency
+prospect
+impossibility
+inconceivability
+unattainableness
+hopefulness
+confidence
+opportunity
+brass ring
+day
+fresh start
+hearing
+hunting ground
+occasion
+opening
+room
+say
+shot
+street
+throw
+anticipation
+despair
+dejection
+nadir
+purity
+plainness
+impurity
+adulteration
+admixture
+contamination
+dust contamination
+dirtiness
+feculence
+putridity
+financial condition
+economic condition
+boom
+credit crunch
+depression
+Great Depression
+full employment
+prosperity
+softness
+obligation
+indebtedness
+debt
+arrears
+account payable
+score
+scot and lot
+wealth
+affluence
+ease
+lap of luxury
+inherited wealth
+luxury
+mammon
+silver spoon
+sufficiency
+poverty
+privation
+destitution
+indigence
+beggary
+impecuniousness
+shakeout
+wage setter
+sanitary condition
+sanitariness
+hygiene
+asepsis
+sanitation
+unsanitariness
+filth
+dunghill
+tilth
+cleanness
+cleanliness
+spotlessness
+orderliness
+spit and polish
+kilter
+tidiness
+neatness
+trim
+shambles
+dirtiness
+dirt
+befoulment
+dinginess
+dustiness
+griminess
+smuttiness
+sordidness
+disorderliness
+untidiness
+sloppiness
+shagginess
+mess
+disorganization
+clutter
+rummage
+normality
+averageness
+commonness
+typicality
+abnormality
+atelectasis
+atypicality
+anoxemia
+arrested development
+coprolalia
+aberrance
+cyclopia
+chromosomal aberration
+monosomy
+trisomy
+deflection
+spinal curvature
+kyphosis
+lordosis
+scoliosis
+dowager's hump
+subnormality
+anomaly
+gynecomastia
+cross-eye
+dwarfism
+pycnodysostosis
+lactose intolerance
+lactosuria
+myoglobinuria
+oliguria
+phenylketonuria
+porphyria
+infantilism
+obstruction
+intestinal obstruction
+tamponade
+cardiac tamponade
+ateleiosis
+macrocephaly
+microbrachia
+microcephaly
+pachycheilia
+phimosis
+poisoning
+alkali poisoning
+caffeinism
+carbon monoxide poisoning
+cyanide poisoning
+malathion poisoning
+ergotism
+mercury poisoning
+Minamata disease
+naphthalene poisoning
+nicotine poisoning
+ophidism
+paraquat poisoning
+parathion poisoning
+pesticide poisoning
+salicylate poisoning
+context
+ecology
+setting
+canvas
+home
+milieu
+sphere
+distaff
+front
+lotusland
+kingdom
+lap
+lap of the gods
+political arena
+preserve
+province
+ecclesiastical province
+showcase
+street
+environmental condition
+pollution
+biodegradable pollution
+nonbiodegradable pollution
+air pollution
+acid rain
+industrial air pollution
+miasma
+small-particle pollution
+smog
+noise pollution
+thermal pollution
+water pollution
+erosion
+deforestation
+depopulation
+climate
+glaciation
+inhospitableness
+meteorological conditions
+atmosphere
+air mass
+high
+low
+anticyclone
+cyclone
+fog
+fug
+good weather
+calmness
+mildness
+balminess
+stillness
+lull
+bad weather
+raw weather
+storminess
+boisterousness
+breeziness
+tempestuousness
+choppiness
+cloudiness
+turbulence
+clear-air turbulence
+climate
+atmosphere
+cloud
+genius loci
+gloom
+bleakness
+Hollywood
+miasma
+spirit
+Zeitgeist
+unsusceptibility
+resistance
+immunity
+immunogenicity
+active immunity
+passive immunity
+autoimmunity
+acquired immunity
+natural immunity
+racial immunity
+exemption
+amnesty
+diplomatic immunity
+indemnity
+impunity
+grandfather clause
+subservience
+susceptibility
+liability
+taxability
+ratability
+capability
+habitus
+activity
+irritation
+retroversion
+sensitivity
+sensitization
+food allergy
+immediate allergy
+serum sickness
+delayed allergy
+allergy
+cryesthesia
+hypersensitivity reaction
+anaphylaxis
+hypersensitivity
+allergic rhinitis
+eosinophilia
+hay fever
+diathesis
+reactivity
+suggestibility
+wetness
+wateriness
+moisture
+humidity
+mugginess
+damp
+dankness
+rawness
+sogginess
+dryness
+dehydration
+drought
+aridity
+sereness
+xeroderma
+xeroderma pigmentosum
+xerophthalmia
+xerostomia
+safety
+biosafety
+risklessness
+invulnerability
+salvation
+security
+peace
+secureness
+indemnity
+protection
+collective security
+Pax Romana
+radioprotection
+cause of death
+danger
+danger
+clear and present danger
+hazardousness
+insecurity
+hazard
+health hazard
+biohazard
+moral hazard
+occupational hazard
+sword of Damocles
+powder keg
+menace
+yellow peril
+riskiness
+speculativeness
+vulnerability
+insecureness
+tension
+tonicity
+catatonia
+muscular tonus
+myotonia
+acromyotonia
+myotonia congenita
+atonicity
+laxness
+condition
+fitness
+fettle
+repair
+soundness
+seaworthiness
+airworthiness
+unfitness
+infirmity
+asthenia
+cachexia
+disability
+disability of walking
+abasia
+abasia trepidans
+atactic abasia
+choreic abasia
+paralytic abasia
+paroxysmal trepidant abasia
+spastic abasia
+lameness
+intermittent claudication
+astasia
+amputation
+sequela
+hearing impairment
+deafness
+conductive hearing loss
+hyperacusis
+sensorineural hearing loss
+tone deafness
+deaf-mutism
+mutism
+analgesia
+dysomia
+anosmia
+hyposmia
+visual impairment
+myopia
+astigmatism
+anopia
+hyperopia
+hemeralopia
+hemianopia
+quadrantanopia
+metamorphopsia
+nyctalopia
+photoretinitis
+presbyopia
+eye condition
+anisometropia
+isometropia
+snowblindness
+retinal detachment
+scotoma
+annular scotoma
+central scotoma
+hemianopic scotoma
+paracentral scotoma
+scintillating scotoma
+tunnel vision
+eyelessness
+figural blindness
+strabismus
+walleye
+torticollis
+dysfunction
+paralysis
+paresis
+paraparesis
+metroptosis
+nephroptosis
+ptosis
+brow ptosis
+prolapse
+paraplegia
+hemiplegia
+quadriplegia
+hypoesthesia
+knock-knee
+pigeon toes
+bow leg
+unsoundness
+disrepair
+decay
+putrefaction
+putrescence
+decomposition
+disintegration
+deterioration
+rancidity
+corrosion
+devastation
+ruin
+decrepitude
+wear
+blight
+end
+foulness
+impropriety
+iniquity
+light
+malady
+revocation
+merchantability
+sale
+urinary hesitancy
+wall
+sarcoidosis
+morphea
+scleroderma
+thrombocytopenic purpura
+sex-linked disorder
+Turner's syndrome
+urinary tract infection
+pyelonephritis
+acute pyelonephritis
+carotenemia
+chronic pyelonephritis
+nongonococcal urethritis
+rhinorrhea
+rhinosporidiosis
+urethritis
+nonspecific urethritis
+sodoku
+stasis
+steatorrhea
+stridor
+tinnitus
+climax
+serration
+turgor
+shin splints
+hepatolenticular degeneration
+homozygosity
+heterozygosity
+neotony
+plurality
+polyvalence
+polyvalence
+amphidiploidy
+diploidy
+haploidy
+heteroploidy
+polyploidy
+mosaicism
+orphanage
+kraurosis
+kraurosis vulvae
+oligospermia
+tenesmus
+stigmatism
+transsexualism
+trismus
+uratemia
+uraturia
+ureterocele
+ureterostenosis
+urethrocele
+uricaciduria
+urocele
+uropathy
+varicocele
+varicosis
+varicosity
+varix
+viremia
+volvulus
+xanthopsia
+absolution
+automation
+brutalization
+condemnation
+deification
+diversification
+exoneration
+facilitation
+frizz
+fruition
+hiding
+hospitalization
+hypertonia
+hypotonia
+hypertonicity
+hypotonicity
+identification
+impaction
+ionization
+irradiation
+leakiness
+lubrication
+mechanization
+motivation
+mummification
+paternity
+preservation
+prognathism
+rustication
+rustiness
+scandalization
+slot
+toehold
+submission
+urbanization
+utilization
+substance
+chemistry
+material
+ylem
+dark matter
+antimatter
+micronutrient
+philosopher's stone
+precursor
+phlogiston
+chyme
+glop
+impurity
+acceptor
+adduct
+actinoid
+allergen
+assay
+pyrogen
+pyrogen
+aldehyde
+alkapton
+antiknock
+ragweed pollen
+atom
+ammunition
+floccule
+HAZMAT
+mixture
+alloy
+botulinum toxin
+botulinum toxin A
+colloid
+composition
+dispersed phase
+dispersing phase
+mechanical mixture
+eutectic
+solution
+aqueous solution
+Ringer's solution
+saline solution
+polyelectrolyte
+gel
+hydrogel
+sol
+hydrocolloid
+suspension
+slurry
+resuspension
+precipitate
+sludge
+domoic acid
+acrylonitrile-butadiene-styrene
+Mylar
+pina cloth
+Plasticine
+plastic
+plasticizer
+thermoplastic
+saran
+acrylic
+polymethyl methacrylate
+Lucite
+Plexiglas
+polyethylene
+acetyl
+acyl
+aggregate
+alcohol group
+aldehyde group
+polyvinyl acetate
+polyvinyl chloride
+styrene
+polystyrene
+Styrofoam
+thermosetting compositions
+Bakelite
+Teflon
+Vinylite
+raw material
+feedstock
+sorbate
+sorbent
+absorbent material
+absorbate
+sponge
+absorber
+absorbent cotton
+absorption indicator
+adsorbent
+adsorbate
+acaricide
+acaroid resin
+acetic acid
+acetin
+acetum
+acetate
+dichlorodiphenyltrichloroethane
+larvacide
+lead arsenate
+tetraethyl lead
+acetone
+acetylene
+adobe
+Agent Orange
+alicyclic compound
+aliphatic compound
+alkylbenzene
+alkyl halide
+amino acid
+alanine
+argil
+arsenical
+asparagine
+aspartic acid
+canavanine
+chlorobenzene
+chlorofluorocarbon
+chlorobenzylidenemalononitrile
+chloroacetophenone
+citrate
+citrulline
+cysteine
+cystine
+diamagnet
+diamine
+dopa
+L-dopa
+endonuclease
+enol
+essential amino acid
+exonuclease
+gamma aminobutyric acid
+glutamic acid
+glutamine
+glutathione peroxidase
+glycine
+hydroxyproline
+iodoamino acid
+ornithine
+acid
+acid-base indicator
+alpha-linolenic acid
+alpha-naphthol
+alpha-naphthol test
+aromatic compound
+arsenate
+arsenic acid
+arsenide
+cerotic acid
+chlorate
+chloric acid
+chlorous acid
+monobasic acid
+dibasic acid
+dibasic salt
+tribasic acid
+tritium
+tetrabasic acid
+fulminic acid
+gamma acid
+heavy metal
+hexanedioic acid
+HMG-CoA reductase
+horseradish peroxidase
+hydrazoic acid
+hydriodic acid
+hydrochlorofluorocarbon
+hydrogen cyanide
+hydrocyanic acid
+hydrolysate
+hydroxy acid
+hydroxybenzoic acid
+hypochlorite
+hyponitrous acid
+hypophosphoric acid
+hypophosphorous acid
+juniperic acid
+lysergic acid
+manganic acid
+metaphosphoric acid
+polyphosphoric acid
+pyrogallol
+pyrophosphoric acid
+pyrophosphate
+methacrylic acid
+mucic acid
+selenic acid
+suberic acid
+succinic acid
+sulfonate
+sulfonic acid
+titanic acid
+titanium dioxide
+adulterant
+alkyl
+allyl
+amino
+aminomethane
+amyl
+anionic compound
+anionic detergent
+base
+base metal
+binary compound
+chelate
+atom
+isotope
+radioisotope
+label
+halon
+bromoform
+fluoroform
+iodoform
+haloform
+monad
+azido group
+azo group
+group
+fullerene
+buckminsterfullerene
+carbon nanotube
+benzyl
+benzoyl group
+chemical element
+allotrope
+transuranic element
+noble gas
+helium group
+rare earth
+terbium metal
+actinide series
+lanthanide series
+metallic element
+noble metal
+nonmetal
+transactinide
+metallized dye
+actinium
+aluminum
+alum
+alum
+americium
+antimony
+argon
+arsenic
+astatine
+atrazine
+barium
+baryta
+barium hydroxide
+barium monoxide
+barium dioxide
+base pair
+berkelium
+beryllium
+bismuth
+bohrium
+boron
+bromine
+cadmium
+calcium
+californium
+carbon
+carbon atom
+radiocarbon
+cerium
+cesium
+cesium 137
+chlorine
+radiochlorine
+chromium
+cobalt
+cobalt 60
+copper
+curium
+darmstadtium
+dubnium
+dysprosium
+einsteinium
+erbium
+europium
+fermium
+fluorine
+francium
+gadolinium
+gallium
+germanium
+gold
+18-karat gold
+22-karat gold
+24-karat gold
+hafnium
+hassium
+helium
+holmium
+hydrogen
+hydrogen atom
+acidic hydrogen
+deuterium
+indium
+iodine
+iodine-131
+iodine-125
+iridium
+iron
+krypton
+lanthanum
+lawrencium
+lead
+lithium
+lutetium
+magnesium
+manganese
+meitnerium
+mendelevium
+mercury
+molybdenum
+neodymium
+neon
+neptunium
+nickel
+niobium
+columbium
+nitrogen
+azote
+nobelium
+osmium
+oxygen
+liquid oxygen
+palladium
+phosphor
+phosphorus
+platinum
+plutonium
+plutonium 239
+weapons plutonium
+polonium
+potassium
+praseodymium
+promethium
+protactinium
+radium
+radon
+rhenium
+rhodium
+roentgenium
+rubidium
+ruthenium
+rutherfordium
+samarium
+scandium
+seaborgium
+selenium
+silicon
+silver
+sodium
+strontium
+strontium 90
+sulfur
+tantalum
+taurine
+technetium
+tellurium
+terbium
+thallium
+thorium
+thorium-228
+thulium
+tin
+titanium
+tungsten
+ununbium
+ununhexium
+ununpentium
+ununquadium
+ununtrium
+uranium
+uranium 235
+uranium 238
+vanadium
+xenon
+ytterbium
+yttrium
+zinc
+zirconium
+mineral
+ader wax
+alabaster
+alabaster
+amblygonite
+amphibole
+amphibole group
+amphibolite
+apatite
+aragonite
+argentite
+argillite
+argyrodite
+arsenopyrite
+asphalt
+augite
+azurite
+baddeleyite
+bastnasite
+bauxite
+beryl
+biotite
+bone black
+borax
+bornite
+carnallite
+carnotite
+caspase
+cassiterite
+celestite
+cerussite
+chalcocite
+chalcopyrite
+china clay
+chlorite
+chromite
+chromogen
+chrysoberyl
+cinnabar
+cobalt blue
+cobaltite
+sodium chloride
+halite
+columbite-tantalite
+cordierite
+corundom
+cristobalite
+crocolite
+cryolite
+cuprite
+cutin
+damourite
+dolomite
+earth color
+emery
+emulsifier
+emulsion
+erythrite
+fergusonite
+fluorapatite
+fluorite
+gadolinite
+galena
+garnet
+garnierite
+almandite
+germanite
+gesso
+gibbsite
+glauconite
+goethite
+greaves
+greenockite
+gypsum
+hausmannite
+heavy spar
+hemimorphite
+ilmenite
+jadeite
+kainite
+kaolinite
+kernite
+kieserite
+kyanite
+lactate
+langbeinite
+lecithin
+lepidolite
+lepidomelane
+magnesite
+malachite
+maltha
+manganese tetroxide
+manganite
+marl
+meerschaum
+mica
+millerite
+molecule
+molybdenite
+monazite
+monomer
+muscovite
+nepheline
+nephelinite
+nephrite
+niobite
+nitrocalcite
+olivine
+olivenite
+ozonide
+perchlorate
+perchloric acid
+proline
+biomass
+butane
+char
+charcoal
+coal gas
+town gas
+coke
+diesel oil
+derv
+fire
+fossil fuel
+fuel oil
+gasohol
+gasoline
+leaded gasoline
+illuminant
+kerosene
+methanol
+nuclear fuel
+opal
+ore
+oroide
+orpiment
+osmiridium
+paragonite
+paraldehyde
+peat
+pentlandite
+triose
+tetrose
+pentose
+hexose
+pentoxide
+peptone
+periclase
+phlogopite
+pinite
+pollucite
+quaternary ammonium compound
+proenzyme
+propane
+propellant
+rocket fuel
+propylthiouracil
+psilomelane
+pyridine
+pyrite
+pyrites
+pyrolusite
+pyromorphite
+pyrophyllite
+pyroxene
+pyrrhotite
+quartz
+quartzite
+rock crystal
+rhinestone
+cairngorm
+rag paper
+reactant
+realgar
+red clay
+red fire
+regosol
+regur
+residual soil
+topsoil
+subsoil
+resinoid
+rhodochrosite
+rhodonite
+ribose
+ricin
+road metal
+rock
+arenaceous rock
+argillaceous rock
+rudaceous rock
+breccia
+sedimentary rock
+sial
+sima
+marlite
+metamorphic rock
+gravel
+hornfels
+ballast
+bank gravel
+caliche
+shingle
+gem
+cabochon
+slate
+shingling
+pumice
+grit
+animal product
+ambergris
+lac
+garnet lac
+gum-lac
+shellac
+mosaic gold
+stick lac
+seed lac
+Sonora lac
+adhesive material
+birdlime
+glue
+animal glue
+casein glue
+Crazy Glue
+fish glue
+marine glue
+putty
+iron putty
+red-lead putty
+spirit gum
+binder
+cement
+mastic
+paste
+wafer
+paste
+rubber cement
+sealing material
+sealant
+filler
+lute
+size
+purine
+purine
+adenine
+adenosine
+adenosine deaminase
+adenosine monophosphate
+adenosine diphosphate
+adenosine triphosphate
+agate
+moss agate
+Alar
+alcohol
+ether
+ethyl alcohol
+spirits of wine
+absolute alcohol
+isopropyl alcohol
+denaturant
+denatured alcohol
+ethyl
+aldohexose
+aldose
+acetal
+acetaldol
+acetaldehyde
+acetamide
+acrylamide
+agglomerate
+aldol
+alkali
+alkali metal
+alkaline earth
+alkaloid
+alkene
+alkylbenzenesulfonate
+cinchonine
+ephedrine
+ergonovine
+ergotamine
+pseudoephedrine
+epsilon toxin
+aflatoxin
+nicotine
+strychnine
+brucine
+shag
+Turkish tobacco
+latakia
+alexandrite
+alloy iron
+alloy steel
+Alnico
+amalgam
+fusible metal
+brass
+bronze
+gunmetal
+phosphor bronze
+cupronickel
+electrum
+pewter
+pinchbeck
+pot metal
+hard solder
+silver solder
+soft solder
+solder
+gold dust
+white gold
+Monel metal
+type metal
+white metal
+alluvial soil
+allyl alcohol
+allyl resin
+alpha-beta brass
+alpha brass
+alpha bronze
+alpha iron
+alpha-tocopheral
+carotenoid
+carotene
+lycopene
+beta-carotene
+xanthophyll
+zeaxanthin
+betaine
+beta iron
+gamma iron
+delta iron
+amethyst
+amygdaloid
+aluminum bronze
+activator
+activating agent
+catalyst
+biocatalyst
+sensitizer
+amide
+inhibitor
+antioxidant
+rust inhibitor
+anticatalyst
+actinolite
+andesite
+anthophyllite
+asbestos
+chrysotile
+tremolite
+hornblende
+aphanite
+aplite
+afterdamp
+dacite
+firedamp
+carrier
+moderator
+heavy water
+organic compound
+protein
+recombinant protein
+actomyosin
+aleurone
+amyloid
+apoenzyme
+beta-naphthol
+gelatin
+chondrin
+mucin
+conjugated protein
+actin
+albumin
+lactalbumin
+serum albumin
+alpha globulin
+serum globulin
+C-reactive protein
+keratin
+chitin
+enzyme
+fibrin
+filaggrin
+growth factor
+nerve growth factor
+haptoglobin
+iodoprotein
+nucleoprotein
+opsin
+phosphoprotein
+casein
+amylase
+angiotensin converting enzyme
+cholinesterase
+coagulase
+collagenase
+complement
+plasma protein
+prostate specific antigen
+proteome
+simple protein
+thrombin
+tumor necrosis factor
+catalase
+cyclooxygenase
+cyclooxygenase-1
+cyclooxygenase-2
+ptyalin
+rennet
+ferment
+substrate
+amine
+azadirachtin
+carboxylic acid
+saccharic acid
+sebacic acid
+sorbic acid
+valeric acid
+fatty acid
+saturated fatty acid
+unsaturated fatty acid
+trans fatty acid
+monounsaturated fatty acid
+polyunsaturated fatty acid
+omega-3 fatty acid
+omega-6 fatty acid
+margaric acid
+ricinoleic acid
+fibrinopeptide
+polypeptide
+peptide
+aminobenzoic acid
+amino plastic
+ammonia
+ammine
+ammonia water
+ammoniac
+ammonium
+ammonium carbamate
+ammonium carbonate
+ammonium chloride
+amyl alcohol
+phytohormone
+auxin
+gibberellin
+gibberellic acid
+kinin
+steroid hormone
+corticosterone
+progesterone
+megestrol
+norethindrone
+norethynodrel
+norgestrel
+medroxyprogesterone
+progestin
+androgen
+adrenosterone
+androsterone
+methyltestosterone
+nandrolone
+testosterone
+follicle-stimulating hormone
+human chorionic gonadotropin
+luteinizing hormone
+prolactin
+estrogen
+diethylstilbestrol
+estradiol
+estriol
+estrone
+hexestrol
+mestranol
+corticosteroid
+mineralocorticoid
+glucocorticoid
+glucosamine
+aldosterone
+hydrocortisone
+cortisone
+prednisolone
+prednisone
+dexamethasone
+spironolactone
+acid dye
+aniline
+alizarin yellow
+anil
+aniline dye
+animal oil
+drying oil
+animal material
+animal pigment
+arsine
+bilirubin
+urobilin
+urobilinogen
+luciferin
+melanin
+dentine
+ivory
+fluff
+bone
+horn
+whalebone
+tortoiseshell
+shell
+mother-of-pearl
+animal skin
+parchment
+vellum
+hide
+cowhide
+goatskin
+rawhide
+leather
+grain
+alligator
+buckskin
+buff
+ooze leather
+Russia leather
+caffeine
+calf
+white leather
+cassava
+chamois
+wash leather
+cordovan
+cowhide
+crushed leather
+deerskin
+doeskin
+glove leather
+horsehide
+kid
+mocha
+morocco
+Levant
+patent leather
+pigskin
+sheepskin
+Golden Fleece
+shoe leather
+suede
+fur
+astrakhan
+bearskin
+beaver
+chinchilla
+ermine
+fox
+lambskin
+broadtail
+Persian lamb
+lapin
+leopard
+mink
+muskrat
+hudson seal
+otter
+raccoon
+sable
+seal
+squirrel
+anime
+antifreeze
+nitric acid
+nitrous acid
+nitrogen oxide
+nitrogen dioxide
+nitric oxide
+anhydride
+aqua regia
+aquamarine
+arginine
+aromatic hydrocarbon
+arsenic
+artificial blood
+acetic anhydride
+phthalic anhydride
+art paper
+asafetida
+ash
+fly ash
+asphalt
+mineral wool
+austenite
+austenitic steel
+axle grease
+azide
+hydrazoite
+azo dye
+congo red
+gentian violet
+thiazine
+methylene blue
+methyl orange
+phenothiazine
+diazonium
+Babbitt metal
+bactericide
+bagasse
+baking powder
+banana oil
+barbituric acid
+barium sulphate
+basalt
+basic dye
+basic iron
+basic slag
+bath water
+battery acid
+bearing brass
+beebread
+royal jelly
+beef tallow
+beet sugar
+bell metal
+benzene
+benzene formula
+benzoate
+benzoate of soda
+benzoic acid
+benzoyl peroxide
+beryllium bronze
+bicarbonate
+bicarbonate of soda
+bimetal
+binder's board
+bitter principle
+black opal
+active agent
+Alka-seltzer
+Brioschi
+Bromo-seltzer
+lansoprazole
+Maalox
+Mylanta
+omeprazole
+Pepto-bismal
+Rolaids
+Tums
+antacid
+agent
+reagent
+bacteriostat
+bleaching agent
+chemical agent
+desiccant
+oxidant
+reducing agent
+bleaching clay
+mud pie
+bleaching powder
+bleach liquor
+hydrogen peroxide
+blister copper
+bloodstone
+blotting paper
+blow gas
+blubber
+blueprint paper
+blue vitriol
+bog soil
+bond
+bone ash
+bonemeal
+neem cake
+bone fat
+bone oil
+bone oil
+borate
+boric acid
+boric acid
+boron trifluoride
+borosilicate
+bouncing putty
+bowstring hemp
+box calf
+brewer's yeast
+bottom fermenting yeast
+top fermenting yeast
+bricks and mortar
+brushwood
+brimstone
+Britannia metal
+bromic acid
+bromide
+brownstone
+buffer
+buffer solution
+starting buffer
+phosphate buffer solution
+building material
+lagging
+butylene
+isobutylene
+polybutylene
+animal fat
+butterfat
+cabinet wood
+butanone
+butyl alcohol
+butyric acid
+butyrin
+tributyrin
+cacodyl
+cacodyl
+calcium carbide
+calcium-cyanamide
+calcium hypochlorite
+calcium lactate
+calcium nitrate
+calcium oxide
+calcium phosphate
+calcium stearate
+carbonyl
+carbonyl group
+carboxyl
+camphor
+camphor oil
+candelilla wax
+cane sugar
+cannabin
+cannel coal
+capric acid
+caproic acid
+caprylic acid
+carbamate
+carbamic acid
+carbide
+carbohydrate
+Carboloy
+carbonado
+carbon black
+carcinogen
+cellulose
+carboxymethyl cellulose
+diethylaminoethyl cellulose
+pulp
+cartridge brass
+case-hardened steel
+cellulose ester
+cellulose nitrate
+collodion
+pyrocellulose
+pyroxylin
+glycogen
+inulin
+carbolic acid
+activated carbon
+graphite
+pencil
+carbon dioxide
+chokedamp
+carbon disulfide
+carbon monoxide
+carbon paper
+carbon tetrachloride
+carbon tetrahalide
+carbonate
+fulminate
+mercury fulminate
+carbonic acid
+abrasive
+carborundum
+cardboard
+cartridge paper
+cartridge paper
+card
+cocarboxylase
+coenzyme
+coenzyme A
+cofactor
+congener
+corrugated board
+paperboard
+pasteboard
+millboard
+strawboard
+carnelian
+carrageenin
+ingot iron
+cast iron
+pot metal
+wrought iron
+steel
+stainless steel
+carbon steel
+crucible steel
+Damascus steel
+steel wool
+cationic detergent
+cat's eye
+cellulosic
+cement
+cement
+cement
+reinforced concrete
+hydraulic cement
+cementite
+ceresin
+cerulean blue
+cetrimide
+chad
+chaff
+bran
+chalcedony
+chalk
+chamosite
+chemical
+neurochemical
+neurotransmitter
+monoamine neurotransmitter
+catecholamine
+chromophore
+serotonin
+acetylcholine
+acyl anhydrides
+acyl halide
+acetyl chloride
+endorphin
+beta endorphin
+enkephalin
+cheoplastic metal
+chernozemic soil
+chisel steel
+chlorine dioxide
+chlorine water
+chloropicrin
+nitrochloromethane
+chlorpyrifos
+choline
+chrome
+chrome-nickel steel
+chrome-tungsten steel
+chrome green
+Windsor green
+Hooker's green
+chrome yellow
+chromic acid
+chromate
+lead chromate
+chrysolite
+chrysoprase
+chylomicron
+cigarette paper
+cinder pig
+citric acid
+citrine
+clay
+pipeclay
+bentonite
+fireclay
+Kitty Litter
+potter's clay
+slip
+claystone
+clunch
+coal
+anthracite
+bituminous coal
+lignite
+sea coal
+steam coal
+Clorox
+coagulant
+cod-liver oil
+cod oil
+lanolin
+codon
+coin silver
+combustible
+complementary DNA
+provirus
+dscDNA
+episome
+complex
+composite material
+hydrochloride
+compost
+compound
+allomorph
+computer paper
+concrete
+conjugate solution
+conima
+constantan
+construction paper
+conductor
+semiconductor
+insulator
+glass wool
+contaminant
+coolant
+copper-base alloy
+copper oxide
+copper sulfate
+coral
+cork
+corkboard
+phellem
+corn sugar
+corrosive
+alumina
+aluminate
+aluminum hydroxide
+alundum
+cottonseed cake
+coumarone-indene resin
+indene
+covering material
+creatine
+creosol
+creosote
+creosote
+cresol
+crepe
+cryogen
+cyanamide
+cyanic acid
+cyanide
+sodium cyanide
+cyanogen
+cyano group
+nitrile
+cyanohydrin
+cyanuric acid
+cyclohexanol
+cyclohexanol phthalate
+cymene
+cytokine
+cytolysin
+cytosine
+daub
+decarboxylase
+defoliant
+de-iodinase
+demantoid
+andradite
+demerara
+deoxyadenosine monophosphate
+deoxycytidine monophosphate
+deoxyguanosine monophosphate
+deoxythymidine monophosphate
+deoxyribonucleic acid
+exon
+intron
+junk DNA
+recombinant deoxyribonucleic acid
+sticky end
+transposon
+ribonuclease
+ribonucleic acid
+messenger RNA
+nuclear RNA
+transfer RNA
+deoxyribose
+dental gold
+depilatory
+derivative
+desert soil
+dew
+dextrin
+diamond
+digestive
+mono-iodotyrosine
+di-iodotyrosine
+iodotyrosine
+iodothyronine
+tri-iodothyronine
+dilutant
+dilution
+dimer
+dimethylglyoxime
+dimpled chad
+diol
+dioxide
+dioxin
+disaccharidase
+disaccharide
+dishwater
+distillate
+distilled water
+exhaust
+dressed ore
+driftwood
+drill steel
+docosahexaenoic acid
+dolomite
+dopamine
+dottle
+dragon's blood
+drawing paper
+drilling mud
+dubbin
+Duralumin
+particulate
+chalk dust
+dust
+dust
+elaidic acid
+elastomer
+element
+elixir
+air
+breath
+hot air
+halitosis
+halitus
+compressed gas
+compressed air
+air cushion
+air
+fire
+earth
+diatomaceous earth
+sienna
+bister
+burnt sienna
+raw sienna
+ocher
+sinopis
+yellow ocher
+earth
+saprolite
+soil
+soil conditioner
+caliche
+water
+holy water
+musk
+nectar
+pheromone
+quintessence
+water
+ground water
+eicosapentaenoic acid
+eleostearic acid
+electrolyte
+eluate
+Fehling's solution
+formalin
+gargle
+infusion
+pancreatin
+injection
+isotonic solution
+elastase
+emerald
+emery cloth
+emery paper
+emery stone
+enterokinase
+erythropoietin
+ester
+ethane
+ethyl acetate
+ethylene
+trichloroethylene
+ethylenediaminetetraacetic acid
+ethylene glycol
+propylene glycol
+euphorbium
+discharge
+emmenagogue
+eutectoid steel
+exudate
+transudate
+high explosive
+low explosive
+effluvium
+rheum
+vaginal discharge
+body waste
+fecal matter
+crap
+pigeon droppings
+droppings
+cow pie
+meconium
+melena
+fecula
+wormcast
+human waste
+urine
+vomit
+detritus
+waste
+filth
+sewage
+effluent
+garbage
+pollutant
+rubbish
+scrap metal
+debris
+slack
+litter
+slop
+toxic waste
+extravasation
+fallout
+fencing material
+ferrite
+fertilizer
+gallamine
+organic
+flux
+soldering flux
+foryml
+sodium nitrate
+pearl ash
+potassium bicarbonate
+potassium chloride
+potassium nitrate
+potassium bromide
+potassium carbonate
+potassium chlorate
+potassium cyanide
+potassium dichromate
+potassium iodide
+producer gas
+proprionamide
+propionic acid
+pudding stone
+putrescine
+pyroligneous acid
+manure
+chicken manure
+cow manure
+green manure
+horse manure
+night soil
+facial tissue
+fat
+cocoa butter
+leaf fat
+feldspar
+orthoclase
+plagioclase
+albite
+anorthite
+ferric oxide
+ferricyanic acid
+ferricyanide
+ferritin
+ferrocerium
+ferrocyanic acid
+ferrocyanide
+fiberglass
+fiber
+string
+fish meal
+buntal
+fibril
+fieldstone
+filling
+filter paper
+filtrate
+firelighter
+fire opal
+fish-liver oil
+fixative
+fixing agent
+flavone
+flavonoid
+flax
+flyspeck
+cotton
+long-staple cotton
+short-staple cotton
+chert
+taconite
+firestone
+flavin
+flint
+flintstone
+flooring
+floor wax
+fluoride
+fluoroboric acid
+fluoroboride
+fluorocarbon
+fluorocarbon plastic
+fluosilicate
+fluosilicic acid
+flypaper
+foam
+foam rubber
+fomentation
+formaldehyde
+formic acid
+formulation
+frankincense
+free radical
+freezing mixture
+Freon
+fructose
+fuel
+fuller's earth
+fulvic acid
+fumaric acid
+fumigant
+furan
+furfural
+galactagogue
+galactose
+galbanum
+gallic acid
+galvanized iron
+greenhouse gas
+carbuncle
+gas
+liquefied petroleum gas
+water gas
+ghatti
+kraft
+butcher paper
+gift wrap
+gilding metal
+gilgai soil
+natural glass
+quartz glass
+opal glass
+optical glass
+optical crown
+optical flint
+crown glass
+tektite
+volcanic glass
+obsidian
+pitchstone
+tachylite
+glass
+soft glass
+ground glass
+ground glass
+lead glass
+paste
+safety glass
+soluble glass
+stained glass
+Tiffany glass
+wire glass
+crystal
+twins
+enamine
+enantiomorph
+exotherm
+glucose
+dextrose
+blood sugar
+glutamate
+glutamic oxalacetic transaminase
+glyceraldehyde
+glyceric acid
+glyceride
+triglyceride
+glycerol
+glycerinated gelatin
+glycerin jelly
+glycerite
+glycerogelatin
+glyceryl
+nitroglycerin
+glyceryl ester
+glycoside
+amygdalin
+laetrile
+glucoside
+saponin
+glycolic acid
+glycoprotein
+cluster of differentiation 4
+cluster of differentiation 8
+hemoprotein
+lectin
+gneiss
+schist
+rust
+goitrogen
+goldstone
+gondang wax
+goose grease
+graph paper
+granite
+granular pearlite
+lubricant
+grease
+greaseproof paper
+Greek fire
+green gold
+greisen
+groundmass
+grid metal
+grout
+guanine
+guano
+guinea gold
+gunite
+essential oil
+attar
+attar of roses
+clove oil
+costus oil
+eucalyptus oil
+turpentine
+wormwood oil
+linalool
+resin
+natural resin
+amber
+urea-formaldehyde resin
+copal
+copalite
+congo copal
+kauri
+dammar
+Zanzibar copal
+colophony
+mastic
+oleoresin
+balsam
+balm
+balm of Gilead
+Canada balsam
+turpentine
+Chian turpentine
+copaiba
+gum resin
+benzoin
+benzofuran
+bdellium
+gamboge
+gum
+medium
+culture medium
+medium
+contrast medium
+medium
+agar
+agar
+blood agar
+algin
+cherry-tree gum
+chicle
+guar gum
+gum arabic
+Senegal gum
+gum butea
+kino
+mesquite gum
+mucilage
+sterculia gum
+synthetic
+synthetic resin
+alkyd
+phenolic resin
+epoxy
+copolymer
+polyurethane
+polyfoam
+cinnamon stone
+gumbo
+gutta-percha
+terra alba
+gummite
+halibut-liver oil
+halide
+halocarbon
+halogen
+hanging chad
+hard lead
+hard lead
+hard steel
+hard water
+harlequin opal
+hematite
+hemiacetal
+hemlock
+hemolysin
+hemp
+heptane
+herbicide
+hexane
+high brass
+high-density lipoprotein
+high-level radioactive waste
+high-speed steel
+hip tile
+histidine
+histaminase
+homogenate
+horsehair
+humectant
+humus
+humate
+humic acid
+humic substance
+humin
+hyacinth
+hyaline
+hyaluronic acid
+hyaluronidase
+hydrate
+hydrazine
+hydride
+hydrobromic acid
+hydrocarbon
+bitumen
+pitch
+coal tar
+butadiene
+chloroprene
+hydrochloric acid
+hydrofluorocarbon
+hydrogen bromide
+hydrogen chloride
+hydrogen fluoride
+hydrofluoric acid
+hydrogen iodide
+hydroiodic acid
+hydrogen sulfide
+hyper-eutectoid steel
+hypnagogue
+hypo
+hypochlorous acid
+hypo-eutectoid steel
+hypoglycemic agent
+hydrazo group
+hydroxide
+hydroxyl
+hydroxide ion
+hydroxymethyl
+ice
+black ice
+frost
+hailstone
+icicle
+Iceland spar
+identification particle
+Inconel
+ideal gas
+imidazole
+impregnation
+indelible ink
+India ink
+indicator
+indurated clay
+ink
+magnetic ink
+printer's ink
+writing ink
+Indian red
+Indian red
+indoleacetic acid
+indolebutyric acid
+inducer
+ivory black
+incense
+inhalant
+inoculant
+inorganic compound
+inosine
+inositol
+insecticide
+insectifuge
+repellent
+repellent
+instillation
+insulating material
+interleukin
+intermediate
+Invar
+invertase
+invert sugar
+Javelle water
+fraction
+iodic acid
+iodide
+iodocompound
+thyroprotein
+thyroglobulin
+iron blue
+iron blue
+Payne's grey
+iron disulfide
+iron ore
+iron perchloride
+isocyanate
+isocyanic acid
+isoleucine
+isomer
+isomerase
+itaconic acid
+jade
+Japan wax
+jargoon
+jasper
+jelly
+jet
+joss stick
+jute
+kapok
+red silk cotton
+paraffin
+keratohyalin
+ketone
+ketone body
+ketone group
+acetoacetic acid
+beta-hydroxybutyric acid
+hydroxybutyric acid
+ketohexose
+ketose
+kinase
+Kleenex
+kunzite
+Kwell
+labdanum
+lacquer
+lactase
+lactic acid
+lactifuge
+lactogen
+lactose
+lamellar mixture
+lapis lazuli
+lard oil
+larvicide
+laterite
+lath and plaster
+lauric acid
+lauryl alcohol
+latten
+lava
+tuff
+tufa
+aa
+pahoehoe
+pillow lava
+magma
+igneous rock
+adesite
+batholith
+diorite
+gabbro
+pegmatite
+peridotite
+kimberlite
+rhyolite
+volcanic rock
+leaded bronze
+lead ore
+massicot
+leaf mold
+leaven
+ledger paper
+lepidocrocite
+laid paper
+wove paper
+letter paper
+lindane
+linen
+leucine
+lignin
+hydroxide
+calcite
+calcium hydroxide
+limestone
+rottenstone
+dripstone
+calcium bicarbonate
+calcium carbonate
+limewater
+calcium chloride
+calcium hydride
+calcium sulphate
+limonene
+limonite
+linoleic acid
+linolenic acid
+linoleum
+lint
+linuron
+lipase
+lipid
+lipoprotein
+fluid
+grume
+ichor
+fluid
+liquid
+liquid
+liquid nitrogen
+liquid air
+liquid bleach
+liquid crystal
+liquor
+litmus
+litmus paper
+lithia water
+lithium carbonate
+loam
+lodestone
+loess
+log
+low brass
+low-density lipoprotein
+low-level radioactive waste
+lumber
+lye
+lymphokine
+lysine
+Lysol
+lysozyme
+Mace
+macromolecule
+magnesium bicarbonate
+magnesium carbonate
+magnesium hydroxide
+magnesium nitride
+magnesium sulfate
+Epsom salts
+magnetite
+Malathion
+maleate
+maleic acid
+maltose
+manifold paper
+manila
+manganese bronze
+manganese steel
+manganate
+Manila hemp
+maple sugar
+marble
+verd antique
+marking ink
+marsh gas
+martensite
+mash
+sour mash
+matchwood
+matchwood
+matrix
+matte
+medium steel
+megilp
+melamine
+melamine resin
+meltwater
+menhaden oil
+menstruum
+menthol
+mercuric chloride
+calomel
+message pad
+methane
+methane series
+methyl bromide
+methylated spirit
+methylene group
+methyl
+methionine
+methyl salicylate
+Microtaggant
+mild steel
+mine pig
+mineral oil
+misch metal
+mitogen
+motor oil
+mold
+molybdenum steel
+monoamine
+monoamine oxidase
+monohydrate
+monosaccharide
+monoxide
+montan wax
+moonstone
+mordant
+chrome alum
+tartar emetic
+tartrate
+bitartrate
+morganite
+mortar
+mucoid
+mucopolysaccharide
+mud
+slop
+sludge
+sapropel
+muriatic acid
+music paper
+mustard gas
+muton
+nitrogen mustard
+mutton tallow
+myelin
+myristic acid
+napalm
+naphtha
+naphthalene
+naphthol
+pyrene
+man-made fiber
+natural fiber
+animal fiber
+plant fiber
+straw
+natural gas
+naval brass
+neat's-foot oil
+nebula
+nerve gas
+VX gas
+sarin
+neuromuscular blocking agent
+newspaper
+Nichrome
+nickel-base alloy
+nickel bronze
+nickel silver
+nickel steel
+nicotinamide adenine dinucleotide
+nicotinamide adenine dinucleotide phosphate
+Ni-hard
+Ni-resist
+nitride
+nitrobenzene
+nitrofuran
+nitrogenase
+nuclease
+nucleic acid
+nucleoside
+nucleotide
+nurse log
+cellulose acetate
+cellulose triacetate
+celluloid
+cellulose xanthate
+acrylic fiber
+polyamide
+nylon
+oakum
+octane
+oil
+fixed oil
+fusel oil
+gas oil
+stand oil
+neroli oil
+tall oil
+oil-hardened steel
+oilpaper
+oleic acid
+oleo oil
+oleoresin capiscum
+oligosaccharide
+onionskin
+india paper
+onyx
+opaque gem
+opopanax
+organophosphate
+organophosphate nerve agent
+ormolu
+oxalacetate
+oxalacetic acid
+oxalate
+oxalic acid
+oxidase
+oxidation-reduction indicator
+oxide
+oxidoreductase
+oxime
+oxyacetylene
+oxyacid
+periodic acid
+oxygenase
+ozone
+pad
+palmitic acid
+palmitin
+pantothenic acid
+papain
+para aminobenzoic acid
+paraquat
+paper
+paper tape
+paper toweling
+papier-mache
+papyrus
+parchment
+rice paper
+roofing paper
+ola
+ticker tape
+packing material
+excelsior
+pantile
+blacktop
+macadam
+tarmacadam
+parget
+paving
+pay dirt
+pearlite
+pectic acid
+pectin
+pediculicide
+penicillinase
+pepsin
+pepsinogen
+perboric acid
+perfluorocarbon
+Permalloy
+permanganate
+permanganic acid
+peroxidase
+peridot
+peroxide
+pesticide
+petrochemical
+petroleum
+residual oil
+petrolatum
+system
+phenolic plastic
+phenylalanine
+phosgene
+phosphatase
+phosphine
+phosphate
+phosphocreatine
+phospholipid
+phosphoric acid
+phthalic acid
+phytochemical
+picric acid
+pig iron
+pig lead
+plasmin
+plasminogen
+plasminogen activator
+platinum black
+polymerase
+DNA polymerase
+transcriptase
+reverse transcriptase
+coloring material
+dye
+tincture
+argent
+alizarin
+alizarin carmine
+bluing
+bromophenol blue
+bromothymol blue
+cochineal
+cyanine dye
+direct dye
+eosin
+fluorescein
+fluorescein isothiocyanate
+fluorochrome
+hair dye
+hematochrome
+henna
+rinse
+Kendal green
+lac dye
+lead acetate
+orchil
+phenol
+pigment
+pigment
+bole
+lake
+lake
+orange
+watercolor
+pine tar
+pisang wax
+plant material
+plant product
+plasma
+plaster
+plaster of Paris
+puddle
+podzol
+poison gas
+polyester
+polyester
+polyester fiber
+polysaccharide
+polymer
+polyphosphate
+polyunsaturated fat
+potassium ferrocyanide
+potassium permanganate
+sandstone
+bluestone
+greensand
+polish
+polypropylene
+polyvinyl-formaldehyde
+porphyry
+porpoise oil
+dolphin oil
+potash
+powder
+prairie soil
+precipitant
+preservative
+product
+percolate
+propanal
+propanol
+propenal
+propenoate
+propenoic acid
+propenonitrile
+propylene
+propyl
+protease
+ptomaine
+Pyrex
+pyrimidine
+pyrimidine
+pyrope
+pyrophoric alloy
+pyruvic acid
+quassia
+quenched steel
+quercitron
+quinone
+radiopaque dye
+rhodolite
+safranine
+pheno-safranine
+Tyrian purple
+vat dye
+woad
+radioactive material
+radioactive waste
+raffia
+raffinose
+rauwolfia
+raveling
+red brass
+red lead
+red tide
+reductase
+refrigerant
+remover
+renin
+rennin
+residue
+resorcinol
+restrainer
+restriction endonuclease
+retinene
+ridge tile
+roofing material
+rose quartz
+roughcast
+latex
+rubber
+crepe rubber
+rubber
+silicone rubber
+cold rubber
+neoprene
+hard rubber
+Para rubber
+buna
+butyl rubber
+butyl
+ruby
+ruddle
+rutile
+rain
+condensate
+seawater
+evaporite
+fresh water
+Rochelle salt
+Seidlitz powder
+salicylate
+salicylic acid
+salmon oil
+salol
+salt
+double salt
+parathion
+Paris green
+rotenone
+samarskite
+sapphirine
+bile salt
+Glauber's salt
+cream of tartar
+sodium chlorate
+dichromic acid
+bichromate
+sodium dichromate
+ammonium nitrate
+silver nitrate
+lunar caustic
+caustic
+caulk
+roan
+sodium hydroxide
+silver bromide
+silver iodide
+nitrate
+nitro group
+nitrite
+sodium nitrite
+gunpowder
+smokeless powder
+microcosmic salt
+chloride
+trichloride
+nitrogen trichloride
+dichloride
+perchloride
+chloride
+aluminum chloride
+methylene chloride
+obidoxime chloride
+silver chloride
+stannic chloride
+stannous fluoride
+staple
+starch
+sand
+sangapenum
+water sapphire
+sapphire
+sarcosine
+sard
+sardine oil
+sardonyx
+sawdust
+saw log
+saxitoxin
+scale wax
+scavenger
+scheelite
+schorl
+scrap iron
+notepad
+scratch pad
+seal oil
+secretase
+sedimentary clay
+sepia
+serine
+globulin
+gamma globulin
+myosin
+coagulation factor
+fibrinogen
+releasing factor
+growth hormone-releasing factor
+intrinsic factor
+platelet
+porphyrin
+hemoglobin
+myoglobin
+oxyhemoglobin
+heme
+hemin
+heterocyclic compound
+cytochrome
+cytochrome c
+globin
+glutelin
+histone
+prolamine
+protamine
+scleroprotein
+hemosiderin
+antibody
+autoantibody
+precipitin
+ABO antibodies
+Rh antibody
+antitoxin
+antivenin
+tetanus antitoxin
+toxin antitoxin
+agglutinin
+isoagglutinin
+agglutinogen
+isoagglutinogen
+heterophil antibody
+isoantibody
+lysin
+monoclonal antibody
+infliximab
+opsonin
+immunoglobulin
+immunoglobulin A
+immunoglobulin D
+immunoglobulin E
+reagin
+immunoglobulin G
+immunoglobulin M
+tetanus immunoglobulin
+poison
+chemical irritant
+capsaicin
+gingerol
+piperin
+isothiocyanate
+fetoprotein
+alpha fetoprotein
+toxin
+anatoxin
+animal toxin
+bacterial toxin
+botulin
+cytotoxin
+endotoxin
+enterotoxin
+exotoxin
+mephitis
+hepatotoxin
+nephrotoxin
+neurotoxin
+mycotoxin
+plant toxin
+venom
+kokoi venom
+snake venom
+antigen
+antigenic determinant
+rhesus factor
+sap
+scabicide
+sewer gas
+shale
+humic shale
+oil shale
+shale oil
+shark oil
+sheep dip
+Shetland wool
+shingle
+shoe polish
+shot metal
+siderite
+silicic acid
+silicate
+silicide
+silicon carbide
+silicone
+silicone resin
+siloxane
+siding
+silex
+silica
+silica gel
+silicon bronze
+silk
+silt
+siltstone
+silvex
+simazine
+Simoniz
+sisal
+ski wax
+slag
+slate
+smaltite
+slush
+smelling salts
+snake oil
+snow
+snuff
+corn snow
+crud
+soapstone
+soda lime
+sodalite
+sodium carbonate
+sodium carboxymethyl cellulose
+sodium fluoride
+sodium hydride
+sodium hypochlorite
+sodium iodide
+sodium lauryl sulphate
+sodium pyrophosphate
+sodium sulphate
+sodium tripolyphosphate
+sodium phosphate
+soft water
+solid
+dry ice
+solvent
+solute
+solvate
+solvating agent
+viricide
+alkahest
+soup
+sourdough
+spackle
+spar
+sparkle metal
+spiegeleisen
+spill
+spelter
+sperm oil
+spice
+stacte
+staff
+staphylococcal enterotoxin
+staphylococcal enterotoxin B
+spinel
+spinel ruby
+almandine
+balas
+Ceylonite
+rubicelle
+solid solution
+spirits of ammonia
+spodumene
+hiddenite
+spray
+stabilizer
+stachyose
+stain
+counterstain
+Gram's solution
+stannite
+star sapphire
+starch
+arrowroot
+cornstarch
+sago
+pearl sago
+amyloid
+Otaheite arrowroot
+steam
+live steam
+water vapor
+vapor
+softener
+water softener
+soman
+spray
+sea spray
+spindrift
+stearic acid
+stearin
+Stellite
+sterling silver
+sternutator
+steroid
+nonsteroid
+ketosteroid
+sterol
+cholesterol
+HDL cholesterol
+LDL cholesterol
+oxidized LDL cholesterol
+ergosterol
+bile acid
+cholic acid
+bilge
+cardiac glycoside
+digitalis
+render
+stibnite
+sticks and stone
+wattle and daub
+stiffener
+streptodornase
+streptokinase
+streptolysin
+stripper
+strophanthin
+strontianite
+stucco
+sublimate
+tallow
+vegetable tallow
+sucrose
+jaggery
+structural iron
+structural steel
+sulfanilic acid
+sulfate
+sulfide
+sulfur oxide
+sulfur dioxide
+sulfur hexafluoride
+sunstone
+superoxide
+superoxide
+superoxide dismutase
+surgical spirit
+Swedish iron
+swinging chad
+sylvanite
+sylvite
+tabun
+talc
+French chalk
+rensselaerite
+tallow oil
+tannin
+catechin
+tantalite
+tartaric acid
+racemic acid
+tear gas
+telluride
+telomerase
+tenderizer
+terpene
+tetrachloride
+tetrafluoroethylene
+tetrahalide
+tetrasaccharide
+tetrodotoxin
+tetroxide
+tetryl
+thatch
+thickening
+thiouracil
+thiocyanate
+thiocyanic acid
+thorite
+thortveitite
+threonine
+prothrombin
+thromboplastin
+calcium ion
+proaccelerin
+proconvertin
+antihemophilic factor
+Christmas factor
+prothrombinase
+plasma thromboplastin antecedent
+Hageman factor
+fibrinase
+thymine
+deoxyadenosine
+deoxycytidine
+deoxyguanosine
+deoxythymidine
+thymol
+melanocyte-stimulating hormone
+thyrotropin
+thyrotropin-releasing hormone
+thyronine
+tile
+till
+tissue
+toilet tissue
+toilet roll
+toluene
+toluic acid
+tombac
+toner
+toner
+tool steel
+topaz
+topaz
+tourmaline
+trace element
+tracing paper
+tragacanth
+transaminase
+transferase
+transfer paper
+transferrin
+transparent gem
+transparent substance
+triamcinolone
+triazine
+tri-chad
+trichloroacetic acid
+margarin
+tridymite
+triolein
+trimer
+trioxide
+tripalmitin
+triphosphopyridine
+triphosphopyridine nucleotide
+triphosphoric acid
+trisaccharide
+trisodium phosphate
+tristearin
+trypsin
+trypsinogen
+tryptophan
+tuna oil
+tundra soil
+tungsten steel
+tungstate
+tungstic acid
+turquoise
+typewriter paper
+tyramine
+tyrosine
+ubiquinone
+ultramarine
+French blue
+umber
+raw umber
+burnt umber
+undecylenic acid
+unleaded gasoline
+undercut
+urease
+urethane
+uracil
+uraninite
+uranium ore
+uranyl
+uranyl nitrate
+uranyl oxalate
+urea
+uric acid
+urate
+tophus
+valine
+linseed
+linseed oil
+tung oil
+chaulmoogra oil
+vanadate
+vanadinite
+vanadium pentoxide
+vanadium steel
+vellum
+vermiculite
+very low density lipoprotein
+vesuvianite
+vinegar
+vinyl
+vinyl
+vinyl polymer
+iodopsin
+visual purple
+photopigment
+vitamin
+fat-soluble vitamin
+water-soluble vitamin
+vitamin A
+vitamin A1
+vitamin A2
+provitamin
+provitamin A
+B-complex vitamin
+vitamin B1
+vitamin B12
+vitamin B2
+vitamin B6
+vitamin Bc
+niacin
+vitamin D
+vitamin E
+biotin
+vitamin K
+vitamin K1
+vitamin K3
+vitamin P
+vitamin C
+vitriol
+volatile
+wallpaper
+waste paper
+water of crystallization
+wax
+beeswax
+Ghedda wax
+cerumen
+paraffin
+spermaceti
+vegetable wax
+shellac wax
+cadaverine
+cadmium sulfide
+cadmium yellow
+cadmium yellow pale
+cadmium orange
+zinc cadmium sulfide
+verdigris
+wax paper
+wetting agent
+detergent
+builder
+whale oil
+whey
+white lead
+wicker
+wiesenboden
+wood
+dyewood
+hardwood
+softwood
+pulpwood
+raw wood
+hardtack
+firewood
+cordwood
+backlog
+Yule log
+brand
+pine knot
+igniter
+kindling
+punk
+board
+lemongrass
+planking
+chipboard
+deal
+knot
+knothole
+clapboard
+wolframite
+wollastonite
+wood pulp
+wood sugar
+Wood's metal
+wood tar
+wool
+raw wool
+alpaca
+cashmere
+fleece
+shoddy
+vicuna
+virgin wool
+wrapping paper
+writing paper
+wool oil
+wulfenite
+wurtzite
+xenotime
+xylene
+yeast
+yellowcake
+mother
+zeolite
+chabazite
+heulandite
+natrolite
+phillipsite
+zinc blende
+zinc oxide
+zinc sulfate
+zinc sulfide
+zinc white
+zinkenite
+zinnwaldite
+zircon
+zirconium oxide
+zymase
+emanation
+ectoplasm
+essence
+ligand
+enamel
+imide
+metabolite
+vegetable matter
+anabolic steroid
+pregnanediol
+tubocurarine
+tuberculin
+vehicle
+vesicant
+vernix
+vitrification
+wad
+xanthate
+xanthic acid
+xanthine
+time period
+trial period
+time frame
+geological time
+biological time
+cosmic time
+civil time
+daylight-saving time
+hours
+downtime
+uptime
+24/7
+hours
+work time
+time off
+face time
+compensatory time
+bout
+hospitalization
+travel time
+present
+now
+here and now
+date
+times
+modern times
+Roman times
+past
+yore
+bygone
+old
+history
+future
+kingdom come
+musical time
+time
+Elizabethan age
+Victorian age
+day
+dead
+hard times
+incarnation
+continuum
+history
+Phanerozoic
+Cenozoic
+Quaternary
+Holocene
+Pleistocene
+Tertiary
+Pliocene
+Miocene
+Oligocene
+Eocene
+Paleocene
+Mesozoic
+Cretaceous
+Jurassic
+Triassic
+Paleozoic
+Permian
+Carboniferous
+Pennsylvanian
+Mississippian
+Devonian
+Silurian
+Ordovician
+Cambrian
+Precambrian
+Proterozoic
+Archean
+Hadean
+clock time
+Greenwich Mean Time
+coordinated universal time
+Earth-received time
+one-way light time
+round-trip light time
+elapsed time
+transmission time
+spacecraft event time
+spacecraft clock time
+Atlantic Time
+Eastern Time
+Central Time
+Mountain Time
+Pacific Time
+Alaska Standard Time
+Hawaii Time
+Bering Time
+duration
+duration
+clocking
+longueur
+residence time
+span
+stretch
+time scale
+value
+extended time scale
+fast time scale
+time being
+biological clock
+circadian rhythm
+fourth dimension
+workweek
+week
+midweek
+day
+workday
+workday
+rest day
+overtime
+turnaround
+spare time
+day off
+leisure
+vacation
+half-term
+vac
+half-holiday
+playtime
+field day
+field day
+honeymoon
+paid vacation
+leave
+furlough
+pass
+compassionate leave
+sabbatical
+sabbatical year
+shore leave
+sick leave
+terminal leave
+life
+life
+life
+days
+millennium
+bimillennium
+occupation
+past
+shelf life
+life expectancy
+birth
+cradle
+puerperium
+lactation
+incipiency
+death
+death
+grave
+afterlife
+kingdom come
+immortality
+period
+time of life
+summer
+age
+neonatal period
+infancy
+anal stage
+genital stage
+latency stage
+oral stage
+phallic stage
+childhood
+girlhood
+boyhood
+schooldays
+youth
+adolescence
+prepuberty
+puberty
+teens
+twenties
+1900s
+1530s
+twenties
+1820s
+thirties
+thirties
+1830s
+forties
+forties
+1840s
+fifties
+fifties
+1850s
+1750s
+sixties
+sixties
+1860s
+1760s
+golden years
+seventies
+seventies
+1870s
+1770s
+eighties
+eighties
+eighties
+1780s
+nineties
+nineties
+nineties
+1790s
+bloom
+age of consent
+majority
+minority
+prime
+drinking age
+voting age
+adulthood
+maturity
+bachelorhood
+middle age
+widowhood
+old age
+dotage
+deathbed
+menopause
+climacteric
+time unit
+day
+night
+tomorrow
+today
+yesterday
+morrow
+eve
+mean time
+terrestrial time
+calendar day
+day
+Admission Day
+Arbor Day
+Cinco de Mayo
+commencement day
+November 5
+Guy Fawkes Day
+Bonfire Night
+Inauguration Day
+leap day
+date
+date
+future date
+rain date
+sell-by date
+date
+quarter day
+fast day
+major fast day
+minor fast day
+feast day
+Succoth
+religious festival
+festival
+D-day
+V-day
+V-E Day
+V-J Day
+day of the week
+weekday
+feria
+Sunday
+Monday
+Tuesday
+Wednesday
+Thursday
+Friday
+Saturday
+Sabbath
+day
+morning
+noon
+mealtime
+breakfast time
+lunchtime
+dinnertime
+afternoon
+midafternoon
+evening
+guest night
+prime time
+night
+night
+night
+night
+weeknight
+eve
+evening
+late-night hour
+midnight
+small hours
+bedtime
+lights-out
+closing time
+dawn
+early-morning hour
+sunset
+twilight
+night
+week
+week from Monday
+fortnight
+weekend
+rag
+rag day
+red-letter day
+Judgment Day
+off-day
+access time
+distance
+distance
+embolism
+payday
+polling day
+church year
+field day
+field day
+calendar
+timekeeping
+Roman calendar
+ides
+market day
+Gregorian calendar
+Julian calendar
+Revolutionary calendar
+Revolutionary calendar month
+Vendemiaire
+Brumaire
+Frimaire
+Nivose
+Pluviose
+Ventose
+Germinal
+Floreal
+Prairial
+Messidor
+Thermidor
+Fructidor
+Jewish calendar
+lunar calendar
+lunisolar calendar
+solar calendar
+Islamic calendar
+Hindu calendar
+date
+deadline
+curfew
+anachronism
+point
+arrival time
+departure time
+checkout
+Holy Week
+Holy Year
+church calendar
+Walpurgis Night
+New Year's Eve
+New Year's Day
+New Year
+Martin Luther King Jr's Birthday
+Robert E Lee's Birthday
+Hogmanay
+Rosh Hashanah
+Rosh Hodesh
+Tet
+holiday
+religious holiday
+High Holy Day
+Christian holy day
+Jewish holy day
+holy day of obligation
+movable feast
+Yom Kippur
+Saint Agnes's Eve
+Martinmas
+Indian summer
+Annunciation
+Michaelmas
+Michaelmastide
+Candlemas
+Groundhog Day
+Lincoln's Birthday
+Valentine Day
+Washington's Birthday
+Presidents' Day
+Texas Independence Day
+St Patrick's Day
+Easter
+Easter Sunday
+April Fools'
+Pan American Day
+Patriot's Day
+May Day
+Mother's Day
+Armed Forces Day
+Memorial Day
+Jefferson Davis' Birthday
+Flag Day
+Father's Day
+Independence Day
+Lammas
+Lammastide
+Labor Day
+Citizenship Day
+American Indian Day
+Columbus Day
+United Nations Day
+Halloween
+Pasch
+Pasch
+Eastertide
+Palm Sunday
+Passion Sunday
+Good Friday
+Low Sunday
+Holy Saturday
+Holy Innocents' Day
+Septuagesima
+Quinquagesima
+Quadragesima
+Trinity Sunday
+Rogation Day
+Solemnity of Mary
+Ascension
+Circumcision
+Maundy Thursday
+Corpus Christi
+Saints Peter and Paul
+Assumption
+Dormition
+Epiphany
+Saint Joseph
+Twelfthtide
+Twelfth night
+All Saints' Day
+Immaculate Conception
+Allhallowtide
+All Souls' Day
+Ash Wednesday
+Ember Day
+Passover
+Christmas
+Christmas Eve
+Christmas
+Boxing Day
+Purim
+Shavous
+Shimchath Torah
+Tishah b'Av
+Fast of Gedaliah
+Fast of Tevet
+Fast of Esther
+Fast of the Firstborn
+Fast of Tammuz
+Hanukkah
+Lag b'Omer
+legal holiday
+bank holiday
+Commonwealth Day
+Dominion Day
+Bastille Day
+Remembrance Day
+Veterans Day
+Thanksgiving
+Victoria Day
+year
+anomalistic year
+year-end
+common year
+leap year
+off year
+off year
+calendar year
+solar year
+lunar year
+fiscal year
+school
+school year
+year
+annum
+year
+semester
+bimester
+Olympiad
+lustrum
+decade
+century
+quadrennium
+quinquennium
+quattrocento
+twentieth century
+half-century
+quarter-century
+month
+quarter
+phase of the moon
+new moon
+half-moon
+first quarter
+last quarter
+full moon
+harvest moon
+lunar month
+anomalistic month
+sidereal time
+sidereal day
+day
+lunar day
+sidereal year
+sidereal hour
+sidereal month
+solar month
+calendar month
+Gregorian calendar month
+January
+mid-January
+February
+mid-February
+March
+mid-March
+April
+mid-April
+May
+mid-May
+June
+mid-June
+July
+mid-July
+August
+mid-August
+September
+mid-September
+October
+mid-October
+November
+mid-November
+December
+mid-December
+Jewish calendar month
+Tishri
+Heshvan
+Kislev
+Tebet
+Shebat
+Adar
+Veadar
+Nisan
+Iyar
+Sivan
+Tammuz
+Ab
+Elul
+Islamic calendar month
+Muharram
+Safar
+Rabi I
+Rabi II
+Jumada I
+Jumada II
+Rajab
+Sha'ban
+Ramadan
+Id al-Fitr
+Shawwal
+Dhu'l-Qa'dah
+Dhu'l-Hijja
+Id al-Adha
+Hindu calendar month
+Chait
+Ramanavami
+Baisakh
+Jeth
+Asarh
+Sawan
+Bhadon
+Asin
+Kartik
+Aghan
+Pus
+Magh
+Mesasamkranti
+Phagun
+saint's day
+name day
+solstice
+summer solstice
+Midsummer Day
+Midsummer Eve
+school day
+speech day
+washday
+wedding day
+wedding night
+winter solstice
+equinox
+vernal equinox
+autumnal equinox
+Noruz
+time limit
+limitation
+term
+prison term
+hard time
+life sentence
+school term
+summer school
+midterm
+semester
+trimester
+quarter
+gestation
+term
+midterm
+trimester
+first trimester
+second trimester
+third trimester
+refractory period
+bell
+hour
+half-hour
+quarter-hour
+hour
+none
+hour
+happy hour
+rush hour
+zero hour
+canonical hour
+matins
+prime
+terce
+sext
+nones
+vespers
+compline
+man hour
+silly season
+Golden Age
+silver age
+bronze age
+Bronze Age
+iron age
+Iron Age
+Stone Age
+Eolithic Age
+Paleolithic Age
+Lower Paleolithic
+Middle Paleolithic
+Upper Paleolithic
+Mesolithic Age
+Neolithic Age
+great year
+regulation time
+overtime
+extra innings
+overtime period
+tiebreaker
+sudden death
+minute
+quarter
+second
+leap second
+attosecond
+femtosecond
+picosecond
+nanosecond
+microsecond
+millisecond
+season
+fall
+spring
+summer
+dog days
+winter
+midwinter
+growing season
+seedtime
+sheepshearing
+holiday season
+high season
+off-season
+rainy season
+monsoon
+dry season
+season
+season
+preseason
+spring training
+baseball season
+triple-crown season
+basketball season
+exhibition season
+fishing season
+football season
+hockey season
+hunting season
+social season
+theatrical season
+Advent
+Advent Sunday
+Shrovetide
+Mardi Gras
+Lent
+Pentecost
+Whitmonday
+Whit-Tuesday
+Whitsun
+long time
+month of Sundays
+long run
+eon
+eon
+eternity
+alpha and omega
+blue moon
+year dot
+drought
+moment
+eleventh hour
+moment of truth
+moment of truth
+pinpoint
+time
+high time
+occasion
+meal
+psychological moment
+wee
+while
+cold spell
+hot spell
+moment
+blink of an eye
+ephemera
+period
+era
+epoch
+era
+Caliphate
+Christian era
+day
+year of grace
+Y2K
+generation
+anniversary
+birthday
+jubilee
+diamond jubilee
+silver jubilee
+wedding anniversary
+silver wedding anniversary
+golden wedding anniversary
+diamond wedding anniversary
+semicentennial
+centennial
+sesquicentennial
+bicentennial
+tercentennial
+quatercentennial
+quincentennial
+millennium
+bimillennium
+birthday
+time immemorial
+auld langsyne
+by-and-by
+chapter
+antiquity
+golden age
+historic period
+prehistory
+modern era
+information age
+ice age
+Jazz Age
+chukker
+inning
+top
+bottom
+set
+game
+turn
+playing period
+first period
+second period
+final period
+half
+first half
+second half
+period
+quarter
+over
+maiden over
+Baroque
+Middle Ages
+Renaissance
+Italian Renaissance
+Industrial Revolution
+Reign of Terror
+reign of terror
+reign
+reign
+turn of the century
+Harlem Renaissance
+New Deal
+Reconstruction
+Restoration
+print run
+run
+run-time
+run-time
+split run
+space age
+today
+tonight
+yesterday
+millennium
+offing
+tomorrow
+manana
+common time
+duple time
+triple time
+tempo
+in time
+accelerando
+allegretto
+allegro
+allegro con spirito
+andante
+meno mosso
+rubato
+beginning
+youth
+terminus a quo
+presidency
+vice-presidency
+middle
+end
+deep
+stopping point
+dawn
+evening
+cease
+fag end
+last gasp
+termination
+terminus ad quem
+threshold
+seek time
+track-to-track seek time
+time interval
+time constant
+time slot
+time
+lunitidal interval
+absence
+pause
+lapse
+blackout
+caesura
+dead air
+delay
+extension
+halftime
+interlude
+entr'acte
+interim
+latent period
+reaction time
+eternity
+interregnum
+sleep
+beauty sleep
+kip
+respite
+time-out
+letup
+breath
+lease
+half life
+relaxation time
+moratorium
+retardation
+tide
+acceleration
+centripetal acceleration
+deceleration
+attrition rate
+birthrate
+bits per second
+crime rate
+data rate
+deathrate
+dose rate
+erythrocyte sedimentation rate
+flow
+cardiac output
+flux
+frequency
+gigahertz
+growth rate
+isometry
+hertz
+inflation rate
+jerk
+kilohertz
+kilometers per hour
+megahertz
+terahertz
+metabolic rate
+miles per hour
+pace
+pulse
+femoral pulse
+radial pulse
+rate of return
+return on invested capital
+respiratory rate
+revolutions per minute
+sampling rate
+Nyquist rate
+solar constant
+spacing
+speed
+tempo
+quick time
+double time
+airspeed
+escape velocity
+groundspeed
+hypervelocity
+muzzle velocity
+peculiar velocity
+radial velocity
+speed of light
+steerageway
+terminal velocity
+miles per hour
+attendance
+count per minute
+sampling frequency
+Nyquist frequency
+infant deathrate
+neonatal mortality
+words per minute
+beats per minute
+rate
+channel capacity
+neutron flux
+radiant flux
+luminous flux
+incubation
+cycle
+menstrual cycle
+fertile period
+menstrual phase
+musth
+secretory phase
+lead time
+period
+orbit period
+phase
+phase
+generation
+multistage
+apogee
+seedtime
+tenure
+episcopate
+shift
+go
+trick
+watch
+watch
+dogwatch
+day shift
+evening shift
+night shift
+split shift
+peacetime
+wartime
+graveyard watch
+enlistment
+honeymoon
+indiction
+float
+Depression
+prohibition
+incubation period
+rainy day
+novitiate
+flower
+golden age
+rule
+Regency
+running time
+show time
+safe period
+octave
+then
+shiva
+epoch
+clotting time
+rotational latency
+probation
+probation
+processing time
+air alert
+command processing overhead time
+Great Schism
+question time
+real time
+real time
+regency
+snap
+study hall
+Transfiguration
+usance
+window
+9/11
\ No newline at end of file
diff --git a/nlp-utils/src/main/resources/opennlp/cfg/wn/verb.txt b/nlp-utils/src/main/resources/opennlp/cfg/wn/verb.txt
new file mode 100644
index 0000000..37933e7
--- /dev/null
+++ b/nlp-utils/src/main/resources/opennlp/cfg/wn/verb.txt
@@ -0,0 +1,7440 @@
+breathe
+respire
+choke
+hyperventilate
+aspirate
+burp
+force out
+hiccup
+sigh
+exhale
+hold
+sneeze
+inhale
+pant
+cough
+hack
+expectorate
+snort
+wheeze
+puff
+blow
+insufflate
+yawn
+sniff
+blink
+palpebrate
+bat
+wink
+squint
+wince
+shed
+desquamate
+twitch
+fibrillate
+move involuntarily
+act involuntarily
+act
+fall over backwards
+presume
+vulgarize
+optimize
+quack
+menace
+make
+swagger
+freeze
+wanton
+romanticize
+sentimentalise
+bungle
+play
+stooge
+shake
+shiver
+rest
+be active
+sleep
+bundle
+snooze
+nap
+oversleep
+sleep late
+hibernate
+estivate
+drowse
+nod
+zonk out
+snore
+fall asleep
+bed down
+doss
+go to bed
+get up
+wake up
+awaken
+reawaken
+cause to sleep
+affect
+attack
+ulcerate
+wake
+stay up
+keep up
+hypnotize
+entrance
+anesthetize
+etherize
+cocainize
+chloroform
+bring to
+sedate
+stimulate
+de-energize
+cathect
+perk up
+faint
+come to
+animate
+refresh
+freshen
+wash up
+tense
+crick
+relax
+unbend
+vege out
+sit back
+limber up
+stretch
+spread-eagle
+exsert
+hyperextend
+crane
+invigorate
+smile
+dimple
+grin
+beam
+smirk
+fleer
+bray
+bellylaugh
+roar
+snicker
+giggle
+break up
+break
+break down
+drop like flies
+cramp
+fall over
+cackle
+guffaw
+chuckle
+laugh
+convulse
+cachinnate
+sneer
+frown
+glower
+stare
+look
+scowl
+shrug
+clap
+grimace
+screw up
+pout
+clear the throat
+shower
+foment
+bathe
+cleanse
+wash
+sponge down
+scrub
+soap
+gargle
+shave
+epilate
+razor
+tonsure
+douche
+comb
+slick
+dress
+bob
+pompadour
+marcel
+wave
+gauffer
+perm
+mousse
+pomade
+tease
+groom
+clean up
+make up
+highlight
+lipstick
+rouge
+condition
+floss
+shampoo
+powder
+talc
+manicure
+barber
+pedicure
+doll up
+spruce up
+perfume
+preen
+prank
+tart up
+overdress
+enrobe
+prim
+bedizen
+dress down
+prink
+reduce
+sweat off
+gain
+round
+bundle up
+hat
+try on
+bonnet
+wear
+cover
+jacket
+frock
+shirt
+habit
+vesture
+underdress
+corset
+shoe
+undress
+peel off
+take off
+scarf
+slip on
+slip off
+coat
+cross-dress
+costume
+dandify
+vest
+inseminate
+stratify
+quicken
+impregnate
+inoculate
+cross-fertilize
+pollinate
+conceive
+nick
+beget
+ejaculate
+reproduce
+propagate
+vegetate
+fructify
+breed
+pullulate
+spawn
+spat
+give birth
+lie in
+labor
+twin
+drop
+foal
+cub
+kitten
+lamb
+litter
+whelp
+farrow
+fawn
+calve
+have a bun in the oven
+expect
+carry to term
+miscarry
+abort
+brood
+alter
+defeminize
+emasculate
+caponize
+geld
+vasectomize
+sterilize
+face-lift
+trephine
+menstruate
+ovulate
+antisepticize
+autoclave
+hatch
+irritate
+inflame
+soothe
+relieve
+massage
+hurt
+indispose
+suffer
+have
+be well
+wail
+cry
+bawl
+tear
+sob
+snivel
+sweat
+superfetate
+exude
+distill
+reek
+transpire
+extravasate
+stream
+gum
+secrete
+water
+swelter
+injure
+trample
+concuss
+calk
+trouble
+disagree with
+torture
+rack
+martyr
+pull
+urinate
+wet
+stale
+excrete
+evacuate
+suction
+purge
+stool
+dung
+constipate
+obstipate
+shed blood
+tire
+exhaust
+frazzle
+overtire
+vomit
+spew
+keep down
+gag
+gnash
+ail
+treat
+correct
+detox
+irrigate
+iodize
+doctor
+vet
+nurse
+manipulate
+administer
+transfuse
+digitalize
+bring around
+help
+comfort
+remedy
+poultice
+bandage
+ligate
+strap
+splint
+operate on
+venesect
+medicate
+drug
+dope
+soup
+overdose
+narcotize
+anoint
+salve
+bleed
+inject
+infuse
+immunize
+cup
+sicken
+wan
+contract
+catch
+catch cold
+poison
+intoxicate
+infect
+superinfect
+smut
+disinfect
+chlorinate
+canker
+traumatize
+shock
+galvanize
+mutilate
+maim
+twist
+subluxate
+cripple
+hamstring
+disable
+hock
+devolve
+recuperate
+snap back
+relapse
+languish
+waste
+atrophy
+hypertrophy
+fledge
+grow
+regrow
+spring
+sprout
+leaf
+pod
+teethe
+cut
+ankylose
+pupate
+work up
+fester
+draw
+suppurate
+necrose
+regenerate
+rejuvenate
+resuscitate
+boot
+resurrect
+scab
+skin over
+heal
+granulate
+poop out
+exercise
+train
+tumble
+roll
+warm up
+limber
+tone
+fart
+snuffle
+spit
+splutter
+stub
+harm
+salivate
+drivel
+blush
+pale
+etiolate
+tan
+suntan
+sun
+sunburn
+generalize
+metastasize
+emit
+joke
+clown
+feel
+feel like a million
+suffocate
+gown
+jaundice
+piffle
+run down
+pack on
+call
+make as if
+fracture
+refracture
+give
+pack
+snuff
+froth
+lather
+change
+shade
+gel
+brutalize
+caramelize
+rasterize
+convert
+humify
+verbalize
+creolize
+sporulate
+novelize
+deaden
+opalize
+receive
+reconvert
+malt
+stay
+keep out
+continue
+sit tight
+differentiate
+speciate
+dedifferentiate
+mutate
+arterialize
+revert
+render
+get
+alternate
+spell
+interchange
+counterchange
+vascularize
+decrepitate
+crackle
+suburbanize
+modulate
+avianize
+move
+step
+scroll
+glaze
+revolutionize
+turn
+bald
+sensualize
+barbarize
+alkalinize
+mythologize
+allegorize
+demythologize
+bring
+secularize
+rubberize
+coarsen
+anodize
+citrate
+equilibrate
+leave
+strike a blow
+repercuss
+tell on
+redound
+bacterize
+change by reversal
+turn the tables
+commutate
+alchemize
+alcoholize
+change integrity
+switch over
+change shape
+individuate
+tie
+terrace
+fork
+constellate
+shape
+tabulate
+dimension
+strike
+crystallize
+culminate
+sliver
+ridge
+plume
+conglobate
+form
+scallop
+square
+round off
+purse
+pooch
+change state
+fall
+fall off
+fall in love
+suspend
+resuspend
+sober up
+sober
+become
+work
+adjust
+follow
+go by
+readjust
+proportion
+reconstruct
+readapt
+decrease
+shrink
+taper
+drop off
+vanish
+increase
+suppress
+extend
+augment
+build up
+enlarge
+up
+rise
+soar
+jump
+accrue
+bull
+ease up
+spike
+add to
+explode
+pyramid
+advance
+snowball
+raise
+bump up
+accumulate
+backlog
+accrete
+run up
+assimilate
+acculturate
+detribalize
+dissimilate
+rectify
+utilize
+commute
+capitalize
+overcapitalize
+transduce
+replace
+refurbish
+gentrify
+revamp
+retread
+renovate
+revitalize
+vitalize
+ruggedize
+consolidate
+proof
+bombproof
+bulletproof
+child-proof
+goofproof
+fireproof
+weatherproof
+devitalize
+eviscerate
+reincarnate
+reform
+surge
+revive
+republish
+change magnitude
+modify
+attemper
+syncopate
+update
+soup up
+cream
+enrich
+redevelop
+round out
+deprive
+fail
+disestablish
+remove
+harvest
+tip
+stem
+extirpate
+enucleate
+exenterate
+decorticate
+bail
+strip
+ablate
+clean
+winnow
+pick
+clear
+muck
+lift
+tear away
+uncloak
+take away
+pit
+seed
+unhinge
+shuck
+hull
+crumb
+chip away
+burl
+knock out
+bus
+scavenge
+hypophysectomize
+degas
+husk
+bur
+clear off
+unclutter
+clutter
+clog
+brim
+add
+gild the lily
+adjoin
+work in
+add on
+include
+mix
+dash
+put on
+butylate
+nitrate
+tank
+oxygenate
+mercerize
+back
+fluoridate
+creosote
+carbonate
+camphorate
+bromate
+ammoniate
+welt
+insert
+plug
+inset
+glass
+catheterize
+launder
+intersperse
+interleave
+feed
+slip
+foist
+intercalate
+punctuate
+concatenate
+string
+flick
+activate
+biodegrade
+inactivate
+deactivate
+reactivate
+obtund
+petrify
+jazz up
+enliven
+spirit
+compound
+totalize
+recombine
+milk
+denude
+clear-cut
+stump
+defoliate
+deforest
+burn off
+burn
+frost
+scald
+declaw
+defang
+dehorn
+disbud
+bone
+disembowel
+shell
+tusk
+scalp
+moderate
+mitigate
+qualify
+remodel
+debug
+edit
+bowdlerize
+interpolate
+black out
+blank out
+falsify
+tame
+break in
+chasten
+corrupt
+pervert
+abuse
+worsen
+lapse
+better
+turn around
+brisk
+upgrade
+recondition
+degrade
+emend
+iron out
+deteriorate
+go to pot
+decay
+decompose
+digest
+dissociate
+hang
+spoil
+addle
+mold
+dry-rot
+exsiccate
+dehydrate
+freeze-dry
+conserve
+lyophilize
+preserve
+tin
+pickle
+salt
+marinade
+decoct
+can
+hydrate
+slack
+air-slake
+bedew
+spin-dry
+tumble dry
+spray-dry
+humidify
+dehumidify
+drench
+brine
+bedraggle
+bate
+ret
+flood
+flow
+lave
+inundate
+moisten
+moil
+parch
+dry
+rough-dry
+lubricate
+blow-dry
+drip-dry
+scorch
+lock
+unlock
+engage
+disengage
+strengthen
+attenuate
+substantiate
+restrengthen
+undergird
+confirm
+sandbag
+fortify
+reinforce
+buttress
+line
+vouch
+bolster
+weaken
+melt
+die down
+die
+collapse
+fade
+depress
+unbrace
+dilute
+rarefy
+intensify
+build
+redouble
+heat up
+fan
+blunt
+bloody
+hose
+sprinkle
+moonshine
+enhance
+potentiate
+follow up
+touch up
+mushroom
+undergrow
+exfoliate
+overgrow
+subside
+pare
+restrict
+develop
+gate
+draw the line
+mark off
+rule
+baffle
+carry
+limit
+hold down
+number
+cap
+hamper
+abridge
+boil down
+concentrate
+deoxidize
+benficiate
+crack
+catabolize
+oxidize
+oxidise
+rust
+pole
+blow up
+reef
+miniaturize
+shrivel
+blast
+die back
+mummify
+weld
+unite
+consubstantiate
+abbreviate
+foreshorten
+encapsulate
+telescope
+abate
+slake
+culture
+rotate
+double
+geminate
+triple
+quadruple
+quintuple
+multiply
+manifold
+proliferate
+senesce
+age
+progress
+climb
+leapfrog
+regress
+fossilize
+ripen
+mature
+find oneself
+evolve
+work out
+elaborate
+derive
+adolesce
+antique
+antiquate
+incubate
+mellow
+soften
+encrust
+effloresce
+face-harden
+callus
+mollify
+balloon
+reflate
+bulge
+swell
+distend
+expand
+belly
+tumefy
+bilge
+leak
+damage
+total
+bruise
+disturb
+afflict
+visit
+devastate
+repair
+tinker
+fill
+piece
+cobble
+point
+overhaul
+retrofit
+trouble-shoot
+patch
+impair
+flaw
+dish
+bulk
+amplify
+inflate
+puff up
+deflate
+acidify
+alkalize
+polymerize
+copolymerize
+ionize
+ossify
+catalyze
+dwindle
+turn down
+get well
+get worse
+remit
+paralyze
+palsy
+stun
+immobilize
+unblock
+mobilize
+acerbate
+mend
+fluctuate
+stabilize
+peg
+ballast
+guy
+destabilize
+sensitize
+desensitize
+inure
+callous
+steel oneself against
+habituate
+teach
+corrode
+fret
+erode
+weather
+regularize
+tidy
+mess
+disorder
+perturb
+order
+predate
+postdate
+chronologize
+straighten
+disarrange
+rearrange
+recode
+reshuffle
+randomize
+serialize
+alphabetize
+bleach
+peroxide
+wash out
+whiten
+blacken
+melanize
+lighten
+discolor
+blackwash
+sallow
+bronze
+silver
+foliate
+dye
+stain
+deep-dye
+henna
+impress
+color
+motley
+polychrome
+azure
+purple
+aurify
+verdigris
+pinkify
+incarnadine
+madder
+embrown
+handcolor
+ebonize
+dip
+tint
+pigment
+tincture
+imbue
+complexion
+hue
+fast dye
+double dye
+tie-dye
+retouch
+hand-dye
+batik
+piece-dye
+redden
+grey
+yellow
+escalate
+de-escalate
+radiate
+effuse
+irradiate
+bombard
+light
+floodlight
+spotlight
+clip
+fancify
+uglify
+dress up
+blossom
+bloom
+temper
+season
+tune
+untune
+calibrate
+time
+trim
+zero
+attune
+gear
+pitch
+set
+reset
+keynote
+regulate
+adapt
+fit
+anglicise
+habilitate
+capacitate
+disqualify
+shoehorn
+tailor
+domesticate
+fine-tune
+anneal
+toughen
+widen
+white out
+let out
+take in
+flare out
+constrict
+astringe
+strangulate
+bottleneck
+narrow
+taper off
+dilate
+implode
+detonate
+fulminate
+crump
+go off
+dynamite
+erupt
+dehisce
+oxygenize
+dehydrogenate
+hydrogenate
+burst
+pop
+puncture
+stave
+boom
+luxuriate
+boost
+blur
+obliterate
+darken
+infuscate
+murk
+dun
+blind
+dusk
+brighten
+weed
+dim
+obscure
+benight
+focus
+refocus
+depreciate
+appreciate
+revalue
+expense
+deafen
+shorten
+lengthen
+truncate
+broaden
+prolong
+temporize
+spin
+elongate
+tree
+size
+scale
+resize
+rescale
+bake
+ovenbake
+brown
+coddle
+fire
+farce
+fetishize
+feudalize
+stuff
+cork
+pad
+baste
+souse
+microwave
+crispen
+shirr
+blanch
+overboil
+cook
+overcook
+fricassee
+stew
+jug
+simmer
+seethe
+roast
+barbeque
+pan roast
+braise
+fry
+frizzle
+deep-fat-fry
+griddle
+pan-fry
+slenderize
+french-fry
+stir fry
+saute
+grill
+hibachi
+steam
+steep
+brew
+boil
+broil
+pan-broil
+pressure-cook
+branch
+ramify
+arborize
+twig
+bifurcate
+trifurcate
+atomize
+dialyse
+backscatter
+peptize
+grind
+pound
+pulp
+pestle
+mill
+powderize
+run
+partition
+subdivide
+screen off
+shatter
+smash
+ladder
+stave in
+sunder
+check
+fissure
+snap
+chap
+craze
+alligator
+splinter
+dissolve
+rag
+brecciate
+crush
+arise
+happen
+result
+intervene
+operate
+supervene
+proceed
+drag
+come
+anticipate
+recur
+iterate
+cycle
+come around
+dematerialize
+befall
+spin off
+concur
+bud
+get down
+recommence
+strike out
+break out
+jump off
+get to
+auspicate
+plunge
+come on
+embark
+take up
+get cracking
+begin
+jumpstart
+inaugurate
+set off
+carry over
+resume
+persevere
+obstinate
+ask for it
+stick to
+pass away
+close out
+finish
+close
+cut out
+go out
+finish up
+end
+give the axe
+ax
+stamp out
+kill
+change surface
+level
+crust
+heave
+shoot
+germinate
+burgeon
+root
+strangle
+buy it
+go
+widow
+drown
+predecease
+be born
+come to life
+cloud over
+mist
+demist
+bloat
+curl
+hold on
+cut short
+hang up
+nolle pros
+bog down
+interrupt
+adjourn
+pasteurize
+condense
+sublime
+resublime
+evaporate
+pervaporate
+unify
+unitize
+syncretize
+disunify
+converge
+league
+federate
+carbonize
+cool
+overheat
+quench
+ice
+refrigerate
+heat
+soak
+calcine
+preheat
+warm
+chafe
+cauterize
+glaciate
+concrete
+boil over
+deep freeze
+quick-freeze
+deliquesce
+defrost
+burn down
+smolder
+sear
+sizzle
+incinerate
+singe
+backfire
+cremate
+torch
+char
+blister
+switch
+permute
+map
+transpose
+metricize
+flour
+transform
+transmute
+transubstantiate
+sorcerize
+ash
+translate
+reclaim
+metamorphose
+moralize
+Islamize
+Christianize
+evangelize
+catholicize
+turn back
+invert
+resile
+customize
+personalize
+depersonalize
+lay waste to
+harry
+emaciate
+enfeeble
+enervate
+pine away
+dampen
+shush
+stifle
+choke off
+dull
+cloud
+pall
+sharpen
+subtilize
+acuminate
+flatten
+acclimatize
+synchronize
+phase
+desynchronize
+blend
+gauge
+absorb
+blend in
+cut in
+conjugate
+admix
+alloy
+fuse
+crumble
+disintegrate
+fold
+reintegrate
+macerate
+putrefy
+magnetize
+demagnetize
+simplify
+oversimplify
+complicate
+complexify
+involve
+refine
+sophisticate
+snarl
+snafu
+pressurize
+supercharge
+depressurize
+structure
+restructure
+organize
+interlock
+centralize
+decentralize
+socialize
+fix
+provide
+cram
+precondition
+mount
+set up
+rig
+winterize
+summerize
+prime
+communize
+internationalize
+Americanize
+Europeanize
+bestialize
+Frenchify
+modernize
+civilize
+nationalize
+denationalize
+privatize
+naturalize
+denaturalize
+adopt
+immigrate
+settle
+colonize
+relocate
+dislocate
+homestead
+roost
+set in
+resettle
+emigrate
+expatriate
+steady
+even
+equal
+homologize
+stiffen
+starch
+buckram
+rigidify
+clamp down
+loosen
+tighten
+frap
+tauten
+transitivize
+detransitivize
+slacken
+douse
+absent
+evanesce
+appear
+peep
+manifest
+come to light
+gleam
+emerge
+get on
+outcrop
+flash
+turn out
+resurface
+basset
+pop out
+reappear
+break through
+disappear
+skip town
+die out
+minimize
+hedge
+scale down
+scale up
+maximize
+spill
+retrench
+slash
+thin out
+thin
+thicken
+decline
+wear on
+heighten
+shoot up
+slump
+wax
+full
+wane
+magnify
+crash
+give way
+blow out
+unfurl
+roll up
+bolt
+diversify
+vary
+checker
+specialize
+overspecialize
+accelerate
+decelerate
+retard
+fishtail
+rev up
+slow
+diminish
+gasify
+jell
+curdle
+harden
+liquefy
+try
+solidify
+solvate
+react
+etch
+validate
+invalidate
+empty
+clean out
+flow away
+bail out
+void
+populate
+people
+drain
+rack up
+top off
+heap
+overfill
+ink
+replenish
+suffuse
+perfuse
+flush
+wash down
+sluice
+complete
+complement
+saturate
+match
+service
+homogenize
+clot
+sour
+ferment
+vinify
+rush
+delay
+stonewall
+stall
+buy time
+hush
+louden
+inhibit
+burke
+silence
+squelch
+splat
+steamroll
+align
+address
+realign
+true
+collimate
+plumb
+misalign
+skew
+integrate
+lysogenize
+build in
+re-incorporate
+standardize
+normalize
+reorient
+morph
+wilt
+neutralize
+commercialize
+eliminate
+decimate
+cancel out
+decouple
+extinguish
+excise
+sparkle
+perfect
+polish
+overrefine
+precipitate
+purify
+spiritualize
+lustrate
+deform
+block
+mar
+snuff out
+stamp
+stub out
+massacre
+erase
+mechanize
+dehumanize
+automatize
+semi-automatize
+systematize
+codify
+finalize
+harmonize
+key
+accommodate
+compartmentalize
+top
+get through
+see through
+cap off
+crown
+follow through
+adhere
+fixate
+glue
+polarize
+load
+water down
+leach
+vent
+air
+linearize
+glorify
+justify
+quantify
+meter
+pace
+clock
+mistime
+click off
+fathom
+titrate
+foul
+pollute
+decontaminate
+contaminate
+debase
+devalue
+demonetize
+isolate
+segregate
+ghettoize
+insulate
+weatherstrip
+soundproof
+cloister
+sequester
+seclude
+quarantine
+maroon
+let
+preisolate
+ammonify
+thoriate
+charge
+imbrue
+calcify
+coke
+decalcify
+carnify
+chondrify
+citify
+urbanize
+industrialize
+emulsify
+demulsify
+denazify
+decarboxylate
+nazify
+denitrify
+nitrify
+fertilize
+topdress
+innervate
+pinch
+federalize
+clarify
+detoxify
+devitrify
+embrittle
+electrify
+esterify
+etherify
+interstratify
+jellify
+lapidify
+dot
+mark
+stigmatize
+raddle
+striate
+red-ink
+reline
+spot
+freckle
+fox
+mottle
+harlequin
+crisscross
+star
+flag
+bark
+lay up
+nobble
+pinion
+enable
+equip
+buffer
+background
+pick up
+wave off
+foreground
+bring out
+de-emphasize
+tender
+process
+reverberate
+curry
+dose
+sulphur
+vulcanize
+chrome
+bituminize
+Agenize
+rerun
+recharge
+facilitate
+mystify
+demystify
+bubble
+foam
+sweeten
+de-ionate
+iodinate
+de-iodinate
+ionate
+upset
+green
+blue
+thrombose
+diagonalize
+archaize
+take effect
+inform
+take
+officialize
+marbleize
+occidentalize
+orientalize
+acetylate
+achromatize
+assume
+re-assume
+parallel
+ritualize
+camp
+carboxylate
+caseate
+classicize
+clinker
+closure
+compost
+conventionalize
+cure
+corn
+recover
+rally
+dawn
+issue
+escape
+debouch
+decarbonize
+decimalize
+declutch
+delouse
+depopulate
+lower
+derate
+salinate
+desalinate
+dizzy
+exteriorize
+glamorize
+sentimentalize
+sole
+vamp
+heel
+honeycomb
+introvert
+laicize
+politicize
+radicalize
+encrimson
+vermilion
+carmine
+rubify
+rubric
+ruddle
+rusticate
+sauce
+shallow
+steepen
+superannuate
+scramble
+unscramble
+unsex
+vitrify
+saponify
+lead up
+open
+territorialize
+globalize
+ream
+bring home
+catch on
+outgrow
+muddy
+reheat
+poach
+dignify
+exalt
+deify
+fly
+harshen
+flow out
+emanate
+white-out
+dinge
+crescendo
+decrescendo
+assibilate
+smoothen
+demonize
+devilize
+etherealize
+immaterialize
+animize
+come back
+turn on
+mangle
+shift
+break into
+save
+turn to
+transition
+deepen
+surf
+dynamize
+concretize
+volatilize
+uniformize
+symmetrize
+immortalize
+denature
+disrupt
+sanitize
+verbify
+introject
+transfer
+brush
+sputter
+transcribe
+swing
+lull
+prostrate
+excite
+outmode
+spice
+leap
+veer
+run out
+think
+format
+digitize
+hydrolyze
+hydrolize
+saccharify
+rumple
+gelatinize
+felt
+float
+feminize
+masculinize
+bind
+disharmonize
+obsolesce
+sexualize
+schematize
+patent
+constitutionalize
+rationalize
+stalinize
+destalinize
+plasticize
+scrap
+desorb
+recede
+ebb
+wash away
+drift
+paganize
+defervesce
+incandesce
+leave off
+play out
+damp
+deaminate
+angulate
+circularize
+depolarize
+demineralize
+isomerize
+legitimate
+indurate
+gradate
+keratinize
+beneficiate
+novate
+opacify
+opsonize
+militarize
+popularize
+recommend
+ruin
+solemnize
+subordinate
+transaminate
+transfigure
+unsanctify
+vesiculate
+visualize
+undulate
+variegate
+ventilate
+vivify
+vulgarise
+supple
+professionalize
+still
+roll in
+flip
+weaponize
+deflagrate
+diazotize
+hay
+lignify
+mineralize
+ozonize
+slag
+sulfate
+cutinize
+duplex
+eroticize
+piggyback
+repress
+downsize
+subtract
+shear
+port
+carve out
+lifehack
+grok
+lie low
+understand
+sense
+smell
+figure
+touch
+intuit
+perceive
+click
+resonate
+strike a chord
+do justice
+acknowledge
+attorn
+write off
+extrapolate
+sympathize
+know
+keep track
+lose track
+ignore
+have down
+know the score
+taste
+relive
+master
+learn
+relearn
+unlearn
+catch up
+get the goods
+wise up
+trip up
+audit
+consume
+welter
+swallow
+espouse
+imbibe
+apprentice
+retrain
+drill
+housebreak
+roughhouse
+toilet-train
+memorize
+understudy
+indoctrinate
+brainwash
+hammer in
+inculcate
+din
+study
+major
+remember
+forget
+come to mind
+mind
+retain
+recognize
+remind
+take back
+nag
+reminisce
+commemorate
+monumentalize
+jilt
+abandon
+expose
+walk out
+neglect
+elide
+exclude
+attend to
+pretermit
+slight
+misremember
+err
+stumble
+mistake
+identify
+type
+date
+misdate
+confuse
+misconstrue
+read
+read between the lines
+puzzle over
+demoralize
+perplex
+riddle
+interpret
+mythicize
+literalize
+reinterpret
+misread
+idealize
+anagram
+reread
+dip into
+empanel
+decipher
+make out
+numerate
+dictate
+scry
+skim
+lipread
+copyread
+proofread
+rationalize away
+think out
+philosophize
+brainstorm
+chew over
+premeditate
+theologize
+introspect
+reason
+theorize
+ratiocinate
+speculate
+etymologize
+solve
+answer
+cinch
+guess
+induce
+deduce
+establish
+calculate
+quantize
+extract
+prorate
+miscalculate
+recalculate
+average
+cube
+factor
+foot
+carry back
+divide
+halve
+quarter
+analyze
+parse
+synthesize
+anatomize
+botanize
+diagnose
+explore
+put out feelers
+survey
+triangulate
+measure
+caliper
+prospect
+research
+google
+mapquest
+re-explore
+cast about
+pioneer
+cave
+discriminate
+distinguish
+label
+bristle
+sex
+individualize
+catalogue
+compare
+analogize
+syllogize
+reconsider
+come round
+classify
+refer
+reclassify
+dichotomize
+pigeonhole
+group
+regroup
+bracket
+collocate
+categorize
+grade
+rate
+superordinate
+shortlist
+reorder
+countermarch
+outclass
+place
+rank
+prioritize
+sequence
+downgrade
+contrast
+severalize
+contradistinguish
+collate
+receipt
+see
+control
+double-check
+cross-check
+card
+spot-check
+authenticate
+verify
+prove
+prove oneself
+lay down
+document
+source
+negate
+disprove
+refute
+accept
+stand for
+bear up
+take lying down
+take it on the chin
+take a joke
+test
+sit out
+evaluate
+stand
+misjudge
+underestimate
+sell short
+overestimate
+judge
+estimate
+misgauge
+lowball
+approve
+frown on
+disapprove
+rubberstamp
+choose
+field
+sieve
+dial
+plump
+hand-pick
+elect
+excerpt
+cull out
+cream off
+sieve out
+assign
+dedicate
+detail
+schedule
+book
+calendar
+slot
+single out
+opt out
+prejudice
+bias
+slant
+predispose
+dispose
+prejudge
+assess
+reappraise
+reassess
+censor
+bethink
+believe
+buy
+credit
+misbelieve
+disbelieve
+count
+subsume
+rule out
+reject
+repudiate
+recuse
+approbate
+reprobate
+doubt
+discredit
+distrust
+lean
+trust
+rethink
+backpedal
+about-face
+surmise
+think of
+consider
+like
+relativize
+favor
+abstract
+reify
+hypostatize
+apotheosize
+deem
+respect
+think the world of
+disrespect
+undervalue
+assay
+bioassay
+value
+overvalue
+review
+screen
+decide
+will
+design
+seal
+purpose
+determine
+filiate
+initialize
+miscreate
+carry weight
+reshape
+index
+predetermine
+predestine
+jinx
+cogitate
+contemplate
+plan
+chart
+draw a bead on
+overshoot
+overrun
+hope
+project
+offer
+introduce
+frame
+conspire
+coconspire
+counterplot
+scheme
+plot
+intend
+mean
+aim
+want
+slate
+mastermind
+choreograph
+plat
+lay out
+block out
+loft
+engineer
+entertain
+dally
+reckon
+associate
+interrelate
+correlate
+free-associate
+debate
+conclude
+find
+pin down
+overrule
+presuppose
+postulate
+insist
+premise
+overreact
+respond
+greet
+look forward
+look to
+tell
+ascertain
+discover
+rake up
+price
+ferret out
+rivet
+recall
+occur
+allow
+budget for
+budget
+beware
+amaze
+dazzle
+surprise
+explode a bombshell
+flabbergast
+impute
+reattribute
+anthropomorphize
+personify
+accredit
+blame
+register
+elicit
+penetrate
+trace
+wonder
+internalize
+demarcate
+find out
+concenter
+resign
+observe
+discountenance
+resolve
+factorize
+misgive
+fall in line
+believe in
+think about
+plant
+dateline
+arrange
+factor analyse
+re-create
+drink in
+keep note
+grab
+seize
+pay
+take one's lumps
+relegate
+communicate
+yak
+fingerspell
+aphorize
+shrug off
+send a message
+relay
+reach
+ping
+diphthongize
+reach out
+draw out
+get across
+twang
+vocalize
+troll
+ordain
+destine
+force
+intrude
+clamp
+stick
+inflict
+furlough
+direct
+talk down
+point the way
+instruct
+overburden
+bear down
+overwhelm
+mandate
+command
+featherbed
+general
+officer
+ask
+request
+solicit
+encore
+requisition
+page
+petition
+demand
+adjure
+appeal
+claim
+profess
+contend
+purport
+disclaim
+disown
+apostatize
+abnegate
+crave
+supplicate
+beg
+plead
+bid
+pray
+commune
+intercede
+concert
+negociate
+renegociate
+horse-trade
+parley
+powwow
+palaver
+clinch
+agree
+plea-bargain
+bargain
+reconcile
+propitiate
+apply
+urge
+push
+nudge
+persuade
+hustle
+bring round
+badger
+sell
+chat up
+blaze away
+memorialize
+talk out of
+talk into
+rope in
+wheedle
+elocute
+soft-soap
+proselytize
+dissuade
+encourage
+lead
+prompt
+argue
+re-argue
+present
+expostulate
+stickle
+spar
+quibble
+brawl
+clamor
+polemize
+quarrel
+fall out
+oppose
+assure
+charm
+gibber
+hex
+voodoo
+prevail
+importune
+besiege
+put away
+pause
+take five
+take ten
+chime in
+burst in on
+digress
+go ahead
+segue
+hook
+hit
+quest
+entice
+seduce
+lead on
+tweedle
+tempt
+pry
+question
+interpellate
+spy
+investigate
+quiz
+examine
+cross examine
+catechize
+spoonfeed
+pump
+interrogate
+probe
+re-examine
+cell phone
+call in
+hang on
+telecommunicate
+telex
+summon
+beep
+call back
+buzz
+convoke
+muster
+subpoena
+invite
+provoke
+jog
+call on
+book up
+program
+reschedule
+reserve
+forbid
+ban
+bar
+enjoin
+refuse
+contract in
+contract out
+rebuff
+abjure
+misstate
+retreat
+revoke
+renege
+cancel
+cross off
+dismiss
+recount
+pass off
+scoff
+turn a blind eye
+laugh off
+permit
+authorize
+certificate
+assent
+yield
+dissent
+disagree
+clash
+see eye to eye
+concede
+subscribe
+sanction
+visa
+object
+demur
+challenge
+counterchallenge
+cavil
+interview
+check out
+miss
+get off
+evade
+bypass
+avoid
+keep off
+shirk
+shy away from
+shun
+confront
+vex
+wrestle
+bandy
+hash out
+blaspheme
+hold forth
+counter
+sass
+retort
+deny
+admit
+make no bones about
+make a clean breast of
+bastardize
+sustain
+confess
+stand pat
+hunker down
+avow
+disavow
+attest
+declare
+reflect
+mirror
+notarize
+certify
+beatify
+canonize
+contradict
+reprimand
+savage
+admonish
+chastise
+flame
+call on the carpet
+represent
+tell off
+lip off
+reproach
+reprehend
+deplore
+knock
+animadvert
+belabor
+come down
+preach
+sermonize
+pontificate
+orate
+bloviate
+induct
+mentor
+tutor
+unteach
+ground
+lecture
+brief
+debrief
+acquaint
+warn
+fill in
+coach
+misinform
+lie
+romance
+perjure
+suborn
+fib
+beat around the bush
+typify
+misrepresent
+tinge
+pose
+masquerade
+bluff
+feign
+go through the motions
+play possum
+take a dive
+bamboozle
+talk through one's hat
+overstate
+soft-pedal
+trivialize
+overemphasize
+re-emphasise
+understate
+denounce
+accuse
+arraign
+tax
+complain
+recriminate
+impeach
+slang
+claw
+disparage
+nitpick
+pan
+defame
+assassinate
+libel
+vilify
+badmouth
+diss
+bristle at
+mock
+caricature
+impersonate
+spoof
+jeer
+pull the leg of
+incite
+needle
+ridicule
+satirize
+deride
+debunk
+stultify
+horse around
+deceive
+undeceive
+gull
+kid
+referee
+deprecate
+condemn
+praise
+salute
+overpraise
+crow
+trumpet
+exuberate
+glory
+cheerlead
+cheer
+humor
+amuse
+applaud
+bravo
+laud
+ensky
+crack up
+hymn
+promulgate
+acclaim
+boo
+vitriol
+rip
+whang
+accurse
+blog
+curse
+gee
+ooh
+bless
+consecrate
+reconsecrate
+desecrate
+account
+impugn
+defy
+call one's bluff
+brazen
+call out
+contest
+forewarn
+caution
+threaten
+bode
+alarm
+rede
+tip off
+advise
+familiarize
+orient
+verse
+reacquaint
+get into
+propose
+proposition
+misadvise
+feed back
+propound
+consult
+confer
+collogue
+submit
+return
+report out
+nominate
+volunteer
+flatter
+adulate
+stroke
+eulogize
+curry favor
+butter up
+compliment
+congratulate
+rave
+commend
+speak of the devil
+boast
+gloat
+promise
+pledge
+swear off
+article
+oblige
+indenture
+tie down
+disoblige
+collateralize
+betroth
+vow
+inscribe
+rededicate
+take the veil
+stipulate
+sign
+undertake
+underwrite
+swear
+guarantee
+doom
+reinsure
+thank
+apologize
+excuse
+alibi
+frank
+take the Fifth
+defend
+stand up
+cover for
+uphold
+shake hands
+cross oneself
+bow
+congee
+take a bow
+curtsy
+salaam
+hail
+welcome
+say farewell
+reintroduce
+precede
+preamble
+prologize
+absolve
+wash one's hands
+meld
+wish
+forgive
+shrive
+acquit
+vindicate
+whitewash
+pardon
+amnesty
+extenuate
+convict
+reconvict
+sentence
+foredoom
+backbite
+heckle
+whine
+deter
+foster
+patronize
+stoop to
+murmur
+grouch
+coo
+protest
+declaim
+remonstrate
+raise hell
+repine
+gripe
+rail
+regret
+exclaim
+shout
+yell
+hollo
+hurrah
+halloo
+whoop
+shriek
+yowl
+interject
+vociferate
+holler
+thunder
+whisper
+speak up
+enthuse
+rhapsodize
+suppose
+second-guess
+predict
+vaticinate
+augur
+bet
+guesstimate
+redetermine
+refract
+suspect
+bespeak
+blaze
+signpost
+signalize
+singularize
+buoy
+say
+show
+surcharge
+indicate
+finger
+foreshow
+scruple
+marvel
+explicate
+forecast
+prophesy
+enlighten
+hint
+intimate
+clue in
+contraindicate
+convey
+imply
+burst out
+rip out
+suggest
+connote
+denote
+signify
+euphemize
+speak in tongues
+voice
+tone down
+unwrap
+muckrake
+out
+come out of the closet
+unmask
+betray
+confide
+unbosom
+sell out
+nark
+spill the beans
+keep quiet
+misspell
+deconstruct
+commentate
+misinterpret
+explain
+account for
+obfuscate
+express
+pour out
+miaou
+talk
+whiff
+talk of
+blubber
+drone
+gather
+recite
+rattle down
+list
+enumerate
+itemize
+specify
+name
+count down
+miscount
+census
+tally
+take a dare
+devoice
+lilt
+palatalize
+nasalize
+mispronounce
+platitudinize
+tsk
+relate
+yarn
+narrate
+publicize
+hype
+bulletin
+embroider
+disambiguate
+define
+redefine
+repeat
+cuckoo
+reecho
+parrot
+perseverate
+ditto
+regurgitate
+harp
+hark back
+retranslate
+mistranslate
+dub
+gloss
+phrase
+Latinize
+paraphrase
+lexicalize
+spiel
+dogmatize
+cheek
+speak
+run on
+smatter
+talk turkey
+monologuize
+converse
+broach
+report
+announce
+check in
+clock in
+clock out
+publish
+circulate
+podcast
+satellite
+sportscast
+sow
+telecast
+colorcast
+go around
+bandy about
+propagandize
+misname
+tout
+pronounce
+sign off
+trump
+blare out
+count off
+advertise
+headline
+ballyhoo
+bill
+proclaim
+clarion
+articulate
+retroflex
+subvocalize
+syllabize
+drawl
+give voice
+formularize
+bumble
+rasp
+blurt out
+lisp
+inflect
+stress
+utter
+gurgle
+nasale
+bite out
+troat
+volley
+chorus
+describe
+symbolize
+actualize
+dramatize
+overdramatize
+portray
+delineate
+take the floor
+deliver
+speechify
+harangue
+approach
+misdirect
+instrument
+re-address
+disabuse
+post
+placard
+gesticulate
+telepathize
+write
+write in
+style
+apostrophize
+encode
+code
+decode
+transliterate
+notate
+Romanize
+braille
+rewrite
+revise
+amend
+rubricate
+undersign
+autograph
+initial
+countersign
+execute
+endorse
+cosign
+record
+overwrite
+tape record
+prerecord
+accession
+ring up
+chronicle
+set forth
+file
+trademark
+log
+log up
+film
+videotape
+photograph
+retake
+reshoot
+x-ray
+score
+underline
+quote
+notch
+handwrite
+backspace
+double-space
+triple-space
+touch-type
+spell out
+jot down
+scribble
+sketch
+correspond
+cable
+radio
+fax
+sum up
+precis
+docket
+recapitulate
+retrograde
+state
+get out
+affirm
+reaffirm
+circumstantiate
+reconfirm
+topicalize
+point up
+drive home
+underscore
+testify
+adduce
+allege
+assert
+predicate
+swear in
+maintain
+counterclaim
+reassure
+note
+write down
+dash down
+exemplify
+firm up
+overgeneralize
+universalize
+mention
+misquote
+underquote
+touch on
+invoke
+namedrop
+call up
+slip in
+drag up
+cross-refer
+allude
+drive
+toss in
+decree
+opine
+editorialize
+baptize
+rename
+entitle
+term
+tag
+designate
+excommunicate
+covenant
+mail
+airmail
+e-mail
+spam
+network
+express-mail
+comment
+disk-jockey
+sugarcoat
+discourse
+descant
+talk shop
+browbeat
+compromise
+whore
+give and take
+queer
+chatter
+yack
+babble
+chew the fat
+shmooze
+wigwag
+semaphore
+heliograph
+mouth
+lip-synch
+close up
+open up
+beckon
+dish the dirt
+rumor
+rap
+hoot
+pant-hoot
+grunt-hoot
+grunt
+whistle
+wolf-whistle
+susurrate
+mumble
+slur
+groan
+grumble
+vroom
+yawp
+sough
+howl
+squall
+bay
+yelp
+bleat
+bellow
+squawk
+chirk
+croon
+chant
+singsong
+intonate
+pipe up
+yodel
+warble
+quaver
+treble
+perorate
+scan
+rant
+churr
+chirr
+meow
+purr
+honk
+chitter
+hiss
+sibilate
+hee-haw
+squeal
+cluck
+moo
+trill
+flap
+hum
+cackel
+gaggle
+bridle
+jam
+barrage jam
+point jam
+spot jam
+blanket jam
+mince
+crunch
+gobble
+wisecrack
+kibitz
+notice
+neigh
+caw
+mew
+catcall
+haw
+hem
+hem and haw
+hypothecate
+rubbish
+send
+come across
+share
+pooh-pooh
+thrash out
+croak
+unspell
+write out
+keep
+think twice
+gulp
+hurl
+sing
+write up
+traverse
+connect
+seek
+stet
+message
+pluralize
+harsh on
+compete
+put in
+try for
+line up
+snooker
+misplay
+start
+fumble
+replay
+cricket
+backstop
+fullback
+quarterback
+cradle
+stalemate
+castle
+serve
+ace
+overtrump
+crossruff
+exit
+front
+take the bull by the horns
+meet
+promote
+run off
+fistfight
+enter
+drop out
+demolish
+cut to ribbons
+face off
+tee off
+par
+handicap
+race
+boat-race
+horse-race
+jockey
+arm
+rearm
+forearm
+disarm
+demobilize
+man
+staff
+station
+garrison
+team
+embed
+crew
+gang
+pool
+brigade
+join battle
+tug
+fight
+recalcitrate
+fight back
+battle
+dogfight
+war
+blitzkrieg
+go to war
+make peace
+campaign
+crusade
+barnstorm
+whistlestop
+sit
+criticize
+officiate
+caddie
+soldier
+enlist
+sign up
+discharge
+recruit
+conscript
+remilitarize
+demilitarize
+lose
+go down
+win
+romp
+sweep
+outpoint
+homer
+count out
+beat
+walk over
+worst
+wallop
+down
+whomp
+lurch
+get the best
+get the jump
+cut down
+cheat
+outwit
+outshout
+outroar
+outsail
+outdraw
+surpass
+outsell
+outpace
+upstage
+outshine
+outrange
+outweigh
+outbrave
+out-herod
+outfox
+take the cake
+shame
+get the better of
+overcome
+bulldog
+rout
+outdo
+outfight
+nose
+outgeneral
+manoeuver
+outmaneuver
+overpower
+steamroller
+outmarch
+steal
+win back
+place-kick
+kick
+eagle
+hole up
+walk
+drive in
+fall back
+keep step
+conquer
+checkmate
+bait
+sic
+equalize
+surrender
+resist
+stand out
+hold off
+capitulate
+subject
+submarine
+assail
+blindside
+harass
+reassail
+pepper
+pin
+duel
+rival
+emulate
+outrival
+joust
+tilt
+chicken-fight
+tourney
+feud
+skirmish
+slice
+chop
+feather
+counterattack
+take the count
+gas
+teargas
+mine
+countermine
+storm
+blitz
+invade
+beset
+blockade
+barricade
+bulwark
+protect
+overprotect
+look out
+guard
+ward off
+shield
+wall
+stockade
+circumvallate
+repel
+carpet bomb
+bomb out
+dive-bomb
+glide-bomb
+skip-bomb
+atom-bomb
+hydrogen-bomb
+pattern-bomb
+nuke
+letter bomb
+firebomb
+loose off
+cannon
+misfire
+trigger
+sharpshoot
+snipe
+open fire
+strafe
+cannonade
+gun
+machine gun
+gun down
+grass
+kneecap
+fusillade
+defuse
+torpedo
+safeguard
+ambush
+gamble
+dice
+shoot craps
+bet on
+ante
+underplay
+parlay
+bird
+crab
+seine
+harpoon
+fish
+brail
+fly-fish
+angle
+whale
+shrimp
+still-hunt
+turtle
+rabbit
+fowl
+grouse
+whelk
+net fish
+shark
+trawl
+hunt
+ferret
+course
+foxhunt
+jacklight
+still-fish
+hawk
+falcon
+strive
+extend oneself
+kill oneself
+bowl
+skittle
+golf
+fence
+parry
+shuttlecock
+double-team
+side
+champion
+deploy
+tackle
+weight-lift
+target
+undershoot
+range in
+retaliate
+revenge
+get even
+pay back
+retire
+put out
+take the field
+croquet
+mothproof
+outplay
+overtake
+fort
+drop one's serve
+spare
+use
+pull out all the stops
+put
+repose
+ply
+misapply
+avail
+overuse
+take in vain
+work through
+cannibalize
+recycle
+rehash
+exploit
+make hay
+harness
+quarry
+strip mine
+overexploit
+addict
+strain
+overstrain
+exert
+eat
+take out
+victual
+eat in
+eat out
+dine
+picnic
+gluttonize
+wolf
+slurp
+swill
+suck
+drink
+guggle
+sip
+guzzle
+lap
+claret
+pub-crawl
+tipple
+break bread
+partake
+fare
+pitch in
+tuck in
+nosh
+pick at
+peck
+garbage down
+nibble
+ruminate
+browse
+chomp
+champ
+toast
+drain the cup
+regale
+wine
+board
+live in
+live out
+forage
+raven
+fodder
+slop
+undernourish
+overfeed
+force-feed
+plank
+cater
+pander
+power
+gratify
+spree
+underlay
+horse
+remount
+patronage
+reseed
+lunch
+brunch
+breakfast
+feast
+breastfeed
+dry-nurse
+wean
+bottlefeed
+suckle
+starve
+be full
+need
+diet
+fast
+befuddle
+delight
+have a ball
+wallow
+live it up
+indulge
+surfeit
+sow one's oats
+dunk
+enjoy
+afford
+run low
+gorge
+satiate
+cloy
+quell
+content
+host
+wine and dine
+fatten
+sample
+degust
+fritter
+abstain
+teetotal
+devour
+eat up
+smack
+stomach
+metabolize
+predigest
+smoke
+chain-smoke
+mainline
+skin pop
+take a hit
+light up
+free-base
+huff
+trip
+chew
+chaw
+toss off
+nourish
+feed on
+fix up
+prey
+fill up
+nutrify
+range
+gutter
+sup
+toe
+trap
+violate
+strew
+palpate
+handle
+paw
+grope
+dandle
+lay hands on
+mouse
+guide
+snatch
+nab
+wrest
+collar
+grasp
+latch on
+cling
+clasp
+scaffold
+pleat
+chock
+underpin
+prop up
+truss
+jack
+brace
+tread
+cling to
+slat
+stopper
+conglutinate
+agglutinate
+haemagglutinate
+unclasp
+quirk
+untwist
+crimp
+grip
+twiddle
+wield
+treadle
+goose
+caress
+pet
+canoodle
+interpenetrate
+foray
+poke into
+sneak in
+permeate
+spiritize
+jab
+poke
+stab
+prod
+knife
+poniard
+bayonet
+maul
+laminate
+lapidate
+dab
+daub
+blood
+thatch
+roof
+shingle
+mulch
+turf
+bury
+bank
+carpet
+board up
+knead
+masticate
+butt
+headbutt
+spang
+rear-end
+broadside
+thud
+bottom
+bottom out
+shoulder
+elbow
+bump
+run into
+graze
+goad
+spur
+rocket
+slam
+lam into
+shutter
+pull back
+chuck
+swab
+dust
+dredge
+vacuum
+bream
+Simonize
+buff
+edge
+strop
+whet
+hone
+cock
+skim over
+squeak by
+tap
+percuss
+postpose
+prepose
+scissor
+skive
+fillet
+plane
+rub
+pumice
+puree
+rosin
+worry
+holystone
+scour
+bedaub
+smear
+resmudge
+smirch
+slime
+smooth
+launch
+roughen
+abrade
+wear away
+amputate
+slough off
+resect
+abscise
+pink
+jag
+serrate
+carve
+swage
+julienne
+hash
+chop down
+undercut
+axe
+fell
+poleax
+chisel
+chip
+hew
+snag
+rough-hew
+stucco
+egg
+layer
+soot
+skin
+refinish
+brush on
+patinate
+copper
+broom
+bonderize
+blacktop
+pave
+hard surface
+causeway
+asphalt
+butter
+wallpaper
+canvas
+paper
+oil
+beeswax
+varnish
+veneer
+grease
+calcimine
+water-wash
+elute
+shellac
+face
+revet
+reface
+crib
+babbitt
+tar
+tar-and-feather
+stripe
+speck
+bespot
+postmark
+sideswipe
+circumcise
+flay
+scarify
+scotch
+scribe
+indent
+recess
+furrow
+wrinkle
+pucker
+buckle
+flex
+incurvate
+gnarl
+crank
+convolve
+gouge out
+rabbet
+gouge
+hole
+suck in
+scoop out
+hollow
+cavern
+wrap
+do up
+parcel
+cere
+shrinkwrap
+gift-wrap
+untie
+unloose
+retie
+tie up
+loop
+chain up
+bitt
+cord
+latch
+faggot
+lash together
+garter
+hog-tie
+fetter
+manacle
+enchain
+unchain
+chain
+picket
+rope
+rope up
+hopple
+unstrap
+tether
+fasten
+attach
+implant
+blow off
+join
+cross-link
+miter
+anastomose
+earth
+mismate
+mortice
+mortise
+cog
+mismatch
+disjoin
+disjoint
+fair
+rebate
+seam
+suture
+bridge
+hinge
+bell
+ring
+couple
+uncouple
+prefix
+suffix
+affix
+infix
+detach
+French
+cut off
+roach
+unsolder
+knot
+swaddle
+shroud
+snaffle
+curb
+restrain
+impound
+cabin
+closet
+gird
+hoop
+lash
+unlash
+cement
+unbind
+band
+cleat
+anchor
+moor
+wharf
+dock
+dry-dock
+undock
+batten
+clapperclaw
+rake
+aggrade
+strickle
+scrape
+scratch
+dig
+spade
+sap
+excavate
+trench
+dibble
+dig out
+scoop
+shovel
+trowel
+squirt
+spritz
+grub up
+nuzzle
+grope for
+divine
+dowse
+search
+leave no stone unturned
+seek out
+quest for
+raid
+frisk
+strip-search
+rifle
+rummage
+grub
+mow
+scythe
+reap
+club
+poll
+snip
+tail
+engrave
+character
+butcher
+chine
+stone
+commit suicide
+dispatch
+zap
+strike down
+sacrifice
+tomahawk
+destroy
+saber
+overlie
+brain
+exterminate
+hitch
+unhitch
+append
+subjoin
+annex
+sew
+resew
+unpick
+overcast
+oversew
+backstitch
+darn
+finedraw
+hemstitch
+tick
+tape
+scotch tape
+epoxy
+paste
+cloak
+coif
+foil
+whiteout
+sod
+rebind
+flake
+overlay
+splash
+hood
+cowl
+clapboard
+canopy
+bread
+blinker
+blindfold
+aluminize
+sheet
+tile
+tessellate
+lag
+barb
+submerge
+uncover
+undrape
+unclothe
+bare
+reeve
+padlock
+noose
+unzip
+brad
+bight
+belay
+unbar
+impact
+velcro
+unfasten
+bung
+pen up
+break open
+click open
+reopen
+fly open
+confine
+coop up
+lock in
+lock up
+hasp
+unbolt
+wring
+wring out
+wrench
+attract
+contort
+demodulate
+press out
+winkle
+unscrew
+screw
+zip up
+unseal
+reseal
+waterproof
+caulk
+daisy-chain
+interconnect
+tee
+put through
+disconnect
+leech onto
+gum up
+tack
+thumbtack
+nail
+stud
+mask
+blanket
+unstring
+thread
+bead
+marshal
+string out
+plaster
+render-set
+parget
+roughcast
+mud
+skimcoat
+mortar
+paint
+grain
+repaint
+airbrush
+cold-cream
+putty
+sponge on
+slap on
+net
+belt
+unbelt
+unhook
+hook up
+grout
+staple
+unstaple
+unclip
+button
+unbutton
+unpin
+channelize
+fray
+scuff
+drop-kick
+kick back
+kick up
+dropkick
+punt
+spray
+syringe
+spatter
+puddle
+slosh
+swatter
+drizzle
+scatter
+bespangle
+aerosolize
+bestrew
+spread
+export
+slather
+redeploy
+redistribute
+hive
+salvage
+corral
+round up
+prawn
+nut
+frog
+snail
+blackberry
+birdnest
+nest
+oyster
+sponge
+pearl
+clam
+berry
+pluck
+collect
+archive
+nickel-and-dime
+aggregate
+beat up
+lump
+batch
+bale
+sandpaper
+rough-sand
+sandblast
+corrugate
+ruffle
+plait
+compress
+straiten
+decompress
+tuck
+wall in
+brick in
+embower
+press
+iron
+calender
+roll out
+fluff up
+wipe
+squeegee
+wipe off
+deterge
+wipe up
+swipe
+towel
+grate
+grit
+clench
+plate
+nickel
+electroplate
+goldplate
+silverplate
+hug
+smite
+swat
+sock
+strong-arm
+pistol-whip
+whip
+belabour
+rough up
+flagellate
+leather
+horsewhip
+beetle
+bastinado
+bean
+conk
+cosh
+ground out
+shank
+hob
+putt
+bunker
+bounce
+bounce out
+backhand
+foul out
+bunt
+snick
+racket
+dribble
+single
+sclaff
+flog
+cowhide
+cat
+birch
+manhandle
+cane
+deck
+clout
+switch-hit
+knock cold
+thump
+punch
+slug
+whack
+pummel
+thrash
+hammer
+sledgehammer
+slap
+cuff
+clobber
+buffet
+whisk
+churn
+toss
+shuffle
+riffle
+paddle
+agitate
+roil
+muddle
+box
+prizefight
+shadowbox
+spank
+plug in
+unplug
+cannulate
+input
+instill
+tampon
+chink
+uncork
+cudgel
+embrace
+cuddle
+nestle
+smooch
+gentle
+neck
+sleep together
+fornicate
+wench
+deflower
+copulate
+ride
+mongrelize
+backcross
+crossbreed
+masturbate
+snog
+kiss
+tickle
+lick
+tongue
+bear
+spirit away
+bucket
+fetch
+retrieve
+pile
+whisk off
+transmit
+pipe in
+throw
+send in
+mail out
+pouch
+misdeliver
+recapture
+swoop
+intercept
+prickle
+pierce
+bite
+bore
+spud
+counter-drill
+center punch
+trepan
+tunnel
+funnel
+transfix
+skewer
+spear
+horn
+gore
+sting
+gnaw
+snap at
+nip
+brandish
+squeeze
+skitter
+adduct
+abduct
+transport
+porter
+frogmarch
+cart
+cart off
+airlift
+haul
+shlep
+trail
+lug
+tow
+bowse
+hoist
+trice
+upheave
+weigh anchor
+heft
+flute
+groove
+dado
+percolate
+filter
+separate
+fractionate
+concoct
+sift
+rice
+resift
+coalesce
+heterodyne
+sulfurette
+commingle
+entangle
+enmesh
+disentangle
+stack
+pair
+concord
+cascade
+catenate
+border
+surround
+fringe
+girdle
+evict
+eject
+show the door
+superimpose
+superpose
+kidnap
+shanghai
+commandeer
+skyjack
+carjack
+expropriate
+putter
+muss
+tousle
+compart
+let go of
+toggle
+unhand
+unleash
+free
+obstruct
+dam
+shut off
+land up
+crap up
+unclog
+silt up
+unstuff
+bag
+batfowl
+capture
+rat
+gin
+dangle
+containerize
+enshrine
+veil
+unveil
+compact
+bunch
+agglomerate
+unbox
+unpack
+sack
+encase
+crate
+uncrate
+burden
+unburden
+unload
+bomb up
+overload
+freight
+air-drop
+reload
+saddle
+yoke
+inspan
+unyoke
+outspan
+unharness
+unsaddle
+garner
+bin
+stow
+park
+ensconce
+put to sleep
+emplace
+ship
+reship
+shelve
+jar
+middle
+parallelize
+reposition
+coffin
+bed
+appose
+set down
+broadcast
+misplace
+juxtapose
+bottle
+barrel
+pillow
+rick
+stagger
+pile up
+scuffle
+mudwrestle
+struggle
+draw in
+invaginate
+intussuscept
+pelt
+defenestrate
+shy
+deep-six
+jettison
+switch on
+switch off
+propel
+fling
+throw back
+lob
+autotomize
+sling
+blast off
+catapult
+jet
+wreathe
+upend
+intertwine
+twine
+untwine
+wattle
+inweave
+pleach
+weave
+unweave
+tinsel
+braid
+unbraid
+undo
+vandalize
+unravel
+ravel
+lace
+relace
+wind
+encircle
+spool
+cheese
+reel
+ball
+clue
+reel off
+unwind
+coil
+uncoil
+deluge
+overstuff
+malfunction
+function
+idle
+go on
+wedge
+dislodge
+exorcise
+lodge
+lounge
+checkrow
+pot
+repot
+sandwich
+transplant
+graft
+ingrain
+entrench
+emboss
+splotch
+pipe-clay
+houseclean
+G.I.
+spring-clean
+dirty
+mire
+crock
+dry clean
+pressure-wash
+suds
+rinse
+stonewash
+handwash
+machine wash
+acid-wash
+tarnish
+defile
+blemish
+speckle
+stipple
+blot
+sponge up
+reabsorb
+adsorb
+sorb
+incorporate
+stir
+drape
+sprawl
+perch
+seat
+unseat
+reseat
+lay
+squat
+kneel
+ramp
+stand back
+recumb
+recline
+lie awake
+bask
+unbuckle
+brooch
+delete
+scratch out
+deface
+dissect
+vivisect
+bisect
+transect
+trisect
+scar
+pockmark
+cicatrize
+sculpt
+whittle
+whittle away
+crop
+cut away
+sabre
+incise
+cleave
+joint
+segment
+slit
+lacerate
+saw
+whipsaw
+splice
+fleece
+discerp
+sever
+collide
+prang
+ditch
+syllabify
+do a job on
+subvert
+rape
+shipwreck
+bust up
+bang up
+uproot
+afforest
+re-afforest
+reforest
+replant
+smother
+install
+reinstall
+decapitate
+guillotine
+garrote
+impale
+dismember
+rend
+shred
+grapple
+tamp down
+press down
+ram
+bulldoze
+situate
+redeposit
+cushion
+sop
+immerse
+sheathe
+ladle
+pitchfork
+spoon
+unfold
+divaricate
+envelop
+tube
+capsule
+engulf
+unsheathe
+cocoon
+construct
+circumscribe
+chase
+bevel
+cone
+shove
+reticulate
+extricate
+tamper
+toy
+kick in
+enclose
+dike
+brand
+badge
+lean on
+core
+doff
+gut
+head
+jerk
+stake
+yank
+winch
+tweak
+draw off
+tweeze
+hike up
+gap
+squash
+solder
+dip solder
+soft-solder
+braze
+spotweld
+butt-weld
+currycomb
+drag down
+slam-dunk
+carom
+birdie
+double bogey
+bogey
+wire
+unwire
+carburet
+casket
+chemisorb
+crape
+coal
+coapt
+crosscut
+stoop
+poise
+juggle
+blacklead
+gravel
+metal
+macadamize
+lime
+lance
+lasso
+joggle
+knuckle
+mantle
+ooze through
+bond
+hem in
+mound over
+straw
+retract
+draw close
+siphon
+squish
+butterfly
+steel
+metalize
+platinize
+porcelainize
+zinc
+disperse
+clothe
+track
+institute
+short-circuit
+do
+unmake
+remake
+self-destruct
+destruct
+wipe out
+interdict
+produce
+prefabricate
+underproduce
+output
+pulse
+clap up
+custom-make
+dummy
+machine
+churn out
+overproduce
+mass-produce
+bootleg
+compose
+confect
+cobble together
+anthologize
+compile
+generate
+come up
+originate
+educe
+extort
+create by mental act
+invent
+formulate
+gestate
+preconceive
+think up
+fabricate
+confabulate
+trump up
+fictionalize
+envision
+imagine
+fantasize
+prefigure
+fantasy
+dream
+mint
+spatchcock
+redesign
+create
+carry through
+get over
+consummate
+initiate
+strike up
+phase in
+phase out
+effect
+bring on
+realize
+incarnate
+disincarnate
+cause
+occasion
+inspire
+pacify
+stage
+tee up
+prearrange
+engender
+riff
+motivate
+impel
+sound off
+overbear
+fruit
+create from raw material
+manufacture
+raft
+forge
+dry-wall
+rebuild
+groin
+cantilever
+assemble
+jumble
+reassemble
+configure
+disassemble
+fashion
+recast
+craft
+handcraft
+cooper
+preform
+mound
+hill
+sinter
+rig up
+dilapidate
+cast
+sand cast
+handbuild
+deglaze
+flambe
+devil
+precook
+whip up
+quilt
+purl
+illustrate
+hot-work
+coldwork
+overwork
+rework
+tool
+garland
+spangle
+caparison
+pipe
+applique
+macrame
+knit
+cast on
+cast off
+rib
+purl stitch
+web
+loom
+crochet
+shell stitch
+double crochet
+single crochet
+brocade
+tat
+twill
+dropforge
+extrude
+decorate
+vermiculate
+smock
+redecorate
+panel
+bejewel
+dress ship
+lard
+festoon
+silhouette
+animalize
+profile
+finger-paint
+tattoo
+marble
+bodypaint
+enamel
+smelt
+inlay
+damascene
+lacquer
+japan
+gild
+fresco
+distemper
+blueprint
+illuminate
+miniate
+emblazon
+picture
+stylize
+pencil
+contour
+streamline
+chalk
+stenograph
+calligraph
+cross
+superscribe
+letter
+crayon
+charcoal
+doodle
+diagram
+cartoon
+copy
+imitate
+back up
+hectograph
+clone
+recopy
+mimeograph
+roneo
+crosshatch
+vein
+watercolour
+model
+create verbally
+coin
+sloganeer
+lyric
+relyric
+write on
+paragraph
+hyphenate
+dash off
+write copy
+draft
+rhyme
+alliterate
+pun
+metrify
+spondaize
+elegize
+sonnet
+serenade
+belt out
+descant on
+author
+co-author
+ghost
+annotate
+reference
+counterpoint
+set to music
+melodize
+reharmonize
+orchestrate
+jive
+dance
+hoof
+tap dance
+belly dance
+miscast
+typecast
+stage direct
+film-make
+cinematize
+microfilm
+cut corners
+perform
+stunt
+interlude
+scamp
+grandstand
+solo
+underperform
+sightread
+sightsing
+concertize
+debut
+premier
+audition
+cybernate
+support
+co-star
+dissemble
+simulate
+feint
+enact
+act out
+reenact
+rehearse
+walk through
+scrimmage
+parody
+travesty
+mime
+fiddle
+prelude
+jazz
+bugle
+skirl
+symphonize
+chord
+reprise
+pedal
+bang out
+play along
+sing along
+improvise
+psalm
+minstrel
+solmizate
+choir
+carol
+madrigal
+drum
+conduct
+double tongue
+duplicate
+replicate
+reduplicate
+triplicate
+quadruplicate
+reprint
+photocopy
+microcopy
+photostat
+recreate
+reinvent
+play back
+fudge together
+till
+garden
+landscape
+cultivate
+overcrop
+plow
+harrow
+hoe
+mimic
+sovietize
+take after
+typeset
+table
+print
+gazette
+misprint
+offset
+copy out
+overprint
+cyclostyle
+fingerprint
+boldface
+italicize
+lithograph
+silkscreen
+stencil
+benday
+aquatint
+corduroy
+overact
+underact
+grind out
+prepare
+rough in
+graph
+shimmy
+script
+demyelinate
+filigree
+release
+embattle
+busk
+arouse
+rekindle
+infatuate
+prick
+fuel
+jolt
+bubble over
+hype up
+calm
+unbalance
+strike dumb
+hit home
+prepossess
+wow
+sweep away
+incline
+pride
+emote
+harbor
+resent
+embitter
+grudge
+eat into
+hate
+abhor
+contemn
+love
+fall for
+care for
+fancy
+dislike
+cotton
+dote
+yearn
+cool off
+adore
+idolize
+reverence
+worship
+frighten
+awe
+overawe
+buffalo
+fear
+terrify
+intimidate
+hold over
+tyrannize
+panic
+apprehend
+dismay
+haunt
+preoccupy
+faze
+unman
+freak out
+daunt
+anger
+combust
+miff
+gall
+infuriate
+raise the roof
+madden
+annoy
+peeve
+pique
+fluster
+consternate
+bewilder
+bother
+distract
+embarrass
+pain
+break someone's heart
+fuss
+agonize
+anguish
+fume
+flip one's lid
+enrage
+rage
+foam at the mouth
+thrill
+repent
+mourn
+grieve
+tribulate
+distress
+disappoint
+fall short
+humiliate
+take down
+efface
+humanize
+humble
+mortify
+lament
+express emotion
+torment
+ingratiate
+cozy up
+warm to
+mope
+grizzle
+ache
+take heart
+endear
+antagonize
+disgust
+turn off
+shout down
+despair
+despond
+elate
+exhilarate
+gladden
+sadden
+overjoy
+exult
+rejoice
+weigh down
+abreact
+please
+titillate
+satisfy
+dissatisfy
+discontent
+displease
+enchant
+disenchant
+chill
+discourage
+dishearten
+throw cold water on
+dither
+pother
+feast one's eyes
+exacerbate
+fascinate
+interest
+startle
+feel for
+commiserate
+condole
+care
+care a hang
+estrange
+alienate
+drift apart
+begrudge
+desire
+itch
+ambition
+feel like
+prefer
+envy
+covet
+drool over
+admire
+look down on
+lust after
+hanker
+take pride
+fall apart
+fly high
+glow
+bring down
+disgruntle
+spook
+obsess
+puzzle
+drop back
+hit the dirt
+prolapse
+ease
+whish
+stand still
+grind to a halt
+gravitate
+travel
+swap
+betake oneself
+pass over
+red-eye
+hop
+wend
+sheer
+pull over
+astrogate
+desert
+get around
+junketeer
+travel to
+sightsee
+revisit
+frequent
+cruise
+tour
+globe-trot
+take the road
+sledge
+voyage
+sail
+trek
+kite
+stay in place
+move over
+shove off
+drive up
+center
+re-enter
+transit
+move in
+move out
+clear out
+migrate
+kick-start
+hot-wire
+rein
+restart
+stop
+halt
+bring up
+cut to
+flag down
+pull up short
+turn on a dime
+draw up
+brake
+get off the ground
+duck
+dabble
+bob around
+rim
+tramp down
+somersault
+roll over
+trundle
+waver
+writhe
+wobble
+sidle
+pronk
+swan
+skid
+side-slip
+wamble
+jostle
+push out
+push aside
+muscle into
+push up
+uplift
+boost up
+shoulder in
+waft
+tide
+refloat
+travel purposefully
+rock
+reciprocate
+nutate
+swag
+move back and forth
+oscillate
+librate
+flicker
+swing around
+pulsate
+palpitate
+beat out
+teeter
+tramp
+maunder
+gallivant
+snake
+beat down
+frolic
+buck
+cant
+careen
+scend
+crawl
+formicate
+slither
+coast
+freewheel
+wheel
+glide
+tremble
+tremor
+shudder
+quiver
+sparge
+succuss
+rattle
+vibrate
+brachiate
+judder
+skip
+glance
+capsize
+breeze
+glissade
+chasse
+capriole
+bop
+waltz
+tapdance
+tango
+shag
+foxtrot
+contradance
+break dance
+cakewalk
+conga
+samba
+two-step
+Charleston
+boogie
+cha-cha
+disco
+mambo
+polka
+one-step
+rhumba
+slam dance
+jig
+jitterbug
+jiggle
+wag
+folk dance
+square dance
+quickstep
+thrust
+dart
+flit
+flutter
+founder
+lollop
+falter
+trot
+luff
+scurry
+swim
+spacewalk
+chariot
+turn away
+caracole
+corner
+overturn
+boggle
+traipse
+perambulate
+circumambulate
+circle
+circumnavigate
+ambulate
+sneak
+stride
+infiltrate
+ford
+decussate
+uncross
+jaywalk
+slice into
+wade
+tittup
+sleepwalk
+slink
+limp
+stroll
+amble
+prowl
+skulk
+toddle
+totter
+promenade
+march
+troop
+file in
+pop in
+file out
+hike
+slog
+clamber
+escalade
+mountaineer
+rappel
+hop on
+hop out
+tiptoe
+stalk
+flounce
+parade
+stomp
+lumber
+stray
+backpack
+run bases
+streak
+outrun
+bear down on
+sprint
+lope
+goose step
+slouch
+clump
+automobile
+test drive
+steer
+helm
+navigate
+starboard
+conn
+beacon
+channel
+angle-park
+parallel-park
+double-park
+bicycle
+unicycle
+motorbike
+skate
+ice skate
+figure skate
+roller skate
+skateboard
+Rollerblade
+speed skate
+ski
+wedel
+hot-dog
+schuss
+slalom
+sled
+dogsled
+mush
+bobsled
+toboggan
+water ski
+flight
+fly on
+fly blind
+fly contact
+test fly
+aquaplane
+sailplane
+hydroplane
+hover
+go up
+levitate
+boat
+steamer
+tram
+motorboat
+yacht
+scud
+wear ship
+jibe
+row
+scull
+canoe
+kayak
+surfboard
+body-surf
+windsurf
+taxi
+ferry
+caravan
+wheelbarrow
+barge
+railroad
+air-ship
+divert
+route
+recommit
+redirect
+sublimate
+desexualize
+truck
+lighter
+bundle off
+forward
+hedgehop
+hang glide
+joyride
+hitchhike
+snowmobile
+override
+ride herd
+outride
+unhorse
+ride horseback
+prance
+canter
+gallop
+single-foot
+school
+fin
+breaststroke
+backstroke
+skinny-dip
+dive
+skin-dive
+belly-flop
+jackknife
+power-dive
+snorkel
+galumph
+ski jump
+saltate
+vault
+curvet
+leap out
+avalanche
+caper
+hurdle
+nosedive
+crash-dive
+sky dive
+chute
+ascend
+queen
+chandelle
+descend
+sink
+flop
+pinnacle
+chin
+keel over
+plop
+dump
+plonk down
+plummet
+flump
+alight
+force-land
+beach
+disembark
+entrain
+touch down
+land
+belly-land
+crash land
+rear
+rear back
+drop open
+prick up
+change posture
+right
+sit down
+lie down
+sag
+position
+square up
+glycerolize
+deglycerolize
+space
+sediment
+surface
+uprise
+bubble up
+well
+zigzag
+seesaw
+teeter-totter
+creep up
+encroach
+press on
+withdraw
+back out
+tailgate
+draw away
+hand
+mislead
+usher
+pursue
+shadow
+chase away
+clear the air
+banish
+shoo off
+hound
+backtrack
+cut back
+home
+go home
+boomerang
+arrive
+max out
+break even
+access
+flood in
+crest
+top out
+depart
+walk out of
+pop off
+beat a retreat
+walk off
+hightail
+come away
+decamp
+scram
+ride off
+tarry
+derail
+shunt
+transship
+displace
+roar off
+sally forth
+pull out
+pull in
+detrain
+deplane
+step out
+walk in
+call at
+plump in
+plump out
+take water
+turn in
+edge in
+emplane
+barge in
+move in on
+muscle
+transgress
+intrude on
+foray into
+maraud
+infest
+summit
+meet up with
+intersect
+congregate
+mass
+convene
+reconvene
+cluster
+flock
+accompany
+escort
+squire
+convoy
+chaperone
+body guard
+tag along
+huddle
+bunch together
+crowd
+overcrowd
+pour
+herd
+diffract
+disband
+curtain off
+avulse
+diverge
+bend
+swerve
+deflect
+yaw
+avert
+crook
+recurve
+arch
+overarch
+camber
+hunch
+slope
+lean back
+ripple
+genuflect
+billow
+burrow
+convect
+send around
+orb
+revolve
+splay
+cartwheel
+pivot
+whirligig
+centrifuge
+ultracentrifuge
+eddy
+whirl
+birl
+pirouette
+skank
+twirl
+gyrate
+corkscrew
+pass
+get by
+negotiate
+cycle on
+travel by
+skirt
+run by
+fly by
+pass through
+bushwhack
+zip by
+close in
+zoom
+travel rapidly
+speed
+stampede
+rout out
+smoke out
+drive around
+bustle
+fidget
+linger
+rush off
+diffuse
+creep
+flinch
+shrink back
+shuttle
+lunge
+riposte
+crouch
+squinch
+double over
+uncurl
+throng
+pounce
+deviate
+detour
+sidetrack
+spurt
+whoosh
+woosh
+spill over
+decant
+trickle
+drip
+seep
+overflow
+geyser
+ratchet
+elapse
+abscond
+levant
+elope
+elude
+scat
+flee
+skedaddle
+slip away
+vacate
+dispread
+bush out
+bring in
+insinuate
+interpose
+church
+impart
+retransmit
+peregrinate
+pronate
+leave behind
+outdistance
+career
+revolve around
+circuit
+manure
+birdlime
+circumfuse
+concertina
+bestir
+flurry
+hare
+outflank
+strand
+wind up
+swash
+come to the fore
+evert
+supinate
+bring about
+slide
+step on
+hurtle
+high-tail
+flail
+bed-hop
+island hop
+dodge
+topple
+jackrabbit
+come out
+make way
+curl up
+sit up
+bang
+run away
+precess
+itinerate
+advect
+wander
+snowshoe
+lateralize
+teleport
+snowboard
+apperceive
+hear
+chiromance
+experience
+undergo
+tolerate
+air out
+overexpose
+underexpose
+solarize
+photosensitize
+numb
+besot
+horripilate
+fellate
+hallucinate
+misperceive
+take notice
+pass up
+glimpse
+nettle
+urticate
+twinge
+hunger
+thirst
+act up
+throb
+tingle
+cause to be perceived
+reach one's nostrils
+scent
+sniff out
+odorize
+stink up
+get a noseful
+cense
+deodorize
+fumigate
+witness
+eyewitness
+watch
+catch sight
+lose sight of
+behold
+view
+take a look
+look back
+look away
+look around
+see double
+gaze
+stare down
+regard
+stargaze
+sound
+dissonate
+ting
+disclose
+underdevelop
+hold up
+bench
+moon
+flaunt
+splurge
+trot out
+reveal
+hide
+occult
+stow away
+conceal
+bosom
+dissimulate
+attaint
+candle
+autopsy
+auscultate
+rubberneck
+image
+spectate
+preview
+peruse
+zoom in
+size up
+descry
+detect
+instantiate
+rediscover
+bob under
+crop up
+film over
+overshadow
+eclipse
+disguise
+camouflage
+reorientate
+disorient
+fluoresce
+scintillate
+glare
+glitter
+monitor
+ogle
+give the glad eye
+leer
+goggle
+groak
+inspect
+case
+overlook
+eye
+keep one's eyes peeled
+look after
+scout
+give the eye
+abacinate
+seel
+snow-blind
+peer
+listen
+hear out
+listen in
+attend
+tune in
+clatter
+stridulate
+drown out
+jingle
+make noise
+scream
+clang
+clank
+clangor
+ruckle
+crepitate
+ring out
+tweet
+glug
+chug
+gong
+strum
+ding
+tintinnabulate
+peal
+knell
+toll
+chime
+rustle
+tootle
+resound
+consonate
+bong
+clop
+patter
+tinkle
+clink
+bleep
+rumble
+whizz
+wiretap
+hark
+quieten
+change intensity
+muffle
+resinate
+zest
+ginger
+savor
+bitter
+honey
+sugar
+mull
+change taste
+seem
+surveil
+sight
+cough up
+endow
+benefice
+distribute
+give away
+raffle
+monopolize
+own
+come by
+rescue
+buy back
+lease
+sublet
+hire out
+glom
+enter upon
+withhold
+keep to oneself
+devote
+fund
+grubstake
+bankroll
+subsidize
+finance
+fund-raise
+farm
+refinance
+computerize
+sponsor
+cosponsor
+demise
+alien
+desacralize
+change hands
+discard
+trash
+weed out
+work off
+get rid of
+cull
+stint
+motorize
+embalm
+foreswear
+reallot
+bequeath
+devise
+pass on
+hand down
+import
+offload
+FTP
+download
+upload
+allocate
+reapportion
+ration
+yield up
+refuel
+honor
+put up
+dishonor
+obtain
+procure
+get in
+copyright
+eke out
+gazump
+blackmail
+remainder
+resell
+syndicate
+deaccession
+sell off
+foist off
+auction
+deal
+transact
+black marketeer
+misdeal
+retail
+wholesale
+de-access
+log in
+log out
+recoup
+compensate
+overpay
+underpay
+prepay
+go Dutch
+insure
+indemnify
+coinsure
+tithe
+pay up
+default
+owe
+liquidate
+accord
+vouchsafe
+allowance
+grant
+prize
+cash
+redeem
+ransom
+exchange
+substitute
+trade
+barter
+haggle
+dicker
+traffic
+arbitrage
+turn over
+broker
+award
+pension
+donate
+bestow
+graduate
+lavish
+balance
+overbalance
+debit
+overspend
+underspend
+misspend
+penny-pinch
+spend
+be
+tighten one's belt
+scrounge
+schnorr
+mooch
+freeload
+panhandle
+invest
+shelter
+appropriate
+reconquer
+garnishee
+take over
+hijack
+pretend
+derequisition
+distrain
+foreclose
+arrogate
+pilfer
+shoplift
+mug
+pirate
+plagiarize
+pocket
+line one's pockets
+profit
+turn a nice dime
+cash in on
+profiteer
+plastinate
+store
+mothball
+reposit
+warehouse
+garage
+ensile
+keep open
+bribe
+buy into
+rake off
+buy off
+refund
+reimburse
+stock
+locate
+unearth
+fall upon
+pinpoint
+sleep off
+acquire
+cozen
+take home
+rake in
+earn
+benefit
+gross
+pay off
+rout up
+embezzle
+hand over
+barter away
+admeasure
+double up
+communalize
+market
+by-bid
+overbid
+underbid
+outbid
+outcall
+preempt
+disburse
+belong
+face the music
+peddle
+dispense with
+forfeit
+snap up
+hog
+hoard
+levy
+reimpose
+mulct
+tariff
+surtax
+overtax
+contribute
+combine
+restore
+deposit
+cheque
+overdraw
+decommission
+tongue-tie
+bilk
+divest
+dispossess
+deplume
+orphan
+bereave
+inherit
+disinherit
+pay cash
+impoverish
+beggar
+bankrupt
+feather one's nest
+overcharge
+undercharge
+discount
+mark up
+hold the line
+mark down
+invoice
+chalk up
+rob
+restock
+overstock
+understock
+caption
+borrow
+lend
+immolate
+shop
+comparison-shop
+window-shop
+supply
+ticket
+air-cool
+air-condition
+uniform
+partner
+bewhisker
+subtitle
+hobnail
+wive
+steam-heat
+munition
+double-glaze
+crenel
+canal
+bush
+brattice
+furnish
+refurnish
+berth
+bunk
+rafter
+retool
+gas up
+provision
+horseshoe
+transistorize
+muzzle
+unmuzzle
+kit out
+appoint
+re-equip
+refit
+armor
+upholster
+accouter
+supplement
+vitaminize
+thrive
+sign away
+requite
+reward
+plunder
+loot
+scrimp
+smuggle
+pawn
+consign
+obligate
+commit
+hospitalize
+entrust
+secure
+defray
+rid
+disinfest
+disembody
+overprice
+undersell
+mortgage
+amortize
+corbel
+cornice
+copper-bottom
+curtain
+impulse-buy
+rewire
+redispose
+throw in
+leverage
+reflectorize
+subrogate
+outsource
+machicolate
+sanitate
+translocate
+co-opt
+shaft
+fee-tail
+enfeoff
+theme
+deaerate
+decaffeinate
+decarbonate
+decerebrate
+dechlorinate
+defat
+defibrinate
+degrease
+deionize
+delist
+delocalize
+deoxygenate
+destain
+desulfurize
+detick
+devein
+fettle
+flesh
+flense
+kern
+pith
+scum
+unbridle
+headquarter
+satisfice
+maneuver
+play it by ear
+let it go
+sweep under the rug
+overexert
+egotrip
+venture
+come close
+sit by
+whip through
+backslap
+make bold
+prosecute
+politick
+logroll
+act on
+interact
+marginalize
+summate
+lie dormant
+abdicate
+pension off
+bow out
+chicken out
+accede
+leave office
+take office
+take orders
+educate
+co-educate
+home-school
+get in touch
+fraternize
+hobnob
+hang out
+readmit
+enthrone
+dethrone
+delegate
+task
+regiment
+second
+depute
+tenure
+spot promote
+ennoble
+baronetize
+lord
+lionize
+knight
+demote
+sideline
+vote in
+reelect
+oust
+take time by the forelock
+overthrow
+squeeze out
+pull off
+winkle out
+invalid
+depose
+supplant
+usurp
+succeed
+flounder
+overdrive
+carpenter
+implement
+hire
+clerk
+fink
+wait
+pull one's weight
+electioneer
+assist
+beaver
+work at
+potter
+plug away
+busy
+collaborate
+financier
+coact
+connive at
+ride the bench
+daydream
+walk around
+ranch
+moonlight
+job
+slave
+cashier
+give up
+dragoon
+oppress
+call to order
+abolish
+get around to
+prorogue
+caucus
+band oneself
+ally
+misally
+disassociate
+imprint
+militate
+break with
+reorganize
+collectivize
+hold one's own
+unionize
+confederate
+ally with
+fall in
+affiliate
+rejoin
+disorganize
+manage
+come to grips
+dispose of
+take care
+coordinate
+expedite
+mismanage
+tend
+stoke
+set about
+chair
+captain
+spearhead
+take hold
+hold sway
+govern
+oversee
+preside
+license
+decertify
+racketeer
+minister
+intern
+skipper
+cox
+boondoggle
+franchise
+charter
+choose up
+lock out
+participate
+partake in
+prevent
+keep away
+blank
+impede
+interfere
+set back
+hobble
+dwarf
+embargo
+debar
+privilege
+patrol
+stand guard
+keep tabs on
+baby-sit
+rebury
+disinter
+mesh
+get along with
+canvass
+lobby
+house
+rehouse
+kennel
+stable
+rent
+tenant
+subcontract
+vote
+turn thumbs down
+bullet vote
+outvote
+ballot
+scrimshank
+malinger
+turn a trick
+co-sign
+probate
+boycott
+ostracize
+filibuster
+legislate
+liberalize
+decontrol
+gerrymander
+sectionalize
+hive off
+lot
+canton
+Balkanize
+consociate
+band together
+reunify
+matriculate
+enroll
+cross-file
+inventory
+cross-index
+blacklist
+veto
+empower
+bar mitzvah
+bat mitzvah
+commission
+defrock
+disenfranchise
+enfranchise
+affranchise
+abrogate
+formalize
+reissue
+disbar
+outlaw
+monetize
+legalize
+desegregate
+murder
+pillory
+crucify
+lynch
+pick off
+electrocute
+halter
+gibbet
+double-date
+go steady
+ask out
+reunite
+rendezvous
+stick together
+drop by
+marry
+inmarry
+mismarry
+intermarry
+remarry
+divorce
+celebrate
+jubilate
+revel
+party
+slum
+carouse
+imprison
+bind over
+cage
+keep in
+manumit
+enslave
+subjugate
+liberate
+emancipate
+amerce
+court-martial
+punish
+castigate
+get it
+catch it
+victimize
+scourge
+rehear
+expel
+send down
+repatriate
+extradite
+coerce
+turn up the heat
+bludgeon
+squeeze for
+terrorize
+compel
+bring oneself
+trouble oneself
+taboo
+declassify
+trellis
+scant
+localize
+derestrict
+pull the plug
+thermostat
+deregulate
+zone
+redline
+advantage
+disadvantage
+aggrieve
+wrong
+handle with kid gloves
+fall all over
+criminalize
+ride roughshod
+rough-house
+do well by
+gloss over
+skimp
+mistreat
+kick around
+misbehave
+fall from grace
+condescend
+hugger mugger
+behave
+assert oneself
+attitudinize
+footle
+over-correct
+expiate
+indict
+demonstrate
+breeze through
+luck out
+nail down
+overreach
+pan out
+achieve
+compass
+wangle
+botch
+muff
+fall through
+have a go
+take pains
+endeavor
+field-test
+give it a whirl
+experiment
+countercheck
+breathalyze
+democratize
+waive
+dispense
+woo
+court
+display
+take the stage
+secede
+influence
+double cross
+meddle
+dominate
+grow up
+come of age
+valet
+speak for
+comply
+toe the line
+obey
+disobey
+sit in
+sabotage
+counteract
+go for broke
+luck it
+dare
+risk
+bell the cat
+benefact
+help out
+subserve
+succor
+abet
+shepherd
+mother
+reprieve
+bootstrap
+rehabilitate
+defibrillate
+reinstate
+discipline
+prostitute
+street-walk
+brevet
+thwart
+enforce
+bring to bear
+practice
+backdate
+overachieve
+underachieve
+misdo
+go all out
+exempt
+throne
+sin
+drop the ball
+conflict
+trespass
+gang-rape
+sodomize
+shamanize
+overdo
+overleap
+molest
+impinge
+pamper
+burglarize
+heed
+short-change
+welsh
+shill
+flim-flam
+freelance
+fool
+cheat on
+two-time
+fudge
+hoax
+decoy
+ensnare
+make good
+lead off
+action
+litigate
+perpetrate
+rebel
+revolt
+mutiny
+defect
+riot
+rampage
+rumpus
+connive
+persecute
+haze
+get at
+misgovern
+reign
+cope
+fend
+scrape along
+befriend
+pal
+consort
+decolonize
+philander
+interlope
+parole
+emcee
+do the honors
+fag
+frivol
+humbug
+invigilate
+lord it over
+chance
+rain out
+make a point
+stag
+come near
+mingle
+remember oneself
+play around
+take to
+call the shots
+go off half-cocked
+exist
+preexist
+coexist
+cut across
+neighbor
+eventuate
+bunk off
+live
+dissipate
+unlive
+pig
+buccaneer
+bachelor
+indwell
+survive
+perennate
+last out
+outstay
+make sense
+outlive
+succumb
+constitute
+chelate
+hang together
+intercommunicate
+complect
+tide over
+resurge
+come forth
+flocculate
+nucleate
+well up
+originate in
+necessitate
+cost
+cry out for
+obviate
+preclude
+give off
+sport
+exhibit
+phosphoresce
+possess
+consist
+equate
+be due
+entail
+incriminate
+bide
+overstay
+remain
+kick one's heels
+stand by
+loiter
+bum
+lie about
+lurk
+dwell on
+hesitate
+hold out
+procrastinate
+postpone
+predominate
+outnumber
+preponderate
+weigh
+deserve
+have it coming
+perpetuate
+eternize
+occupy
+stay at
+reside
+overpopulate
+cohabit
+barrack
+wrangle
+sleep over
+lay over
+dwell
+inhere
+pertain
+inhabit
+shine
+chamber
+coincide
+dovetail
+overlap
+collocate with
+aberrate
+co-vary
+conform
+corroborate
+repose on
+depend on
+depend
+hang by a thread
+underlie
+amount
+resemble
+look like
+approximate
+differ
+counterweight
+come in
+fit the bill
+behoove
+fly in the face of
+conform to
+exceed
+suffice
+go a long way
+act as
+fall short of
+excel
+stink
+shine at
+ape
+echo
+follow suit
+focus on
+implicate
+embroil
+disinvolve
+concern
+matter to
+intrigue
+discontinue
+call it quits
+distance
+housekeep
+ramble on
+beard
+enfilade
+imbricate
+reach into
+mediate
+subtend
+flank
+surmount
+radiolocate
+endanger
+overhang
+embody
+characterize
+body
+befit
+contain
+suit
+truckle
+verge
+border on
+last
+outwear
+drag on
+inhere in
+fall into
+straddle
+shillyshally
+shimmer
+lend oneself
+weekend
+piddle
+vacation
+honeymoon
+while away
+sojourn
+winter
+summer
+breast
+bound
+shore
+embank
+box in
+pattern
+stick out
+protuberate
+teem
+abound
+abound in
+attach to
+company
+droop
+gape
+sulk
+take kindly to
+belong to
+incur
+look out on
+center on
+do well
+go back
+rut
+stagnate
+come in handy
+refrain
+forbear
+help oneself
+hoodoo
+impend
+come in for
+persist
+resplend
+go far
+iridesce
+opalesce
+tie in
+go into
+let go
+circumvolute
+spiral
+miscegenate
+issue forth
+ornament
+assonate
+osculate
+summarize
+cohere
+cash out
+base
+rain
+ice up
+snow
+sleet
+ignite
+set ablaze
+reignite
+kindle
+flare
+flare up
+twinkle
+luminesce
+spark
+ray
+bluster
+overcloud
+clear up
+blight
+swamp
+run dry
+fog up
\ No newline at end of file
diff --git a/nlp-utils/src/test/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammarTest.java b/nlp-utils/src/test/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammarTest.java
index 36b87ea..292032c 100644
--- a/nlp-utils/src/test/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammarTest.java
+++ b/nlp-utils/src/test/java/org/apache/opennlp/utils/cfg/ProbabilisticContextFreeGrammarTest.java
@@ -18,18 +18,22 @@
  */
 package org.apache.opennlp.utils.cfg;
 
+import java.io.BufferedReader;
+import java.io.IOException;
+import java.io.InputStream;
+import java.io.InputStreamReader;
 import java.util.ArrayList;
 import java.util.Arrays;
+import java.util.Collection;
 import java.util.HashMap;
 import java.util.LinkedList;
 import java.util.List;
 import java.util.Map;
 import org.junit.BeforeClass;
+import org.junit.Ignore;
 import org.junit.Test;
 
-import static org.junit.Assert.assertEquals;
-import static org.junit.Assert.assertNotNull;
-import static org.junit.Assert.assertTrue;
+import static org.junit.Assert.*;
 
 /**
  * Testcase for {@link org.apache.opennlp.utils.cfg.ProbabilisticContextFreeGrammar}
@@ -138,8 +142,8 @@
     sentence.add("the");
     sentence.add("man");
 
-    ProbabilisticContextFreeGrammar.BackPointer backPointer = pcfg.cky(sentence);
-    check(pcfg, backPointer, sentence);
+    ProbabilisticContextFreeGrammar.ParseTree parseTree = pcfg.cky(sentence);
+    check(pcfg, parseTree, sentence);
 
     // fixed sentence two
     sentence = new ArrayList<String>();
@@ -148,41 +152,124 @@
     sentence.add("works");
     sentence.add("nicely");
 
-    backPointer = pcfg.cky(sentence);
-    check(pcfg, backPointer, sentence);
+    parseTree = pcfg.cky(sentence);
+    check(pcfg, parseTree, sentence);
 
     // random sentence generated by the grammar
     String[] expansion = pcfg.leftMostDerivation("S");
     sentence = Arrays.asList(expansion);
 
-    backPointer = pcfg.cky(sentence);
-    check(pcfg, backPointer, sentence);
+    parseTree = pcfg.cky(sentence);
+    check(pcfg, parseTree, sentence);
   }
 
-  private void check(ProbabilisticContextFreeGrammar pcfg, ProbabilisticContextFreeGrammar.BackPointer backPointer, List<String> sentence) {
-    Rule rule = backPointer.getRule();
+  private void check(ProbabilisticContextFreeGrammar pcfg, ProbabilisticContextFreeGrammar.ParseTree parseTree, List<String> sentence) {
+    Rule rule = parseTree.getRule();
     assertNotNull(rule);
     assertEquals(pcfg.getStartSymbol(), rule.getEntry());
-    int s = backPointer.getSplitPoint();
+    int s = parseTree.getSplitPoint();
     assertTrue(s >= 0);
-    double pi = backPointer.getProbability();
+    double pi = parseTree.getProbability();
     assertTrue(pi <= 1 && pi >= 0);
-    List<String> expandedTerminals = getTerminals(backPointer);
+    List<String> expandedTerminals = getTerminals(parseTree);
     for (int i = 0; i < sentence.size(); i++) {
       assertEquals(sentence.get(i), expandedTerminals.get(i));
     }
 
   }
 
-  private List<String> getTerminals(ProbabilisticContextFreeGrammar.BackPointer backPointer) {
-    if (backPointer.getLeftTree() == null && backPointer.getRightTree() == null) {
-      return Arrays.asList(backPointer.getRule().getExpansion());
+  private List<String> getTerminals(ProbabilisticContextFreeGrammar.ParseTree parseTree) {
+    if (parseTree.getLeftTree() == null && parseTree.getRightTree() == null) {
+      return Arrays.asList(parseTree.getRule().getExpansion());
     }
 
     ArrayList<String> list = new ArrayList<String>();
-    list.addAll(getTerminals(backPointer.getLeftTree()));
-    list.addAll(getTerminals(backPointer.getRightTree()));
+    list.addAll(getTerminals(parseTree.getLeftTree()));
+    list.addAll(getTerminals(parseTree.getRightTree()));
     return list;
   }
 
+  @Test
+  public void testParseString() throws Exception {
+    String string = "(S (VP (Adv last) (Vb tidy)) (NP (Adj biogenic) (NN Gainesville)))";
+    Map<Rule, Double> rules = ProbabilisticContextFreeGrammar.parseRules(string);
+    assertNotNull(rules);
+    assertEquals(7, rules.size());
+  }
+
+  @Test
+  public void testReadingItalianPennTreebankParseTreeSamples() throws Exception {
+    String newsSample = "( (S \n" +
+            "    (VP (VMA~RE Slitta) \n" +
+            "        (PP-LOC (PREP a) \n" +
+            "            (NP (NOU~PR Tirana))) \n" +
+            "         (NP-EXTPSBJ-433 \n" +
+            "             (NP (ART~DE la) (NOU~CS decisione)) \n" +
+            "             (PP (PREP sullo) \n" +
+            "                 (NP \n" +
+            "                     (NP (ART~DE sullo) (NOU~CS stato)) \n" +
+            "                     (PP (PREP di) \n" +
+            "                         (NP (NOU~CS emergenza))))))) \n" +
+            "          (NP-SBJ (-NONE- *-433)) \n" +
+            "          (. .)) ) ";
+    Map<Rule, Double> rules = new HashMap<>();
+    ProbabilisticContextFreeGrammar.parseRules(rules, true, newsSample);
+    assertNotNull(rules);
+
+    String newsSample2 = "( (S \n" +
+            "    (NP-SBJ (ART~DE La) (NOU~CS mafia) (ADJ~QU italiana)) \n" +
+            "    (VP (VMA~RE opera) \n" +
+            "        (PP-LOC (PREP in) \n" +
+            "            (NP (NOU~PR Albania)))) \n" +
+            "      (. .)) ) ";
+    Map<Rule, Double> rules2 = new HashMap<>();
+    ProbabilisticContextFreeGrammar.parseRules(rules2, true, newsSample2);
+    assertNotNull(rules2);
+
+    // aggregated
+    Map<Rule, Double> rules3 = new HashMap<>();
+    ProbabilisticContextFreeGrammar.parseRules(rules3, true, newsSample, newsSample2);
+    assertNotNull(rules3);
+
+  }
+
+  @Ignore
+  @Test
+  public void testReadingItalianPennTreebankParseTree() throws Exception {
+    InputStream resourceAsStream = getClass().getResourceAsStream("/it-tb-news.txt");
+    BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(resourceAsStream));
+    Collection<String> sentences = parseSentences(bufferedReader);
+    ProbabilisticContextFreeGrammar cfg = ProbabilisticContextFreeGrammar.parseGrammar(sentences.toArray(new String[sentences.size()]));
+    assertNotNull(cfg);
+    String[] derivation = cfg.leftMostDerivation("S");
+    assertNotNull(derivation);
+    System.err.println(Arrays.toString(derivation));
+    String sentence = "Il governo di Berisha pare in difficolta'";
+    ProbabilisticContextFreeGrammar.ParseTree parseTree = cfg.cky(Arrays.asList(sentence.split(" ")));
+    assertNotNull(parseTree);
+  }
+
+  private Collection<String> parseSentences(BufferedReader bufferedReader) throws IOException {
+
+    Collection<String> sentences = new LinkedList<>();
+    String line;
+    StringBuilder sentence = new StringBuilder();
+    while ((line = bufferedReader.readLine()) != null) {
+      if (line.contains("(") || line.contains(")")) {
+        sentence.append(line);
+      } else if (line.contains("*****")){
+        // only use single sentences
+        String s = sentence.toString();
+        if (s.trim().split("\\(S ").length == 2 && s.trim().startsWith("( (S")) {
+          sentences.add(s);
+        }
+        sentence = new StringBuilder();
+      }
+    }
+    if (sentence.length() > 0) {
+      sentences.add(sentence.toString());
+    }
+
+    return sentences;
+  }
 }
diff --git a/nlp-utils/src/test/resources/it-tb-news.txt b/nlp-utils/src/test/resources/it-tb-news.txt
new file mode 100644
index 0000000..a23dcc6
--- /dev/null
+++ b/nlp-utils/src/test/resources/it-tb-news.txt
@@ -0,0 +1,21617 @@
+************** FRASE NEWS-1 **************
+
+ ( (S
+    (VP (VMA~PA Bruciata)
+        (NP-EXTPSBJ-233
+            (NP (ART~DE la) (NOU~CS sede))
+            (PP (PREP del)
+                (NP (ART~DE del) (NOU~CS partito) (ADJ~QU democratico))))
+          (CONJ mentre)
+          (S
+              (NP-SBJ (ART~DE i) (NOU~CP reparti) (ADJ~QU antisommossa))
+              (NP (PRO~RI si))
+              (VP (VAU~RE sono)
+                  (VP (VMA~PA ritirati)
+                      (PP-LOC (PREP dalla)
+                          (NP (ART~DE dalla) (NOU~CA citta')))))))
+           (NP-SBJ (-NONE- *-233))
+           (. .)) )
+
+
+************** FRASE NEWS-2 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Valona))
+    (VP (-NONE- *)
+        (PP-PRD (PREP IN_MANO_A)
+            (NP (ART~DE ai) (NOU~CP dimostranti))))
+      (. .)) )
+
+
+************** FRASE NEWS-3 **************
+
+ ( (S
+    (VP (VMA~RE Slitta)
+        (PP-LOC (PREP a)
+            (NP (NOU~PR Tirana)))
+         (NP-EXTPSBJ-433
+             (NP (ART~DE la) (NOU~CS decisione))
+             (PP (PREP sullo)
+                 (NP
+                     (NP (ART~DE sullo) (NOU~CS stato))
+                     (PP (PREP di)
+                         (NP (NOU~CS emergenza)))))))
+          (NP-SBJ (-NONE- *-433))
+          (. .)) )
+
+
+************** FRASE NEWS-4 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS Governo))
+        (PP (PREP di)
+            (NP (NOU~PR Berisha))))
+      (VP (VMA~RE appare)
+          (PP-PRD (PREP in)
+              (NP (NOU~CA difficolta'))))
+        (. .)) )
+
+
+************** FRASE NEWS-5 **************
+
+ ( (S
+    (VP (VMA~RE Ha)
+        (NP (ART~IN un) (NOU~CS nome) (ADJ~QU dolce))
+        (NP-EXTPSBJ-533
+            (NP (ART~DE l') (ADJ~OR ultima) (NOU~CS tappa))
+            (PP-LOC (PREP prima)
+                (PP (PREP di)
+                    (S
+                        (VP (VMA~IN entrare)
+                            (PP-LOC (PREP a)
+                                (NP (NOU~PR Valona))))
+                          (NP-SBJ (-NONE- *)))))))
+           (NP-SBJ (-NONE- *-533))
+           (. .)) )
+
+
+************** FRASE NEWS-6 **************
+
+ ( (NP (ART~DE La)
+    (NP
+        (NP (NOU~CS Collina))
+        (PP (PREP degli)
+            (NP (ART~DE degli) (NOU~CP Ulivi)))
+         (, ,)
+         (NP
+             (PP (PREP in)
+                 (NP (NOU~CS albanese))) (NOU~PR Chafa) (NOU~PR Kushojviz)))
+        (. .)) )
+
+
+************** FRASE NEWS-7 **************
+
+ ( (S
+    (S
+        (NP-SBJ (PRO~DE Questa))
+        (VP (VMA~RE e')
+            (ADVP-TMP (ADVB ancora))
+            (' ')
+            (NP-PRD
+                (NP (NOU~CS terra))
+                (PP (PREP di)
+                    (NP (PRO~ID nessuno))))
+              (' ')))
+        (, ,)
+        (S
+            (ADVP-LOC (ADVB sotto))
+            (PRN
+                (, ,)
+                (PP (PREP sulla)
+                    (NP (ART~DE sulla)
+                        (NP (NOU~CS discesa))
+                        (SBAR
+                            (NP-1333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-1333))
+                                (VP (VMA~RE schiude)
+                                    (NP (ART~DE l') (NOU~CS orizzonte))
+                                    (PP (PREP al)
+                                        (NP (ART~DE al) (NOU~CS mare))))))))
+                      (, ,))
+                   (NP-LOC (PRO~LO ci))
+                   (VP (VMA~RE sono)
+                       (NP-EXTPSBJ-
+                           (NP-2333 (NOU~CP barricate))
+                           (, ,)
+                           (NP
+                               (NP (NOU~CP bagliori))
+                               (PP (PREP di)
+                                   (NP (NOU~CP fuochi)))
+                                (CONJ e)
+                                (NP (NOU~CS gente) (ADJ~QU inferocita)))))
+                       (NP-SBJ (-NONE- *-2333)))
+                    (. .)) )
+
+
+************** FRASE NEWS-8 **************
+
+ ( (S
+    (S
+        (NP-SBJ (NOU~PR Valona))
+        (VP (VMA~RE e')
+            (PP-PRD (PREP IN_MANO_A)
+                (NP (ART~DE alla) (NOU~CS folla)))
+             (, ,)
+             (PP (PREP fuori)
+                 (PP (PREP da)
+                     (NP (ADJ~IN ogni) (NOU~CS controllo))))))
+         (, ,)
+         (S
+             (NP-SBJ-1333 (ART~DE la) (NOU~CS polizia))
+             (VP (VAU~RE e')
+                 (VP (VMA~PA scomparsa)
+                     (, ,)
+                     (S-PRD
+                         (VP (VMA~PA rintanata)
+                             (PP (PREP nelle)
+                                 (NP (ART~DE nelle) (NOU~CP caserme))))
+                           (NP-SBJ (-NONE- *-1333))))))
+               (. .)) )
+
+
+************** FRASE NEWS-9 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Lo) (NOU~CS stato))
+        (PP (PREP di)
+            (NP (NOU~CS emergenza))))
+      (VP (VMA~RE e')
+          (PP-LOC (PREP nei)
+              (NP (ART~DE nei) (NOU~CP fatti))))
+        (. .)) )
+
+
+************** FRASE NEWS-10 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP (ART~DE I) (NOU~CP posti))
+            (PP (PREP di)
+                (NP (NOU~CS blocco))))
+          (VP (VMA~RE cominciano)
+              (PP (PREP ad)
+                  (NP
+                      (NP (ADVB appena) (NUMR 60) (NOU~CP-933 chilometri))
+                      (PP (PREP dalla)
+                          (NP (ART~DE dalla) (NOU~CS capitale)))))))
+           (CONJ e)
+           (S
+               (PP (PREP negli)
+                   (NP
+                       (NP (NUMR 80))
+                       (NP (ART~DE negli) (ADJ~DI altri) (-NONE- *-933))
+                       (PP (PREP di)
+                           (NP
+                               (NP (NOU~CP strade) (ADJ~QU infami))
+                               (PP (PREP fra)
+                                   (NP (NOU~PR Tirana)
+                                       (CONJ e)
+                                       (NP
+                                           (NP (ART~DE il) (NOU~CS porto))
+                                           (PP (PREP sull')
+                                               (NP (ART~DE sull') (NOU~PR Adriatico))))))))))
+                       (NP (PRO~RI si))
+                       (VP (VMA~RE toccano)
+                           (NP
+                               (NP (PRDT tutte) (ART~DE le) (NOU~CP stazioni))
+                               (PP (PREP della)
+                                   (NP (ART~DE della) (NOU~CS rivolta) (ADJ~QU albanese))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-11 **************
+
+ ( (NP (NOU~PR Kavaje)
+    (, ,)
+    (NP (NOU~PR Lushinje)
+        (, ,)
+        (NP (NOU~PR Fier)
+            (, ,)
+            (NP
+                (NP (ADJ~IN ogni) (NOU~CA citta'))
+                (PP (PREP con)
+                    (NP
+                        (NP (ART~DE le)
+                            (' ')
+                            (NP (ADJ~PO sue) (NOU~CP piramidi) (ADJ~QU finanziarie))
+                            (' ')
+                            (VP (VMA~PA fallite)
+                                (NP (-NONE- *))))
+                          (, ,)
+                          (NP
+                              (NP
+                                  (NP (ART~DE gli) (NOU~CP assalti))
+                                  (PP
+                                      (PP (PREP ai)
+                                          (NP (ART~DE ai) (NOU~CP municipi)))
+                                       (CONJ e)
+                                       (PP (PREP alle)
+                                           (NP
+                                               (NP (ART~DE alle) (NOU~CP stazioni))
+                                               (PP (PREP di)
+                                                   (NP (NOU~CS polizia)))))))
+                                    (, ,)
+                                    (NP
+                                        (NP (ART~DE le) (NOU~CP sassaiole))
+                                        (, ,)
+                                        (NP (ART~DE gli) (NOU~CP incendi)))))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-12 **************
+
+ ( (S
+    (S
+        (NP-SBJ (PRO~DE Questa))
+        (VP (VMA~RE e')
+            (NP-PRD (ART~IN una) (NOU~CS Repubblica) (ADJ~QU indipendente))))
+      (, ,)
+      (VP (VMA~RE urlano)
+          (NP-EXTPSBJ-833 (ART~DE i)
+              (NP (NOU~CP valonesi))
+              (VP (VMA~PA trincerati)
+                  (NP (-NONE- *))
+                  (PP-LOC (PREP dietro)
+                      (NP
+                          (NP
+                              (NP (NOU~CP carcasse))
+                              (PP (PREP di)
+                                  (NP
+                                      (NP (NOU~CA auto))
+                                      (VP (VMA~PA rovesciate)
+                                          (NP (-NONE- *))))))
+                              (, ,)
+                              (NP
+                                  (NP-1733 (NOU~CP bidoni))
+                                  (CONJ e)
+                                  (NP1
+                                      (NP (NOU~CP travi))
+                                      (PP (PREP di)
+                                          (NP (NOU~CS legno)))
+                                       (VP (VMA~PA affastellate)
+                                           (NP (-NONE- *))
+                                           (PP (PREP per)
+                                               (S
+                                                   (VP (VMA~IN bloccare)
+                                                       (NP (ART~DE la) (NOU~CS strada)))
+                                                    (NP-SBJ (-NONE- *-1733))))))))))))
+                      (NP-SBJ (-NONE- *-833))
+                      (. .)) )
+
+
+************** FRASE NEWS-13 **************
+
+ ( (S
+    (ADVP (ADVB Non))
+    (NP (PRO~RI si))
+    (VP (VMA~RE passa))
+    (. .)) )
+
+
+************** FRASE NEWS-14 **************
+
+ ( (S
+    (VP (VMA~RE Piovono)
+        (NP-EXTPSBJ-233
+            (NP (NOU~CP pietre))
+            (CONJ e)
+            (NP (NOU~CP insulti)))
+         (, ,)
+         (PP (ADVB anche) (PREP contro)
+             (NP
+                 (NP (ART~DE gli) (NOU~CP stranieri))
+                 (CONJ e)
+                 (NP (ART~DE gli) (NOU~CP italiani)))))
+        (NP-SBJ (-NONE- *-233))
+        (. .)) )
+
+
+************** FRASE NEWS-15 **************
+
+ ( (S
+    (PP (PREP Dalla)
+        (NP
+            (NP (ART~DE Dalla) (NOU~CS rabbia))
+            (PP (PREP dei)
+                (NP (ART~DE dei) (NOU~CP valonesi)))))
+       (ADVP (ADVB non))
+       (NP (PRO~RI si))
+       (VP (VMA~RE salva)
+           (NP-EXTPSBJ-833
+               (NP (PRO~ID niente))
+               (CONJ e)
+               (NP (PRO~ID nessuno))))
+         (NP-SBJ (-NONE- *-833))
+         (. .)) )
+
+
+************** FRASE NEWS-16 **************
+
+ ( (S
+    (ADVP (ADVB Ieri))
+    (VP (VAU~RE e')
+        (VP (VMA~PA caduto)
+            (NP-EXTPSBJ-433
+                (NP (ART~DE l') (ADJ~OR ultimo) (NOU~CS palazzo))
+                (PP (PREP del)
+                    (NP (ART~DE del) (NOU~CS potere)))
+                 (ADJP (ADVB ancora) (ADJ~QU intatto))
+                 (, ,)
+                 (NP
+                     (NP (ART~DE la) (NOU~CS sede) (ADJ~QU locale))
+                     (PP (PREP del)
+                         (NP
+                             (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU democratico))
+                             (PP (PREP del)
+                                 (NP (ART~DE del) (NOU~CS presidente)
+                                     (NP (NOU~PR Sali) (NOU~PR Berisha))))))))))
+             (NP-SBJ (-NONE- *-433))
+             (. .)) )
+
+
+************** FRASE NEWS-17 **************
+
+ ( (S
+    (NP-SBJ (PRO~ID Tutto))
+    (VP (VAU~RE e')
+        (VP (VMA~PA cominciato)
+            (PP (PREP con)
+                (NP
+                    (NP (ART~DE i) (NOU~CP funerali))
+                    (PP (PREP di)
+                        (NP (NOU~PR Artur) (NOU~PR Rustemi)
+                            (PRN
+                                (, ,)
+                                (NP (NUMR 30) (NOU~CP anni))
+                                (, ,))
+                             (NP
+                                 (NP (PRO~ID uno))
+                                 (PP (PREP dei)
+                                     (NP
+                                         (NP (NUMR due))
+                                         (NP (ART~DE dei) (NOU~CP morti))
+                                         (PP (PREP nella)
+                                             (NP
+                                                 (NP (ART~DE nella) (NOU~CS rivolta))
+                                                 (PP (PREP di)
+                                                     (NP (NOU~CA lunedi'))))))))))))
+                       (, ,)
+                       (CONJ quando)
+                       (S
+                           (PP-TMP (PREP dopo)
+                               (NP
+                                   (NP (ART~DE il) (NOU~CS linciaggio))
+                                   (PP (PREP di)
+                                       (NP
+                                           (NP (ART~IN una) (NOU~CS ventina))
+                                           (PP (PREP di)
+                                               (NP (NOU~CP poliziotti)))))))
+                                (VP (VAU~RE e')
+                                    (VP (VMA~PA arrivata)
+                                        (NP-EXTPSBJ-3433
+                                            (NP (ART~DE la) (NOU~CS vendetta))
+                                            (PP (PREP delle)
+                                                (NP (ART~DE delle) (NOU~CP squadre) (ADJ~QU antisommossa))))))
+                                    (NP-SBJ (-NONE- *-3433)))))
+                           (. .)) )
+
+
+************** FRASE NEWS-18 **************
+
+ ( (S
+    (CONJ Ma)
+    (S
+        (ADVP (ADVB ieri))
+        (NP (ART~DE la)
+            (NP (NOU~CS folla)) (S+REDUC
+                (VP (-NONE- *-1933))))
+          (VP (VMA~IM aveva)
+              (NP (NOU~CS campo) (ADJ~QU libero)))
+           (NP-SBJ (-NONE- *-333)))
+        (CONJ e)
+        (S
+            (NP (PRO~RI si))
+            (VP (VAU~RE e')
+                (VP (VMA~PA sfogata)
+                    (PP (PREP contro)
+                        (NP
+                            (NP (ADJ~IN ogni) (NOU~CS simbolo))
+                            (PP (PREP del)
+                                (NP (ART~DE del) (NOU~CS potere) (ADJ~QU centrale)))))
+                       (, ,)
+                       (S
+                           (S
+                               (VP-1933 (VMA~PA inviperita)
+                                   (NP (-NONE- *))
+                                   (PP (PREP per)
+                                       (NP
+                                           (NP (ART~DE i) (NOU~CP morti))
+                                           (CONJ e)
+                                           (NP (ART~DE i) (NOU~CP feriti)))))
+                                  (NP-SBJ-19.1033 (-NONE- *-433)))
+                               (, ,)
+                               (S
+                                   (VP (VMA~PA eccitata)
+                                       (PP-LGS (PREP dalle)
+                                           (NP
+                                               (NP (ART~DE dalle) (NOU~CP dichiarazioni))
+                                               (PP (PREP della)
+                                                   (NP (ART~DE della) (NOU~CS famiglia) (NOU~PR Rustemi)
+                                                       (, ,)
+                                                       (NP
+                                                           (NP (PRO~ID una))
+                                                           (PP
+                                                               (PP (PREP di)
+                                                                   (NP
+                                                                       (NP (PRO~DE quelle))
+                                                                       (ADJP (ADVB piu') (ADJ~QU IN_VISTA)
+                                                                           (PP (PREP in)
+                                                                               (NP (NOU~CA citta'))))))
+                                                                   (CONJ e)
+                                                                   (S
+                                                                       (NP-SBJ (PRO~RE che))
+                                                                       (VP (VMA~RE vanta)
+                                                                           (NP
+                                                                               (NP (ART~IN una) (ADJ~QU lontana) (NOU~CS parentela))
+                                                                               (PP (PREP con)
+                                                                                   (NP (NOU~PR Avni) (NOU~PR Rustemi)
+                                                                                       (, ,)
+                                                                                       (NP
+                                                                                           (NP (NOU~CS rivoluzionario))
+                                                                                           (PP (PREP degli)
+                                                                                               (NP (ART~DE degli) (NOU~CP anni)
+                                                                                                   (NP (NUMR 20))))
+                                                                                             (VP (VMA~PA assassinato)
+                                                                                                 (NP (-NONE- *))
+                                                                                                 (PP-TMP (PREP dopo)
+                                                                                                     (NP
+                                                                                                         (NP (ART~IN una) (NOU~CS sommossa))
+                                                                                                         (PP (PREP contro)
+                                                                                                             (NP (NOU~PR Re) (NOU~PR Zog)))))))))))))))))))
+                                                          (NP-SBJ (-NONE- *-19.1033))))))
+                                              (NP-SBJ (-NONE- *-333)))
+                                           (. .)) )
+
+
+************** FRASE NEWS-19 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ADJ~PO Mio) (NOU~CS fratello))
+        (VP
+            (VP
+                (VP (VAU~RE e')) (VAU~PA stato)) (VMA~PA ucciso)
+             (VP (-NONE- *-2133))
+             (PP (PREP alle)
+                 (NP (ART~DE alle) (NOU~CP spalle)))))
+        (PUNCT -)
+        (VP (VAU~RE ha)
+            (VP (VMA~PA dichiarato)
+                (NP-EXTPSBJ-1133 (NOU~PR Cezair) (NOU~PR Rustemi))
+                (PUNCT -)
+                (S
+                    (NP-SBJ
+                        (NP (ART~DE le) (NOU~CP poltrone))
+                        (PP
+                            (PP (PREP di)
+                                (NP (NOU~PR Berisha)))
+                             (CONJ e)
+                             (PP (PREP dei)
+                                 (NP (ART~DE dei) (PRO~PO suoi)))))
+                        (VP-2133 (VMA~RE affondano)
+                            (PP (PREP nel)
+                                (NP
+                                    (NP (ART~DE nel) (NOU~CS sangue))
+                                    (PP (PREP dei)
+                                        (NP (ART~DE dei) (ADJ~PO nostri) (NOU~CP morti)))))))))
+                   (NP-SBJ (-NONE- *-1133))
+                   (. .)) )
+
+
+************** FRASE NEWS-20 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (NOU~PR Valona)
+            (NP (ART~DE la) (NOU~CS ribelle)))
+         (ADVP (ADVB non))
+         (NP (PRO~RI si))
+         (VP (VMA~RE piega)
+             (PP
+                 (PP (PREP a)
+                     (NP (NOU~PR Berisha)))
+                  (CONJ e)
+                  (PP (ADVB neppure) (PREP ai)
+                      (NP (ART~DE ai) (NOU~CP manganelli))))))
+          (, ,)
+          (S
+              (S
+                  (ADVP (ADVB non))
+                  (VP (VMA~RE crede)
+                      (PP (PREP alle)
+                          (NP
+                              (NP (ART~DE alle) (NOU~CP promesse))
+                              (PP (PREP di)
+                                  (NP (NOU~CS rimborso)))
+                               (PP (PREP del)
+                                   (NP (ART~DE del) (NOU~CS Governo))))))
+                       (NP-SBJ-15.1033 (-NONE- *-133)))
+                    (, ,)
+                    (S
+                        (VP (VMO~RE vuole)
+                            (S
+                                (VP (VMA~IN regolare)
+                                    (PP
+                                        (PP (PREP da)
+                                            (NP (PRO~RI se')))
+                                         (CONJ e)
+                                         (PP (PREP alla)
+                                             (NP (ART~DE alla) (ADJ~PO sua) (NOU~CS maniera))))
+                                       (NP
+                                           (NP (ART~DE i) (NOU~CP conti))
+                                           (PP (PREP in) (ADJ~QU rosso))
+                                           (VP (VMA~PA lasciati)
+                                               (NP (-NONE- *))
+                                               (PP-LGS (PREP dalle)
+                                                   (NP (ART~DE dalle)
+                                                       (NP (NOU~CP finanziarie))
+                                                       (VP (VMA~PA fallite)
+                                                           (NP (-NONE- *))))))))
+                                         (NP-SBJ (-NONE- *-23.1033))))
+                                   (NP-SBJ-23.1033 (-NONE- *-15.1033))))
+                             (. .)) )
+
+
+************** FRASE NEWS-21 **************
+
+ ( (ADVP
+    (CONJ Ma) (ADVB come)
+    (. ?)) )
+
+
+************** FRASE NEWS-22 **************
+
+ ( (S
+    (ADVP (ADVB Qui))
+    (NP (PRO~RI si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA aperto)
+            (NP-EXTPSBJ-533
+                (NP (ART~IN un)
+                    (" ") (NOU~CS buco)
+                    (" "))
+                 (PP (PREP di)
+                     (NP
+                         (NP (ADVB almeno) (NUMR 300) (NOU~CP milioni))
+                         (PP (PREP di)
+                             (NP
+                                 (NP (NOU~CP dollari))
+                                 (VP (VMA~PA depositati)
+                                     (NP (-NONE- *))
+                                     (PP (PREP nella)
+                                         (NP
+                                             (NP (ART~DE nella) (NOU~CS piramide))
+                                             (PP (PREP della)
+                                                 (NP (ART~DE della) (NOU~PR Gjallica)
+                                                     (SBAR
+                                                         (S
+                                                             (NP-LOC (PRO~LO dove))
+                                                             (VP (VAU~RE-2133 sono)
+                                                                 (VP (VMA~PA-2233 affluiti)
+                                                                     (NP-EXTPSBJ-2333 (-NONE- *-)
+                                                                         (NP-2333
+                                                                             (NP (ART~DE i) (NOU~CP soldi)) (-NONE- *-)
+                                                                             (PP (PREP dei)
+                                                                                 (NP (ART~DE dei) (ADJ~QU piccoli) (NOU~CP risparmiatori))))
+                                                                           (CONJ ma)
+                                                                           (S
+                                                                               (ADVP (ADVB soprattutto))
+                                                                               (VP (-NONE- *-2133)
+                                                                                   (VP (-NONE- *-2233)
+                                                                                       (NP-EXTPSBJ-3033
+                                                                                           (NP (NOU~CP milioni))
+                                                                                           (PP (PREP di)
+                                                                                               (NP
+                                                                                                   (NP (NOU~CP dollari))
+                                                                                                   (PP (PREP di)
+                                                                                                       (NP
+                                                                                                           (NP (NOU~CP affari) (ADJ~QU illeciti))
+                                                                                                           (, ,)
+                                                                                                           (PP (PREP dal)
+                                                                                                               (NP (ART~DE dal) (NOU~CS narcotraffico))
+                                                                                                               (, ,)
+                                                                                                               (PP
+                                                                                                                   (PP (PREP alla)
+                                                                                                                       (NP (ART~DE alla) (NOU~CS prostituzione)))
+                                                                                                                    (, ,)
+                                                                                                                    (PP (PREP al)
+                                                                                                                        (NP
+                                                                                                                            (NP (ART~DE al) (NOU~CS passaggio))
+                                                                                                                            (PP (PREP degli)
+                                                                                                                                (NP (ART~DE degli) (NOU~CP emigranti) (ADJ~QU clandestini))))))))))))))
+                                                                                            (NP-SBJ (-NONE- *-3033))))))
+                                                                                (NP-SBJ (-NONE- *-2333))))))))))))))))
+                                      (NP-SBJ (-NONE- *-533))
+                                      (. .)) )
+
+
+************** FRASE NEWS-23 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Qui))
+    (VP (VAU~RE sono)
+        (VP (VAU~PA stati)
+            (VP (VMA~PA riciclati))))
+      (NP-SBJ (-NONE- *-533))
+      (NP-EXTPSBJ-533
+          (NP (ART~DE i) (NOU~CP dollari))
+          (PP
+              (PP (PREP della)
+                  (NP (ART~DE della) (NOU~CS mafia) (ADJ~QU locale)))
+               (, ,)
+               (CONJ e)
+               (PP
+                   (ADVP (ADVB forse) (ADVB anche)) (PREP di)
+                   (NP (PRO~DE quella) (ADJ~QU italiana)))))
+          (. .)) )
+
+
+************** FRASE NEWS-24 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE L') (NOU~CS esplosione))
+            (PP (PREP di)
+                (NP (NOU~CS rabbia))))
+          (VP (VMA~RE e')
+              (ADJP-PRD (ADJ~QU genuina))))
+        (CONJ ma)
+        (S
+            (S
+                (VP
+                    (VP (VAU~RE viene)
+                        (ADVP (ADVB anche))) (VMA~PA ispirata))
+                  (NP-SBJ (-NONE- *-133)))
+               (CONJ e)
+               (S
+                   (VP (VMA~PA organizzata)
+                       (PP-LGS-1333 (PREP da)
+                           (NP
+                               (NP (NOU~CP malavitosi))
+                               (, ,)
+                               (NP
+                                   (NP (ADJ~QU ex) (NOU~CP agenti))
+                                   (PP (PREP della)
+                                       (NP (ART~DE della) (NOU~PR Segurimi)))
+                                    (, ,)
+                                    (NP (NOU~CP funzionari) (ADJ~QU corrotti))))))
+                        (NP-SBJ (-NONE- *-133))))
+                  (. .)) )
+
+
+************** FRASE NEWS-25 **************
+
+ ( (S
+    (NP-TMP
+        (NP (ADVB Gia') (ART~IN un) (NOU~CS paio))
+        (PP (PREP di)
+            (NP
+                (NP (NOU~CP mesi) (ADJ~DI fa))
+                (, ,)
+                (CONJ quando)
+                (S
+                    (ADVP (ADVB non))
+                    (NP (PRO~RI si))
+                    (VP (VMA~IM parlava)
+                        (ADVP-TMP (ADVB ancora))
+                        (PP (PREP di)
+                            (NP (NOU~CP fallimenti))))))))
+          (, ,)
+          (NP-SBJ (NOU~PR Berisha))
+          (VP (VAU~IM aveva)
+              (VP (VMA~PA fatto)
+                  (ADVP (ADVB fuori))
+                  (NP
+                      (NP
+                          (NP (ART~DE il) (NOU~CS capo))
+                          (PP (PREP della)
+                              (NP (ART~DE della) (NOU~CS polizia))))
+                        (CONJ e)
+                        (NP
+                            (NP
+                                (PRDT (ADVB quasi) (PRDT tutti)) (ART~DE gli) (NOU~CP ufficiali))
+                             (PP (PREP delle)
+                                 (NP (ART~DE delle) (NOU~CP dogane)))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-26 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (ADJ~QU brutto) (NOU~CS colpo))
+        (PP (PREP per)
+            (NP (ART~DE i)
+                (NP (NOU~CP traffici) (ADJ~QU illegali))
+                (SBAR
+                    (NP-8333 (PRO~RE che))
+                    (S
+                        (NP-SBJ (-NONE- *-8333))
+                        (VP (VMA~RE alimentano)
+                            (NP
+                                (NP (ART~DE il) (NOU~CS benessere))
+                                (VP (VMA~PA gonfiato)
+                                    (NP (-NONE- *)))
+                                 (PP (PREP del)
+                                     (NP (ART~DE del) (NOU~CS porto))))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-27 **************
+
+ ( (S
+    (ADVP (ADVB Non))
+    (NP-LOC (PRO~LO ci))
+    (VP (VMA~RE vuole)
+        (NP-EXTPSBJ-433 (ART~IN un') (NOU~CS indagine) (ADJ~QU particolare))
+        (PP (PREP per)
+            (S
+                (VP (VMA~IN intuire)
+                    (S
+                        (ADVP (ADVB dove))
+                        (VP (VMA~RE passano)
+                            (PP (PREP in)
+                                (NP (NOU~PR Albania)))
+                             (NP-EXTPSBJ-1333
+                                 (NP (ART~DE i) (NOU~CP canali))
+                                 (PP (PREP dell')
+                                     (NP (ART~DE dell') (NOU~CS economia) (ADJ~QU sommersa)))))
+                            (NP-SBJ (-NONE- *-1333))))
+                      (NP-SBJ (-NONE- *)))))
+             (NP-SBJ (-NONE- *-433))
+             (. .)) )
+
+
+************** FRASE NEWS-28 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~PR Blue) (NOU~PR Guide))
+        (PP (PREP di)
+            (NP (NOU~PR James) (NOU~PR Pettifer)))
+         (PP (PREP sull')
+             (NP (ART~DE sull') (NOU~PR Albania))))
+       (VP (VMA~RE avverte))
+       (. .)) )
+
+
+************** FRASE NEWS-29 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP (ART~DE La) (NOU~CS presenza))
+            (PP (PREP del)
+                (NP (ART~DE del) (NOU~CS crimine) (ADJ~QU organizzato)))
+             (PP-LOC (PREP a)
+                 (NP (NOU~PR Valona))))
+           (VP (VMA~RE-833 e')
+               (ADJP-PRD (ADJ~QU ramificata))))
+         (, ,)
+         (S
+             (NP-SBJ
+                 (NP (ART~DE la) (NOU~CS coltura))
+                 (PP (PREP della)
+                     (NP (ART~DE della) (NOU~CS canapa) (ADJ~QU indiana))))
+               (VP (-NONE- *-833)
+                   (ADJP-PRD (ADJ~QU estesa)
+                       (PP-LOC (PREP in)
+                           (NP (PRDT tutto) (ART~DE il) (NOU~CS distretto))))))
+               (. .)) )
+
+
+************** FRASE NEWS-30 **************
+
+ ( (S
+    (VP (VMA~RE Consigliamo)
+        (PP (PREP ai)
+            (NP-2.133 (ART~DE ai) (NOU~CP visitatori)))
+         (PP (PREP di)
+             (S
+                 (ADVP (ADVB non))
+                 (VP (VMA~IN passare)
+                     (NP (ART~DE la) (NOU~CS notte))
+                     (PP-LOC (PREP in)
+                         (NP (NOU~CA citta')))
+                      (PP (PREP senza)
+                          (NP
+                              (NP (ART~DE l') (NOU~CS assistenza))
+                              (PP (PREP di)
+                                  (NP
+                                      (NP (PRO~ID qualcuno))
+                                      (PP (PREP del)
+                                          (NP (ART~DE del) (NOU~CS posto))))))))
+                        (NP-SBJ (-NONE- *-2.133)))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-31 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ (NOU~PR Valona))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP (ADVB anche) (ART~DE il) (NOU~CS simbolo))
+            (PP (PREP di)
+                (NP
+                    (NP (ART~IN una) (NOU~CS resistenza) (ADJ~QU secolare))
+                    (PP (PREP a)
+                        (NP
+                            (NP (ADJ~IN ogni) (NOU~CS tentativo))
+                            (PP (PREP di)
+                                (NP (NOU~CS dominazione)))))))))
+           (. .)) )
+
+
+************** FRASE NEWS-32 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS Piazza))
+        (PP (PREP della)
+            (NP (ART~DE della) (NOU~CS Bandiera))))
+      (VP (VAU~RE e')
+          (VP (VMA~PA dedicata)
+              (PP (PREP a)
+                  (NP (NOU~PR Ismail) (NOU~PR Kemal)
+                      (, ,)
+                      (NP (ART~DE il)
+                          (NP (NOU~CS patriota))
+                          (SBAR
+                              (NP-1333 (PRO~RE che))
+                              (S
+                                  (NP-SBJ (-NONE- *-1333))
+                                  (PP-TMP (PREP nel)
+                                      (NP (ART~DE nel) (NUMR 1912)))
+                                   (VP (VMA~RA proclamò)
+                                       (PP (PREP per)
+                                           (NP (ART~DE la) (ADJ~OR prima) (NOU~CS volta)))
+                                        (NP (ART~DE l') (NOU~CS indipendenza) (ADJ~QU nazionale))
+                                        (CONJ mentre)
+                                        (S
+                                            (NP-SBJ
+                                                (NP (ART~DE il) (NOU~CS resto))
+                                                (PP (PREP del)
+                                                    (NP (ART~DE del) (NOU~CS Paese))))
+                                              (VP (VMA~IM era)
+                                                  (ADVP-TMP (ADVB ancora))
+                                                  (PP-LOC (PREP sotto)
+                                                      (NP
+                                                          (NP (ART~DE il) (NOU~CS controllo))
+                                                          (PP (PREP dell')
+                                                              (NP (ART~DE dell') (NOU~CS Impero) (ADJ~QU Ottomano)))))))))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-33 **************
+
+ ( (S
+    (NP-SBJ (ADVB Anche) (ART~DE gli) (NOU~CP italiani))
+    (VP (VAU~RE hanno)
+        (VP (VMA~PA assaggiato)
+            (NP
+                (NP (ART~DE la) (NOU~CS reazione) (ADJ~QU velenosa))
+                (PP (PREP di)
+                    (NP (NOU~PR Valona)
+                        (SBAR
+                            (S
+                                (NP (PRO~RE che))
+                                (PP-TMP (PREP nel)
+                                    (NP (ART~DE nel) (NUMR 1915)))
+                                 (NP-SBJ
+                                     (NP (ART~DE gli) (NOU~CP accordi) (ADJ~QU segreti))
+                                     (PP (PREP di)
+                                         (NP (NOU~PR Londra))))
+                                   (NP (PRO~PE ci))
+                                   (VP (VMA~RA assegnarono)
+                                       (PP (PREP insieme)
+                                           (PP (PREP alla)
+                                               (NP
+                                                   (NP (ART~DE alla) (NOU~CS base) (ADJ~QU militare))
+                                                   (PP-LOC (PREP sull')
+                                                       (NP
+                                                           (NP (ART~DE sull') (NOU~CS Isola))
+                                                           (PP (PREP di)
+                                                               (NP (NOU~PR Saseno))))))))))))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-34 **************
+
+ ( (S
+    (PP-TMP (PREP Nel)
+        (NP (ART~DE Nel) (NUMR 1920)))
+     (NP-SBJ (ART~DE gli) (NOU~CP occupanti) (ADJ~QU italiani))
+     (PRN
+         (, ,)
+         (PP (PREP secondo)
+             (NP (ART~DE la) (NOU~CS tradizione) (ADJ~QU popolare)))
+          (, ,))
+       (VP (VAU~RA vennero)
+           (VP (VMA~PA buttati)
+               (PP-LOC (PREP a)
+                   (NP (NOU~CS mare)))
+                (, ,)
+                (CONJ mentre)
+                (S
+                    (PP-TMP (PREP durante)
+                        (NP (ART~DE la) (ADJ~OR Seconda) (NOU~CS guerra) (ADJ~QU mondiale)))
+                     (PP (PREP per)
+                         (NP
+                             (NP (ART~DE la) (NOU~CS resistenza) (ADJ~QU partigiana))
+                             (PP (PREP alle)
+                                 (NP
+                                     (NP (ART~DE alle) (NOU~CP truppe))
+                                     (PP (PREP dell')
+                                         (NP (ART~DE dell') (NOU~PR Asse)))))))
+                          (NP-SBJ (NOU~PR Valona))
+                          (NP (PRO~RI si))
+                          (VP (VMA~RA merito')
+                              (NP
+                                  (NP (ART~DE il) (NOU~CS titolo))
+                                  (PP (PREP di)
+                                      (NP
+                                          (NP (NOU~CA Citta'))
+                                          (PP (PREP degli)
+                                              (NP (ART~DE degli) (NOU~CP Eroi))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-35 **************
+
+ ( (S
+    (VP (VMA~RE Eccolo)
+        (NP (PRO~PE Eccolo))
+        (NP
+            (NP (ART~DE il) (NOU~CS monumento))
+            (PP (PREP dei)
+                (NP (ART~DE dei) (NOU~CP martiri)))
+             (PP-LOC (PREP in)
+                 (NP
+                     (NP (NOU~CS Piazza))
+                     (PP (PREP della)
+                         (NP (ART~DE della) (NOU~CS Bandiera)))))
+                (, ,)
+                (NP
+                    (NP (ART~IN una) (ADJ~QU grande) (NOU~CS scultura))
+                    (PP (PREP in)
+                        (NP (NOU~CS bronzo)))
+                     (SBAR
+                         (S
+                             (NP-LOC (PRO~LO dove))
+                             (NP-SBJ-1733 (PRO~RI si))
+                             (VP (VAU~RE sono)
+                                 (VP (VMA~PA raccolti)
+                                     (PP (PREP a)
+                                         (NP (NOU~CP migliaia)))
+                                      (PP (PREP per)
+                                          (NP
+                                              (NP (ART~DE il) (NOU~CS funerale))
+                                              (PP (PREP di)
+                                                  (NP (NOU~PR Artur) (NOU~PR Rustemi)))))
+                                         (, ,)
+                                         (S
+                                             (VP (VMA~GE passandosi)
+                                                 (NP (PRO~RI passandosi))
+                                                 (NP (ART~DE la) (NOU~CS bara))
+                                                 (PP (PREP di)
+                                                     (NP
+                                                         (NP (NOU~CS spalla))
+                                                         (PP (PREP in)
+                                                             (NP (NOU~CS spalla)))))
+                                                    (S-PRD
+                                                        (VP (VMA~PA avvolta)
+                                                            (PP (PREP in)
+                                                                (NP
+                                                                    (NP (ART~IN un) (NOU~CS drappo) (ADJ~QU rosso))
+                                                                    (PP (PREP con)
+                                                                        (NP
+                                                                            (NP (ART~DE l') (NOU~CS aquila) (ADJ~QU nera))
+                                                                            (PP (PREP a)
+                                                                                (NP (NUMR due) (NOU~CP teste)))
+                                                                             (, ,)
+                                                                             (NP
+                                                                                 (NP (ART~DE il) (NOU~CS simbolo))
+                                                                                 (PP (PREP dell')
+                                                                                     (NP (ART~DE dell') (NOU~PR Albania)))))))))
+                                                                (NP-SBJ (-NONE- *-3133))))
+                                                          (NP-SBJ (-NONE- *-1733))))))))))
+                                  (. .)) )
+
+
+************** FRASE NEWS-36 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Poi))
+    (NP-SBJ-233 (ART~IN un) (NOU~CS gruppo))
+    (NP (PRO~RI si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA staccato)
+            (PP-LOC (PREP dal)
+                (NP (ART~DE dal)
+                    (NP (NOU~CS corteo))
+                    (ADJP (ADJ~QU diretto)
+                        (PP (PREP al)
+                            (NP
+                                (NP (ART~DE al) (NOU~CS cimitero))
+                                (PP (PREP degli)
+                                    (NP (ART~DE degli) (NOU~CP eroi))))))))
+                  (PP (PREP per)
+                      (S
+                          (VP (VMA~IN infilarsi)
+                              (NP (PRO~RI infilarsi))
+                              (PP-LOC (PREP sul)
+                                  (NP
+                                      (NP (ART~DE sul) (NOU~CS viale))
+                                      (PP (PREP di)
+                                          (NP (NOU~PR Sheshi) (NOU~PR Iflamurit)))
+                                       (, ,)
+                                       (NP
+                                           (NP (ART~DE la) (NOU~CS via))
+                                           (PP (PREP del)
+                                               (NP (ART~DE del) (NOU~CS porto)))
+                                            (, ,)
+                                            (VP (VMA~PA fiancheggiata)
+                                                (NP (-NONE- *))
+                                                (PP-LGS
+                                                    (PP (PREP dagli)
+                                                        (NP (ART~DE dagli)
+                                                            (NP (NOU~CP edifici))
+                                                            (ADJP (ADJ~QU tipici)
+                                                                (PP (PREP del)
+                                                                    (NP
+                                                                        (NP (ART~DE del) (NOU~CS regime) (ADJ~QU comunista))
+                                                                        (PP (PREP di)
+                                                                            (NP (NOU~PR Enver) (NOU~PR Hoxha))))))))
+                                                          (CONJ e)
+                                                          (PP (PREP da)
+                                                              (NP
+                                                                  (NP (NOU~CP case) (ADJ~QU popolari))
+                                                                  (, ,)
+                                                                  (VP (VMA~PA intervallate)
+                                                                      (NP (-NONE- *))
+                                                                      (ADVP-TMP (ADVB adesso))
+                                                                      (PP-LGS (PREP dalle)
+                                                                          (NP
+                                                                              (NP (ART~DE dalle) (ADJ~QU ambiziose) (NOU~CP villette))
+                                                                              (PP (PREP dei)
+                                                                                  (NP (ART~DE dei) (ADJ~QU nuovi) (NOU~CP ricchi))))))))))))))
+                                              (NP-SBJ (-NONE- *-233))))))
+                                  (. .)) )
+
+
+************** FRASE NEWS-37 **************
+
+ ( (S
+    (PP-LOC (PREP Da) (ADVB qui))
+    (VP (VAU~RE e')
+        (VP (VMA~PA partito)
+            (NP-EXTPSBJ-533
+                (NP (ART~DE l') (NOU~CS assalto))
+                (PP (PREP alla)
+                    (NP-833 (ART~DE alla)
+                        (NP (NOU~CS casa))
+                        (SBAR
+                            (NP-9333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-9333))
+                                (VP (VMA~IM ospitava)
+                                    (NP (ART~DE il) (NOU~CS Partito) (ADJ~QU democratico)))))
+                           (, ,) (S+REDUC
+                               (S
+                                   (S
+                                       (VP (VMA~PA distrutta))
+                                       (NP-SBJ-15.1033 (-NONE- *-833))))
+                                 (CONJ e)
+                                 (S
+                                     (VP (VMA~PA bruciata)
+                                         (CONJ come)
+                                         (S
+                                             (ADVP-TMP (ADVB gia'))
+                                             (VP (VAU~IM era)
+                                                 (VP (VMA~PA avvenuto)
+                                                     (NP-TMP (ADJ~IN qualche) (NOU~CS giorno) (ADJ~DI fa))
+                                                     (PP (PREP con)
+                                                         (NP (ART~DE il)
+                                                             (NP (NOU~CS municipio))
+                                                             (, ,)
+                                                             (SBAR
+                                                                 (NP-2333 (PRO~RE che) (-NONE- *-))
+                                                                 (S
+                                                                     (NP-SBJ-2933 (-NONE- *-2333))
+                                                                     (PP (PREP nei)
+                                                                         (NP
+                                                                             (NP (ART~DE nei) (NOU~CP piani))
+                                                                             (PP (PREP dell')
+                                                                                 (NP (ART~DE dell') (NOU~CS ambasciata) (ADJ~QU italiana)))))
+                                                                        (VP (VMO~IM doveva)
+                                                                            (S
+                                                                                (VP (VMA~IN diventare)
+                                                                                    (NP-PRD
+                                                                                        (NP (ART~DE la) (ADJ~DI prossima) (NOU~CS sede))
+                                                                                        (PP (PREP del)
+                                                                                            (NP
+                                                                                                (NP (ART~DE del) (NOU~CS consolato))
+                                                                                                (PP (PREP di)
+                                                                                                    (NP (NOU~PR Valona)))))))
+                                                                                     (NP-SBJ (-NONE- *-2933))))))))))
+                                                             (NP-SBJ (-NONE- *))))
+                                                       (NP-SBJ (-NONE- *-15.1033)))))))))
+                                  (NP-SBJ (-NONE- *-533))
+                                  (. .)) )
+
+
+************** FRASE NEWS-38 **************
+
+ ( (S
+    (S
+        (VP (VMA~IP A_MORTE)
+            (NP-EXTPSBJ-2333 (NOU~PR Berisha) (-NONE- *-)
+                (CONJ e)
+                (NP (ART~DE i) (NOU~CP democratici))))
+          (NP-SBJ (-NONE- *-333)))
+       (, ,)
+       (VP (VMA~RE grida)
+           (NP-EXTPSBJ-933 (ART~IN un) (ADJ~QU certo) (NOU~PR Flamur))
+           (CONJ quando)
+           (S
+               (VP (VMA~RE vede)
+                   (S-PRD
+                       (VP (VMA~IN avvicinarsi)
+                           (NP (PRO~RI avvicinarsi)))
+                        (NP-SBJ (-NONE- *-1533)))
+                     (NP-1533 (ART~IN degli) (NOU~CP stranieri)))
+                  (NP-SBJ (-NONE- *-933))))
+            (NP-SBJ (-NONE- *-933))
+            (. .)) )
+
+
+************** FRASE NEWS-39 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Qui))
+    (ADVP (ADVB non))
+    (NP (PRO~RI si))
+    (VP (VMA~RE trova)
+        (ADVP-TMP (ADVB piu'))
+        (NP
+            (NP (ART~IN un) (NOU~CS seguace))
+            (PP (PREP del)
+                (NP (ART~DE del)
+                    (NP (NOU~CS Partito) (ADJ~QU democratico))
+                    (SBAR
+                        (NP-1333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-1333))
+                            (ADVP (ADVB pure))
+                            (PP-LOC (PREP a)
+                                (NP (NOU~PR Valona)))
+                             (VP (VAU~IM aveva)
+                                 (VP (VMA~PA vinto)
+                                     (NP (ART~DE le) (ADJ~OR ultime) (NOU~CP elezioni))
+                                     (PP (PREP con)
+                                         (NP (ART~DE l') (NUMR 88) (SPECIAL %)
+                                             (PP (PREP dei)
+                                                 (NP (ART~DE dei) (NOU~CP consensi)))))))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-40 **************
+
+ ( (S
+    (S
+        (NP-SBJ (NOU~PR Dashamir)
+            (NP (ADVB Anche) (NOU~PR Shehi))
+            (PRN
+                (, ,)
+                (NP (ADJ~QU ex) (ADJ~QU vice) (ADJ~OR primo) (NOU~CS ministro))
+                (, ,))
+             (NP
+                 (NP-TMP (ART~IN un) (NOU~CS tempo))
+                 (NP (NOU~CS uomo))
+                 (PP (PREP del)
+                     (NP
+                         (NP (ART~DE del) (NOU~CS Presidente))
+                         (PP (PREP in)
+                             (NP (NOU~CA citta')))))))
+              (, ,)
+              (VP (VMA~RE attacca)
+                  (NP (ART~DE il) (NOU~CS Governo))))
+            (CONJ e)
+            (S
+                (NP (PRO~RI si))
+                (VP (VMA~RE oppone)
+                    (PP (PREP a)
+                        (NP
+                            (NP (NOU~CP misure))
+                            (PP (PREP di)
+                                (NP (NOU~CS emergenza))))))
+                    (NP-SBJ (-NONE- *-233)))
+                 (. .)) )
+
+
+************** FRASE NEWS-41 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS gente))
+    (ADVP (ADVB non))
+    (VP (VMA~RE vuole)
+        (ADVP-TMP (ADVB piu'))
+        (NP (ADJ~DE questo) (NOU~CS sistema)))
+     (. .)) )
+
+
+************** FRASE NEWS-42 **************
+
+ ( (S
+    (NP-LOC (PRO~LO Ci))
+    (VP (VMA~RE vuole)
+        (NP-EXTPSBJ-333 (ADJ~IN piu') (NOU~CS trasparenza))
+        (PP-LOC (PREP nell')
+            (NP (ART~DE nell') (NOU~CS amministrazione))))
+      (NP-SBJ (-NONE- *-333))
+      (. .)) )
+
+
+************** FRASE NEWS-43 **************
+
+ ( (S
+    (CONJ Ma)
+    (ADVP-TMP (ADVB intanto))
+    (VP (VMA~RE circolano)
+        (NP-EXTPSBJ-433
+            (NP (NOU~CP voci) (ADJ~QU inquietanti))
+            (PP (PREP sul)
+                (NP
+                    (NP (ART~DE sul) (NOU~CS futuro))
+                    (PP (PREP delle)
+                        (NP (ART~DE delle) (ADJ~DI altre)
+                            (' ') (NOU~CP piramidi) (ADJ~QU finanziarie)
+                            (' ')
+                            (, ,)
+                            (NP
+                                (NP (PRO~DE quelle))
+                                (S
+                                    (S
+                                        (NP-1333 (PRO~RE che))
+                                        (S
+                                            (NP-SBJ (-NONE- *-1333))
+                                            (PP (PREP in)
+                                                (NP (NOU~CS apparenza)))
+                                             (PP-TMP (PREP nelle)
+                                                 (NP (ART~DE nelle) (ADJ~DI scorse) (NOU~CP settimane)))
+                                              (NP (PRO~RI si))
+                                              (VP (VAU~IM erano)
+                                                  (VP (VMA~PA salvate)
+                                                      (PP (PREP dal)
+                                                          (NP (ART~DE dal) (NOU~CS fallimento)))))))
+                                           (CONJ e)
+                                           (S
+                                               (NP-SBJ-2833 (PRO~RE che))
+                                               (ADVP-TMP (ADVB adesso))
+                                               (VP (VMO~CO potrebbero)
+                                                   (S
+                                                       (VP (VMA~IN chiudere)
+                                                           (NP (ART~DE i) (NOU~CP pagamenti)))
+                                                        (NP-SBJ (-NONE- *-2833)))))))))))))
+                       (NP-SBJ (-NONE- *-433))
+                       (. .)) )
+
+
+************** FRASE NEWS-44 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (VP (VMA~IM accadesse)
+            (NP-EXTPSBJ-333
+                (NP (ART~IN una) (NOU~CS cosa))
+                (PP (PREP del)
+                    (NP (ART~DE del) (NOU~CS genere)))))
+           (NP-SBJ (-NONE- *-333)))
+        (, ,)
+        (ADVP (ADVB allora))
+        (NP-SBJ-933
+            (NP (ART~DE la) (NOU~CS rivolta)
+                (PP (PREP di)
+                    (NP (NOU~PR Valona))))
+              (PP
+                  (, ,)
+                  (PP
+                      (PP (PREP di)
+                          (NP (NOU~PR Fier)))
+                       (CONJ e)
+                       (PP (PREP della)
+                           (NP (ART~DE della) (NOU~CS provincia))))))
+               (VP (VMO~CO potrebbe)
+                   (S
+                       (VP (VMA~IN propagarsi)
+                           (NP (PRO~RI propagarsi))
+                           (PP-LOC (PREP a)
+                               (NP (NOU~PR Tirana))))))
+                   (NP-SBJ (-NONE- *-933))
+                   (. .)) )
+
+
+************** FRASE NEWS-45 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE Il) (NOU~CS Governo))
+        (VP (VMA~RE annaspa)))
+     (, ,)
+     (S
+         (VP
+             (ADVP (ADVB non))
+             (VP (VMA~RE riesce)
+                 (PP (PREP a)
+                     (S
+                         (VP (VMA~IN decidere)
+                             (S
+                                 (NP
+                                     (NP (ADJ~IR quali) (NOU~CP misure))
+                                     (PP (PREP di)
+                                         (NP (NOU~CS sicurezza))))
+                                   (VP (VMA~IN adottare))
+                                   (NP-SBJ (-NONE- *-8.1033))))
+                             (NP-SBJ-8.1033 (-NONE- *-6.1033)))))
+                    (, ,)
+                    (S
+                        (NP (PRO~RI si))
+                        (VP (VMA~RE profila)
+                            (ADVP (ADVB anche))
+                            (NP-EXTPSBJ-1833
+                                (NP (ART~IN una) (NOU~CA crisi))
+                                (PP (PREP dell')
+                                    (NP (ART~DE dell') (NOU~CS Esecutivo))))
+                              (CONJ mentre)
+                              (S
+                                  (NP-SBJ (ART~DE l') (NOU~CS opposizione)
+                                      (PRN
+                                          (PUNCT -)
+                                          (SBAR
+                                              (NP-2333 (PRO~RE che))
+                                              (S
+                                                  (NP-SBJ (-NONE- *-2333))
+                                                  (VP (VMA~RE riunisce)
+                                                      (PP-LOC (PREP nel)
+                                                          (NP (ART~DE nel) (NOU~PR Forum)))
+                                                       (NP
+                                                           (NP (ART~IN una) (NOU~CS decina))
+                                                           (PP (PREP di)
+                                                               (NP
+                                                                   (NP (NOU~CP partiti))
+                                                                   (PP (PREP dagli)
+                                                                       (NP (ART~DE dagli) (ADJ~QU ex) (NOU~CP comunisti))
+                                                                       (PP (PREP alla)
+                                                                           (NP
+                                                                               (NP (ART~DE alla) (NOU~CS destra))
+                                                                               (PP (PREP di)
+                                                                                   (NP (NOU~PR Alleanza) (ADJ~QU democratica))))))))))))
+                                                     (PUNCT -)))
+                                               (VP (VMA~RE chiama)
+                                                   (PP (PREP alla)
+                                                       (NP
+                                                           (NP (ART~DE alla) (NOU~CS protesta) (ADJ~QU pacifica))
+                                                           (PP (PREP in)
+                                                               (NP (NOU~CS piazza))))))))
+                                             (NP-SBJ (-NONE- *-1833))))
+                                       (NP-SBJ-6.1033 (-NONE- *-133)))
+                                    (. .)) )
+
+
+************** FRASE NEWS-46 **************
+
+ ( (S
+    (CONJ Ma)
+    (PP-LOC (PREP sulla)
+        (NP
+            (NP (ART~DE sulla) (NOU~CS Collina))
+            (PP (PREP degli)
+                (NP (ART~DE degli) (NOU~CP Ulivi)))))
+       (NP (PRO~RI si))
+       (VP (VMA~RE respira)
+           (NP
+               (NP (NOU~CS aria))
+               (PP (PREP di)
+                   (NP (NOU~CS battaglia)))))
+          (. .)) )
+
+
+************** FRASE NEWS-47 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE L') (NOU~CS assedio))
+        (PP (PREP di)
+            (NP (NOU~PR Valona))))
+      (VP (VAU~RE e')
+          (VP (VMA~PA cominciato)))
+       (. .)) )
+
+
+************** FRASE NEWS-48 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS mafia) (ADJ~QU italiana))
+    (VP (VMA~RE opera)
+        (PP-LOC (PREP in)
+            (NP (NOU~PR Albania))))
+      (. .)) )
+
+
+************** FRASE NEWS-49 **************
+
+ ( (S
+    (NP (PRO~RI Si))
+    (VP (VMA~RE allunga)
+        (NP-EXTPSBJ-333
+            (NP (ART~DE l') (NOU~CS ombra))
+            (PP (PREP della)
+                (NP (ART~DE della) (NOU~CS mafia))))
+          (PP-LOC (PREP sullo)
+              (NP
+                  (NP (ART~DE sullo) (NOU~CS scandalo))
+                  (PP (PREP delle)
+                      (NP (ART~DE delle) (NOU~CP finanziarie) (ADJ~QU albanesi))))))
+          (NP-SBJ (-NONE- *-333))
+          (. .)) )
+
+
+************** FRASE NEWS-50 **************
+
+ ( (S
+    (PP (PREP Nelle)
+        (NP
+            (NP (ART~DE Nelle) (NOU~CA societa'))
+            (PP (PREP di)
+                (NP (NOU~PR Tirana)))
+             (SBAR
+                 (NP-5333 (PRO~RE che))
+                 (S
+                     (NP-SBJ (-NONE- *-5333))
+                     (VP (VAU~RE hanno)
+                         (VP (VMA~PA truffato)
+                             (NP
+                                 (NP (ART~IN un) (PRO~ID quarto))
+                                 (PP (PREP della)
+                                     (NP (ART~DE della) (NOU~CS popolazione))))))))))
+             (NP-LOC (PRO~LO c'))
+             (VP (VMA~RE e')
+                 (NP-EXTPSBJ-1433
+                     (NP (ART~DE lo) (NOU~CS zampino))
+                     (PP (PREP delle)
+                         (NP (ART~DE delle) (NOU~CP organizzazioni) (ADJ~QU criminali) (ADJ~QU italiane)))))
+                (NP-SBJ (-NONE- *-1433))
+                (. .)) )
+
+
+************** FRASE NEWS-51 **************
+
+ ( (S
+    (PP-SBJ (PREP A)
+        (S
+            (VP (VMA~IN sollevare)
+                (NP (ART~DE l') (NOU~CS accusa)))
+             (NP-SBJ (-NONE- *-733))))
+       (VP (VAU~RE e')
+           (VP (VMA~PA stato)
+               (NP-PRD-CLEFT
+                   (NP (ART~DE il) (NOU~CS rapporto)) (-NONE- *-)
+                   (PP (PREP della)
+                       (NP (ART~DE della) (NOU~PR Confcommercio)))
+                    (PP (PREP sull')
+                        (NP
+                            (NP (ART~DE sull') (NOU~CS aggressione) (ADJ~QU criminale))
+                            (PP (PREP all')
+                                (NP (ART~DE all') (NOU~CS economia))))))))
+              (. .)) )
+
+
+************** FRASE NEWS-52 **************
+
+ ( (S
+    (CONJ E)
+    (NP-SBJ (ART~DE lo) (NOU~CS studio)
+        (PRN
+            (, ,)
+            (SBAR
+                (NP-5333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-5333))
+                    (VP (VMA~RE cita)
+                        (PP (PREP come)
+                            (NP (NOU~CS fonte)))
+                         (NP
+                             (NP (ART~IN un) (ADJ~QU alto) (NOU~CS dirigente))
+                             (PP (PREP della)
+                                 (NP
+                                     (NP (ART~DE della) (NOU~CS polizia))
+                                     (PP (PREP di)
+                                         (NP (NOU~CS Stato)))))))))
+                    (, ,)))
+              (VP (VAU~RE e')
+                  (VP (VAU~PA stato)
+                      (VP (VMA~PA confermato))))
+                (PP-LGS
+                    (PP (PREP dal)
+                        (NP (ART~DE dal) (NOU~CS procuratore) (ADJ~QU nazionale) (ADJ~QU antimafia)
+                            (PRN
+                                (, ,)
+                                (NP (NOU~PR Piero)
+                                    (NP (NOU~PR Luigi) (NOU~PR Vigna)))
+                                 (, ,))))
+                        (CONJ e)
+                        (PP (PREP dal)
+                            (NP
+                                (NP (ART~DE dal) (NOU~CS direttore))
+                                (PP (PREP del)
+                                    (NP
+                                        (NP (ART~DE del) (NOU~CS servizio) (ADJ~QU centrale) (ADJ~QU operativo))
+                                        (PRN
+                                            (-LRB- -LRB-)
+                                            (NP (NOU~PR Sco))
+                                            (-RRB- -RRB-))
+                                         (PP (PREP della)
+                                             (NP (ART~DE della) (NOU~CS polizia)))))
+                                    (, ,)
+                                    (NP (NOU~PR Alessandro) (NOU~PR Pansa)))))
+                           (. .)) )
+
+
+************** FRASE NEWS-53 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE Abbiamo)
+            (NP
+                (NP (NOU~CS notizia))
+                (PP (PREP della)
+                    (NP
+                        (NP (ART~DE della) (NOU~CS presenza))
+                        (PP (PREP della)
+                            (NP
+                                (NP (ART~DE della) (NOU~CA criminalita') (ADJ~QU italiana))
+                                (PP (PREP nello)
+                                    (NP
+                                        (NP (ART~DE nello) (NOU~CS scandalo))
+                                        (PP (PREP delle)
+                                            (NP (ART~DE delle) (NOU~CP finanziarie) (ADJ~QU albanesi)))))))))))
+                 (NP-SBJ (-NONE- *)))
+              (VP (VAU~RE ha)
+                  (VP (VMA~PA detto)
+                      (NP-EXTPSBJ-1533 (NOU~PR Vigna))
+                      (, ,)
+                      (S
+                          (VP (VMA~GE ricordando)
+                              (CONJ che)
+                              (S
+                                  (S
+                                      (NP-SBJ-1933 (ART~DE l') (NOU~PR Albania))
+                                      (VP
+                                          (VP (VAU~RE e')
+                                              (ADVP-TMP (ADVB gia'))) (VMA~PA diventata)
+                                           (NP-PRD
+                                               (NP (NOU~CS produttrice))
+                                               (PP (PREP di)
+                                                   (NP (NOU~CA marijuana))))))
+                                       (CONJ e)
+                                       (S
+                                           (VP (VAU~RE sta)
+                                               (VP (VMA~GE sperimentando)
+                                                   (ADVP-TMP (ADVB oggi))
+                                                   (NP
+                                                       (NP (ART~DE la) (NOU~CS produzione))
+                                                       (PP (PREP della)
+                                                           (NP (ART~DE della) (NOU~CS coca))))))
+                                               (NP-SBJ (-NONE- *-1933)))))
+                                      (NP-SBJ (-NONE- *-1533)))))
+                             (NP-SBJ (-NONE- *-1533))
+                             (. .)) )
+
+
+************** FRASE NEWS-54 **************
+
+ ( (S
+    (S
+        (PP-LOC (PREP In)
+            (NP (ADJ~DE quegli) (NOU~CP istituti) (ADJ~QU finanziari)))
+         (ADVP (ADVB forse))
+         (VP (VAU~RE sono)
+             (VP (VMA~PA andati)
+                 (PP (PREP a)
+                     (S
+                         (VP (VMA~IN finire))
+                         (NP-SBJ (-NONE- *-1033))))
+                   (NP-EXTPSBJ-1033 (ADJ~DE quei) (NOU~CP soldi))))
+             (NP-SBJ (-NONE- *-1033)))
+          (, ,)
+          (VP (VAU~RE ha)
+              (VP (VMA~PA aggiunto)))
+           (NP-SBJ (-NONE- *))
+           (. .)) )
+
+
+************** FRASE NEWS-55 **************
+
+ ( (S
+    (NP-SBJ-133 (NOU~PR Pansa))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA confermato)
+            (NP
+                (NP (PRO~RE quanto))
+                (VP (VMA~PA sostenuto)
+                    (NP (-NONE- *))
+                    (PP-LGS (PREP dal)
+                        (NP
+                            (NP (ART~DE dal) (NOU~CS collega))
+                            (PP (PREP dell')
+                                (NP (ART~DE dell') (NOU~CS antimafia)))))))
+                 (, ,)
+                 (S
+                     (VP (VMA~GE limitandosi)
+                         (NP (PRO~RI limitandosi))
+                         (PP (PREP ad)
+                             (S
+                                 (VP (VMA~IN ammettere)
+                                     (CONJ che)
+                                     (S
+                                         (PP (PREP per)
+                                             (NP (ART~DE lo) (NOU~CS scandalo) (ADJ~QU albanese)))
+                                          (NP-SBJ (NOU~CP indagini))
+                                          (VP (VMA~RE sono)
+                                              (ADJP-PRD (ADJ~QU IN_CORSO))
+                                              (PP-LOC (PREP in)
+                                                  (NP (ADVB anche) (NOU~PR Italia))))))
+                                      (NP-SBJ (-NONE- *-11.1033)))))
+                             (NP-SBJ-11.1033 (-NONE- *-133)))))
+                    (. .)) )
+
+
+************** FRASE NEWS-56 **************
+
+ ( (S
+    (ADVP (ADVB Non))
+    (VP (VMO~RE posso)
+        (S
+            (VP (VMA~IN dire)
+                (ADVP (ADVB DI_PIÙ)))
+             (NP-SBJ (-NONE- *-2.1033))))
+       (NP-SBJ-2.1033 (-NONE- *))
+       (. .)) )
+
+
+************** FRASE NEWS-57 **************
+
+ ( (S
+    (NP-133 (NOU~CP Anni) (ADJ~DI fa))
+    (, ,)
+    (VP (VAU~RE ha)
+        (VP (VMA~PA ricordato)
+            (NP-EXTPSBJ-633
+                (NP (ART~DE il) (NOU~CS direttore))
+                (PP (PREP dello)
+                    (NP (ART~DE dello) (NOU~PR Sco))))
+              (, ,)
+              (S
+                  (PP-LOC (PREP in)
+                      (NP (ADVB anche) (NOU~PR Campania)))
+                   (NP-LOC (PRO~LO c'))
+                   (VP (VMA~IM erano)
+                       (NP-15.1133 (-NONE- *-133))
+                       (NP-EXTPSBJ-1633
+                           (NP (NOU~CP finanziarie))
+                           (SBAR
+                               (NP-1333 (PRO~RE che))
+                               (S
+                                   (NP-SBJ (-NONE- *-1333))
+                                   (VP (VMA~IM offrivano)
+                                       (NP
+                                           (NP (ART~IN un) (NOU~CS interesse) (ADJ~QU mensile))
+                                           (PP (PREP del)
+                                               (NP (ART~DE del) (NUMR 7) (SPECIAL %))))
+                                         (PP (PREP a)
+                                             (NP
+                                                 (NP (PRO~RE-2633 chi))
+                                                 (SBAR
+                                                     (S
+                                                         (VP (VMA~IM affidava)
+                                                             (NP (PRO~PE loro))
+                                                             (NP (ART~DE i) (ADJ~PO propri) (NOU~CP risparmi)))
+                                                          (NP-SBJ (-NONE- *-2333)))
+                                                       (NP-2333 (-NONE- *-2633)))))))))
+                                  (NP-TMP (-NONE- *-15.1133)))
+                               (NP-SBJ (-NONE- *-1633)))))
+                      (NP-SBJ (-NONE- *-633))
+                      (. .)) )
+
+
+************** FRASE NEWS-58 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Dietro))
+    (NP-LOC (PRO~LO c'))
+    (VP (VMA~IM era)
+        (NP-EXTPSBJ-433 (ART~DE la)
+            (NP (NOU~CS camorra))
+            (, ,)
+            (SBAR
+                (NP-7333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-7333))
+                    (VP (VMA~IM finanziava)
+                        (ADVP (ADVB cosi'))
+                        (NP
+                            (NP (ART~DE il) (NOU~CS contrabbando))
+                            (PP (PREP di)
+                                (NP (NOU~CP sigarette)))))))))
+           (NP-SBJ (-NONE- *-433))
+           (. .)) )
+
+
+************** FRASE NEWS-59 **************
+
+ ( (S
+    (NP-TMP (ADJ~IN Ogni) (NOU~CS giorno))
+    (VP (VMA~IM cercavamo)
+        (ADVP-TMP (ADVB sempre))
+        (NP
+            (NP (ART~IN un) (NOU~CS momento))
+            (PP (PREP per)
+                (S
+                    (VP (VMA~IN sintonizzarci)
+                        (NP (PRO~PE sintonizzarci))
+                        (PP (PREP sulla)
+                            (NP (ART~DE sulla) (NOU~CA radio) (ADJ~QU italiana))))
+                      (NP-SBJ (-NONE- *-3.1033))))))
+          (NP-SBJ-3.1033 (-NONE- *))
+          (. .)) )
+
+
+************** FRASE NEWS-60 **************
+
+ ( (S
+    (ADJP-PRD (ADJ~QU Lontani)
+        (PP
+            (PP (PREP dalle)
+                (NP
+                    (NP (ART~DE dalle) (NOU~CP orecchie))
+                    (PP (-NONE- *-733))))
+              (CONJ e)
+              (PP (PREP dagli)
+                  (NP
+                      (NP (ART~DE dagli) (NOU~CP occhi))
+                      (PP-733 (PREP della)
+                          (NP (ART~DE della) (NOU~PR Segurimi)))))))
+           (PRN
+               (, ,)
+               (PP (PREP con)
+                   (NP
+                       (NP (ART~IN un) (NOU~CS filo))
+                       (PP (PREP di)
+                           (NP (NOU~CS rame)))
+                        (PP (PREP per)
+                            (NP (NOU~CS antenna)))))
+                   (, ,))
+                (VP (VMA~IM ascoltavamo)
+                    (PP (PREP da)
+                        (NP (ADJ~IN qualche) (NOU~CS angolo) (ADJ~QU segreto)))
+                     (NP
+                         (NP (PRO~DE quello))
+                         (SBAR
+                             (NP-2333 (PRO~RE che))
+                             (S
+                                 (NP-SBJ (-NONE- *-2333))
+                                 (VP (VMA~IM succedeva)
+                                     (PP-LOC (PREP dall')
+                                         (NP
+                                             (NP (ART~DE dall') (ADJ~DI altra) (NOU~CS parte))
+                                             (PP (PREP del)
+                                                 (NP (ART~DE del) (NOU~CS mondo))))))))))
+                         (NP-SBJ (-NONE- *))
+                         (. .)) )
+
+
+************** FRASE NEWS-61 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (VP (VAU~IM venivi)
+            (VP (VMA~PA colto)
+                (PP (PREP sul)
+                    (NP (ART~DE sul) (NOU~CS fatto)))))
+           (NP-SBJ (-NONE- *)))
+        (, ,)
+        (NP (PRO~PE ti))
+        (VP (VMA~IM aspettavano)
+            (NP-EXTPSBJ-933
+                (NP (NUMR otto) (NOU~CP anni))
+                (PP (PREP di)
+                    (NP (NOU~CS carcere)))))
+           (NP-SBJ (-NONE- *-933))
+           (. .)) )
+
+
+************** FRASE NEWS-62 **************
+
+ ( (S
+    (NP-SBJ (PRO~DE Questa))
+    (VP (VMA~RE e')
+        (NP-PRD (ART~IN una)
+            (NP (NOU~CS storia) (ADJ~QU comune))
+            (SBAR
+                (S
+                    (NP-633 (PRO~RE che))
+                    (VP (VMO~RE puo')
+                        (S
+                            (VP (VMA~IN raccontare)
+                                (NP (-NONE- *-633)))
+                             (NP-SBJ (-NONE- *-933)))
+                          (NP-EXTPSBJ-933
+                              (NP (ADJ~IN qualunque) (NOU~CS albanese))
+                              (PP (PREP sopra)
+                                  (NP (ART~DE i)
+                                      (NP (NUMR vent')) (NOU~CP anni)))))
+                          (NP-SBJ (-NONE- *-933))))))
+              (. .)) )
+
+
+************** FRASE NEWS-63 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~PE Noi))
+        (NP (NOU~CP italiani)))
+     (PP (PREP per)
+         (NP (PRO~PE loro)))
+      (VP (VMA~IM eravamo)
+          (NP-PRD
+              (NP (ART~DE l') (ADJ~DI altra) (NOU~CS parte))
+              (PP (PREP del)
+                  (NP (ART~DE del) (NOU~CS mondo)))))
+         (. .)) )
+
+
+************** FRASE NEWS-64 **************
+
+ ( (S
+    (NP-133 (PRO~PE Li))
+    (VP (VMA~RA vedemmo)
+        (S-PRD
+            (VP (VMA~IN arrivare)
+                (PP-TMP (PREP nell')
+                    (NP
+                        (NP (ART~DE nell') (NOU~CS estate))
+                        (PP (PREP del)
+                            (NP (ART~DE del) (DATE '91)))))
+                   (PP-LOC (PREP a)
+                       (NP (NOU~PR Bari)
+                           (CONJ e) (NOU~PR Brindisi))))
+                  (NP-SBJ (-NONE- *-133)))
+               (S-PRD
+                   (VP (VMA~PA ammassati)
+                       (PP-LOC (PREP nelle)
+                           (NP
+                               (NP (ART~DE nelle) (NOU~CP stive))
+                               (PP (PREP delle)
+                                   (NP (ART~DE delle) (NOU~CP navi)))))
+                          (, ,)
+                          (PP (PREP senza)
+                              (NP
+                                  (NP (NOU~CS pane))
+                                  (CONJ ne')
+                                  (NP (NOU~CS acqua)))))
+                         (NP-SBJ (-NONE- *-133))))
+                   (NP-SBJ (-NONE- *))
+                   (. .)) )
+
+
+************** FRASE NEWS-65 **************
+
+ ( (S
+    (CONJ E)
+    (ADVP (ADVB improvvisamente))
+    (NP-SBJ (ADJ~DE quell') (NOU~CS irruzione)
+        (PRN
+            (, ,)
+            (ADVP-TMP (ADVB subito))
+            (VP (VMA~PA definita)
+                (NP (-NONE- *))
+                (NP-PRD (ART~IN un) (NOU~CS esodo) (ADJ~QU biblico)))
+             (, ,)))
+       (NP (PRO~PE ci))
+       (VP (VMA~RA rivelo')
+           (CONJ che)
+           (S
+               (PP-LOC (PREP dall')
+                   (NP
+                       (NP (ART~DE dall') (ADJ~DI altra) (NOU~CS parte))
+                       (PP (PREP del)
+                           (NP (ART~DE del) (NOU~CS mare)))))
+                  (VP (VMA~IM esistevano)
+                      (NP-EXTPSBJ-2133 (ART~DE gli) (NOU~CP albanesi)))
+                   (NP-SBJ (-NONE- *-2133))))
+             (NP-SBJ (-NONE- *-333))
+             (. .)) )
+
+
+************** FRASE NEWS-66 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~IN Un) (NOU~CS-233 ufficiale))
+        (PRN
+            (, ,)
+            (CONJ e)
+            (NP
+                (NP (-NONE- *-233))
+                (PP (PREP di)
+                    (NP (ADVB non)
+                        (NP (ADJ~QU basso) (NOU~CS grado)))))
+               (, ,))
+            (PP (PREP dell')
+                (NP (ART~DE dell')
+                    (" ") (NOU~PR Operazione)
+                    (" "))))
+           (VP (VMA~RA confesso')
+               (ADVP (ADVB candidamente))
+               (CONJ che)
+               (S
+                   (PP-TMP (PREP prima)
+                       (PP (PREP di)
+                           (S
+                               (VP (VMA~IN partire))
+                               (NP-SBJ (-NONE- *-133)))))
+                      (VP (VAU~IM aveva)
+                          (VP (VMO~PA dovuto)
+                              (S
+                                  (VP (VMA~IN prendere)
+                                      (PP-LOC (PREP in)
+                                          (NP (NOU~CS mano)))
+                                       (NP (ART~DE la) (NOU~CS carta) (ADJ~QU geografica))
+                                       (PP (PREP per)
+                                           (S
+                                               (VP (VMA~IN individuare)
+                                                   (S
+                                                       (ADVP (ADVB dove))
+                                                       (VP (VMA~IM fosse)
+                                                           (NP-EXTPSBJ-2333 (ADJ~DE questo)
+                                                               (NP (NOU~CS Paese)) (-NONE- *-)
+                                                               (, ,)
+                                                               (VP (VMA~PA scomparso)
+                                                                   (NP (-NONE- *))
+                                                                   (PP
+                                                                       (PP (PREP dalla)
+                                                                           (NP (ART~DE dalla) (NOU~CS memoria)))
+                                                                        (CONJ e)
+                                                                        (PP (PREP dalla)
+                                                                            (NP (ART~DE dalla) (NOU~CS storia)))))))
+                                                             (NP-SBJ (-NONE- *-3333))))
+                                                       (NP-SBJ (-NONE- *-23.1033)))))
+                                              (NP-SBJ-23.1033 (-NONE- *-22.1033)))))
+                                     (NP-SBJ-22.1033 (-NONE- *-133))))
+                               (. .)) )
+
+
+************** FRASE NEWS-67 **************
+
+ ( (S
+    (NP-SBJ (PRO~PE Loro))
+    (VP (VMA~IM erano)
+        (NP-PRD (ART~DE il) (ADJ~PO nostro) (NOU~CS vicino) (ADJ~QU sconosciuto)))
+     (. .)) )
+
+
+************** FRASE NEWS-68 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (ART~DE la) (NOU~CS caduta))
+            (PP (PREP del)
+                (NP (ART~DE del) (NOU~CS comunismo)))))
+       (NP-SBJ (PRO~PE noi))
+       (ADVP (ADVB invece))
+       (VP (VMA~IM rappresentavamo)
+           (NP
+               (NP (ART~DE l')
+                   (NP (NOU~CS Eldorado))
+                   (VP (VMA~PA teletrasmesso)
+                       (NP (-NONE- *))
+                       (NP-TMP (ADJ~IN ogni) (NOU~CS sera))
+                       (PP-LGS (PREP dalle)
+                           (NP (ART~DE dalle) (NOU~CP antenne) (ADJ~QU satellitari)))))
+                  (, ,)
+                  (NP
+                      (NP
+                          (NP (ART~DE il) (NOU~CS Paese))
+                          (PP (PREP con)
+                              (NP
+                                  (NP (ART~DE il) (NOU~CS campionato))
+                                  (PP (PREP di)
+                                      (NP (NOU~CS calcio)))
+                                   (ADJP (ADVB piu') (ADJ~QU bello))
+                                   (PP (PREP del)
+                                       (NP (ART~DE del) (NOU~CS mondo))))))
+                           (, ,)
+                           (NP
+                               (NP (ART~DE la) (NOU~CS nazionale))
+                               (SBAR
+                                   (S
+                                       (PP (PREP per)
+                                           (NP (PRO~RE cui)))
+                                        (PP-LOC (PREP a)
+                                            (NP (NOU~PR Tirana)))
+                                         (VP (VAU~IM avevano)
+                                             (VP (VMA~PA esultato)
+                                                 (PP-TMP (PREP dopo)
+                                                     (NP
+                                                         (NP (ART~DE il) (NOU~CS trionfo))
+                                                         (PP (PREP di)
+                                                             (NP (NOU~PR Madrid)))))
+                                                    (PP-TMP (PREP nell')
+                                                        (NP (ART~DE nell') (DATE '82)))))
+                                               (NP-SBJ (-NONE- *-3333)))
+                                            (NP-3333 (-NONE- *)))))))
+                             (. .)) )
+
+
+************** FRASE NEWS-69 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE L') (NOU~PR Italia))
+        (VP (VMA~IM era)
+            (NP-PRD (-NONE- *-633))))
+      (CONJ e)
+      (S
+          (VP (VMA~RE rimane)
+              (NP-PRD-633 (ART~IN una) (NOU~CS calamita))
+              (PP (PREP nonostante)
+                  (NP
+                      (NP (ART~DE le) (NOU~CP illusioni))
+                      (, ,)
+                      (NP
+                          (NP (ART~DE i) (NOU~CP dolori))
+                          (CONJ e)
+                          (NP (ART~DE le)
+                              (NP (NOU~CP tragedie))
+                              (VP (VMA~PA vissute)
+                                  (NP (-NONE- *))
+                                  (PP-LGS (PREP da)
+                                      (NP
+                                          (NP (ART~IN un) (NOU~CS popolo))
+                                          (PP (PREP di)
+                                              (NP (NOU~CP emigranti)))))))))))
+                   (NP-SBJ (-NONE- *-133)))
+                (. .)) )
+
+
+************** FRASE NEWS-70 **************
+
+ ( (S
+    (NP-SBJ-233 (ADVB Anche) (ART~DE gli) (NOU~CP italiani))
+    (VP (VAU~RE hanno)
+        (VP (VMA~PA cominciato)
+            (PP (PREP a)
+                (S
+                    (VP (VMA~IN conoscere)
+                        (NP (ART~DE l') (NOU~PR Albania)))
+                     (NP-SBJ (-NONE- *-233))))))
+         (. .)) )
+
+
+************** FRASE NEWS-71 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (ADJ~OR primi) (NOU~CP approcci))
+    (ADVP (ADVB non))
+    (VP (VAU~RE sono)
+        (VP (VMA~PA stati)
+            (ADJP-PRD (ADJ~QU esaltanti))))
+      (. .)) )
+
+
+************** FRASE NEWS-72 **************
+
+ ( (S
+    (PP-TMP (PREP Durante)
+        (NP
+            (NP (ART~DE il) (NOU~CS regime))
+            (PP (PREP di)
+                (NP (NOU~PR Hoxha)))))
+       (NP-SBJ (ART~DE gli) (NOU~CP albanesi))
+       (VP (VAU~IM erano)
+           (VP (VAU~PA stati)
+               (VP (VMA~PA nutriti))))
+         (PP (PREP di)
+             (NP
+                 (NP (ART~IN un) (NOU~CS risentimento) (ADJ~QU particolare))
+                 (PP (PREP NEI_CONFRONTI_DI)
+                     (NP (ART~DE dell') (NOU~PR Italia)
+                         (, ,)
+                         (NP
+                             (NP (NOU~CS potenza))
+                             (VP (VMA~PE occupante)
+                                 (NP (-NONE- *))
+                                 (PP-TMP (PREP durante)
+                                     (NP (ART~DE la) (ADJ~OR Seconda) (NOU~CS guerra) (ADJ~QU mondiale)))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-73 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE La) (NOU~CS storia))
+        (NP (PRO~PE ci))
+        (VP (VMA~IM univa)))
+     (, ,)
+     (CONJ ma)
+     (S
+         (ADVP (ADVB anche))
+         (NP (PRO~PE ci))
+         (VP (VMA~IM divideva))
+         (NP-SBJ (-NONE- *-133)))
+      (. .)) )
+
+
+************** FRASE NEWS-74 **************
+
+ ( (S
+    (CONJ E)
+    (NP-SBJ
+        (ADJbar-SBJ (ADJ~IN alcuni)
+            (NP (NOU~CP italiani)))
+         (SBAR
+             (NP-4333 (PRO~RE che))
+             (S
+                 (NP-SBJ (-NONE- *-4333))
+                 (VP (VMA~RA vennero)
+                     (ADVP-LOC (ADVB qui))
+                     (PP-TMP (ADVB appena) (PREP dopo)
+                         (NP
+                             (NP (ART~DE la) (NOU~CS fine))
+                             (PP (PREP dello)
+                                 (NP (ART~DE dello) (NOU~CS stalinismo)))))))))
+            (VP (VMA~RA approfittarono)
+                (PRN
+                    (, ,)
+                    (PP (PREP in)
+                        (NP (ADVB A_VOLTE)
+                            (NP (NOU~CS maniera))
+                            (ADJP
+                                (ADJP (ADJ~QU scorretta))
+                                (CONJ e)
+                                (ADJP (ADVB persino) (ADJ~QU criminale)))))
+                       (, ,))
+                    (PP (PREP di)
+                        (NP (ART~IN un)
+                            (NP (NOU~CS Paese))
+                            (SBAR
+                                (NP-2333 (PRO~RE che))
+                                (S
+                                    (NP-SBJ (-NONE- *-2333))
+                                    (PP-TMP (PREP dopo)
+                                        (NP
+                                            (NP (NUMR 50) (NOU~CP anni))
+                                            (PP (PREP di)
+                                                (NP (NOU~CS oscurantismo)))))
+                                       (NP (PRO~RI si))
+                                       (VP (VMA~IM apriva)
+                                           (PP (PREP al)
+                                               (NP (ART~DE al) (NOU~CS mondo)))))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-75 **************
+
+ ( (S
+    (PP-LOC (PREP Davanti)
+        (PP (PREP all')
+            (NP (ART~DE all') (NOU~CS emergenza) (ADJ~QU umanitaria))))
+      (, ,)
+      (NP-SBJ-633 (ART~DE l') (NOU~PR Italia))
+      (VP (VMA~RA decise)
+          (ADVP (ADVB comunque))
+          (PP (PREP di)
+              (S
+                  (VP (VMA~IN investire)
+                      (PP-LOC (PREP in)
+                          (NP (NOU~PR Albania))))
+                    (NP-SBJ (-NONE- *-633)))))
+           (. .)) )
+
+
+************** FRASE NEWS-76 **************
+
+ ( (ADVP
+    (CONJ E) (ADVB non) (ADVB poco)
+    (. .)) )
+
+
+************** FRASE NEWS-77 **************
+
+ ( (S
+    (PP-TMP (PREP Dal)
+        (NP (ART~DE Dal) (DATE '91))
+        (PP (PREP al)
+            (NP (ART~DE al) (DATE '95))))
+      (VP (VAU~RE sono)
+          (VP (VAU~PA stati)
+              (VP (VMA~PA stanziati))))
+        (NP-SBJ (-NONE- *-833))
+        (NP-EXTPSBJ-833 (NUMR 450) (NOU~CP miliardi))
+        (. .)) )
+
+
+************** FRASE NEWS-78 **************
+
+ ( (S
+    (PP (PREP Oltre)
+        (PP (PREP a)
+            (S
+                (VP (VMA~IN tamponare)
+                    (NP
+                        (NP (ART~DE la) (NOU~CS falla))
+                        (PP (PREP dell')
+                            (NP (ART~DE dell') (NOU~CS ondata) (ADJ~QU migratoria)))))
+                   (NP-SBJ (-NONE- *-933)))))
+          (NP-SBJ-933 (ADJ~DE quei) (NOU~CP soldi))
+          (VP (VAU~RE sono)
+              (VP (VMA~PA serviti)
+                  (PRN
+                      (, ,)
+                      (PP-TMP (PREP dopo)
+                          (NP
+                              (NP (ART~IN una) (ADJ~OR prima) (NOU~CS fase))
+                              (PP (PREP di)
+                                  (NP (NOU~CP sprechi)))))
+                         (, ,))
+                      (PP
+                          (PP (PREP a)
+                              (S
+                                  (VP (VMA~IN rifare)
+                                      (NP (ART~DE la)
+                                          (NP (NOU~CS rete) (ADJ~QU elettrica))
+                                          (, ,)
+                                          (NP (PRO~DE quella) (ADJ~QU idrica))))
+                                    (NP-SBJ (-NONE- *))))
+                              (, ,)
+                              (PP (PREP a)
+                                  (S
+                                      (VP (VMA~IN rendere)
+                                          (ADJP-PRD (ADJ~QU percorribili))
+                                          (NP
+                                              (NP (ADJ~IN alcune) (NOU~CP strade))
+                                              (CONJ e)
+                                              (NP (ART~DE la) (NOU~CS ferrovia)
+                                                  (NP (NOU~PR Tirana)
+                                                      (PUNCT -) (NOU~PR Durazzo)))))
+                                          (NP-SBJ (-NONE- *)))))))
+                           (. .)) )
+
+
+************** FRASE NEWS-79 **************
+
+ ( (S
+    (ADVP (ADVB Insieme))
+    (VP (VAU~RE sono)
+        (VP (VMA~PA arrivati)
+            (NP-EXTPSBJ-433 (ART~DE gli) (NOU~CP investimenti) (ADJ~QU privati))))
+      (NP-SBJ (-NONE- *-433))
+      (. .)) )
+
+
+************** FRASE NEWS-80 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE Le) (NOU~CP cifre))
+        (ADVP (ADVB non))
+        (VP (VMA~RE sono)
+            (ADJP-PRD (ADJ~QU concordi))))
+      (CONJ ma)
+      (S
+          (NP-SBJ (PRO~RI si))
+          (VP (VMA~RE parla)
+              (PP
+                  (PP (PREP di)
+                      (NP
+                          (PUNCT -)
+                          (NP (NUMR 250) (NUMR 300) (NOU~CP milioni))
+                          (PP (PREP di)
+                              (NP (NOU~CP dollari)))))
+                     (, ,)
+                     (PP
+                         (PP (PREP di)
+                             (NP
+                                 (ADVP (ADVB circa))
+                                 (NP (NUMR 30)
+                                     (NP (NOU~CP dipendenti) (ADJ~QU diretti))
+                                     (CONJ e)
+                                     (NP
+                                         (NP (NUMR mila) (PRO~ID altrettanti))
+                                         (PP (PREP nell')
+                                             (NP (ART~DE nell') (NOU~CS indotto)))))))
+                              (CONJ e)
+                              (PP (PREP di)
+                                  (NP
+                                      (NP (ART~IN una) (NOU~CS quota))
+                                      (PP (PREP del)
+                                          (NP (ART~DE del) (NUMR 60) (SPECIAL %)
+                                              (PP (PREP sul)
+                                                  (NP
+                                                      (NP (ART~DE sul) (NOU~CS totale))
+                                                      (PP (PREP del)
+                                                          (NP (ART~DE del) (NOU~CS commercio) (ADJ~QU estero) (ADJ~QU albanese)))))))))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-81 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE L') (NOU~PR Italia))
+    (VP (VMA~RE ha)
+        (ADVP (ADVB quindi))
+        (NP
+            (NP (NOU~CP interessi))
+            (PP (PREP di)
+                (NP (ADJ~OR primo) (NOU~CS piano)))
+             (SBAR
+                 (S
+                     (PP (PREP tra)
+                         (NP (PRO~RE cui)))
+                      (VP (-NONE- *)
+                          (NP-EXTPSBJ-1133
+                              (NP (PRO~DE quello))
+                              (PP (PREP di)
+                                  (S
+                                      (VP (VMA~IN contribuire)
+                                          (PP (PREP ad)
+                                              (S
+                                                  (VP (VMA~IN assicurare)
+                                                      (NP
+                                                          (NP (ART~DE la) (NOU~CA stabilita'))
+                                                          (PP (PREP del)
+                                                              (NP (ART~DE del) (NOU~CS Paese)))))
+                                                     (NP-SBJ (-NONE- *-13.1033)))))
+                                            (NP-SBJ-13.1033 (-NONE- *-133))))))
+                                (NP-SBJ (-NONE- *-1133))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-82 **************
+
+ ( (S
+    (NP-SBJ-133 (PRO~DE Questo))
+    (ADVP (ADVB non))
+    (VP (VMO~RE vuol)
+        (S
+            (VP (VMA~IN dire)
+                (S
+                    (VP
+                        (VP (VMA~IN-533 appoggiare)
+                            (NP (ART~IN un) (NOU~CS Governo))
+                            (PP (PREP piuttosto)
+                                (CONJ che)
+                                (VP (-NONE- *-533)
+                                    (NP (ART~IN un) (PRO~ID altro)))))
+                           (CONJ ma)
+                           (S
+                               (VP (VMA~IN fornire)
+                                   (PRN
+                                       (, ,)
+                                       (PP (PREP insieme)
+                                           (PP
+                                               (PP (PREP ai)
+                                                   (NP (ART~DE ai) (NOU~CA partner) (ADJ~QU europei)))
+                                                (CONJ e)
+                                                (PP (PREP alle)
+                                                    (NP (ART~DE alle) (NOU~CP istituzioni) (ADJ~QU internazionali)))))
+                                           (, ,))
+                                        (NP (ART~DE l')
+                                            (NP (NOU~CS assistenza))
+                                            (ADJP
+                                                (ADJP (ADJ~QU tecnica))
+                                                (CONJ e)
+                                                (ADJP (ADJ~QU finanziaria)))
+                                             (ADJP (ADJ~QU necessaria)
+                                                 (PP (PREP per)
+                                                     (S
+                                                         (S
+                                                             (VP (VMA~IN uscire)
+                                                                 (PP (PREP dal)
+                                                                     (NP
+                                                                         (NP (ART~DE dal) (NOU~CA crack))
+                                                                         (PP (PREP delle)
+                                                                             (NP (ART~DE delle)
+                                                                                 (' ') (NOU~CP piramidi)
+                                                                                 (' '))))))
+                                                                  (NP-SBJ (-NONE- *)))
+                                                               (, ,)
+                                                               (S
+                                                                   (VP (VMA~IN prevenire)
+                                                                       (NP
+                                                                           (NP (ART~IN un') (NOU~CS esplosione) (ADJ~QU sociale))
+                                                                           (CONJ e)
+                                                                           (NP (ART~IN una) (ADJ~OR seconda) (NOU~CS ondata) (ADJ~QU migratoria))))
+                                                                     (NP-SBJ (-NONE- *))))))))
+                                                   (NP-SBJ (-NONE- *))))
+                                             (NP-SBJ (-NONE- *))))
+                                       (NP-SBJ (-NONE- *-133))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-83 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (ADJ~DE questo) (NOU~CS obiettivo)))
+     (VP (VMA~RE sembra)
+         (S-EXTPSBJ-2333
+             (NP (PRO~RI si))
+             (VP (VAU~CG stia)
+                 (VP-733 (VMA~GE muovendo)
+                     (NP-EXTPSBJ-833 (ART~DE la)
+                         (NP (NOU~CS diplomazia))
+                         (ADJP
+                             (ADJP (ADJ~QU italiana))
+                             (CONJ e)
+                             (ADJP (ADJ~QU internazionale)))))) (-NONE- *-)
+                 (NP-SBJ (-NONE- *-833))))
+           (VP-SBJ (-NONE- *-733))
+           (. .)) )
+
+
+************** FRASE NEWS-84 **************
+
+ ( (S
+    (VP (VMA~IN Spingere)
+        (NP-233 (ART~DE il) (NOU~CS presidente)
+            (NP (NOU~PR Sali) (NOU~PR Berisha)))
+         (PP
+             (PP (PREP al)
+                 (NP
+                     (NP (ART~DE al) (NOU~CS dialogo))
+                     (PP (PREP con)
+                         (NP
+                             (NP (ART~DE le) (NOU~CP opposizioni))
+                             (CONJ e)
+                             (NP
+                                 (NP (ART~DE i) (NOU~CP partiti))
+                                 (PP (PREP del)
+                                     (NP (ART~DE del) (NOU~PR Forum)
+                                         (, ,)
+                                         (SBAR
+                                             (NP-1333 (PRO~RE che))
+                                             (S
+                                                 (NP-SBJ (-NONE- *-1333))
+                                                 (VP (VMA~RE riunisce)
+                                                     (PP (PREP dagli)
+                                                         (NP (ART~DE dagli) (ADJ~QU ex) (NOU~CP comunisti))
+                                                         (PP (PREP alla)
+                                                             (NP (ART~DE alla) (NOU~CS destra))))))))))))))
+                         (, ,)
+                         (PP (PREP a)
+                             (S
+                                 (VP (VMA~IN ritornare)
+                                     (PP-LOC (PREP in)
+                                         (NP (NOU~CS Parlamento)))
+                                      (PP-TMP (PREP dopo)
+                                          (NP (ART~IN un) (NOU~PR Aventino)
+                                              (SBAR
+                                                  (NP-3333 (PRO~RE che))
+                                                  (S
+                                                      (NP-SBJ (-NONE- *-3333))
+                                                      (VP (VMA~RE dura)
+                                                          (PP-TMP (PREP da)
+                                                              (NP (ADVB oltre) (NUMR sei) (NOU~CP mesi)))))))))
+                                         (NP-SBJ (-NONE- *-233))))))
+                             (NP-SBJ (-NONE- *))
+                             (. .)) )
+
+
+************** FRASE NEWS-85 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (NP-SBJ (ART~DE gli) (NOU~PR STATI_UNITI)
+            (PRN
+                (, ,)
+                (SBAR
+                    (NP-6333 (PRO~RE che))
+                    (S
+                        (NP-SBJ (-NONE- *-6333))
+                        (VP (VAU~RE hanno)
+                            (VP (VMA~PA attaccato)
+                                (ADVP (ADVB duramente))
+                                (NP (NOU~PR Berisha))
+                                (CONJ dopo)
+                                (S
+                                    (VP (VAU~IN averlo)
+                                        (VP (VMA~PA sostenuto)
+                                            (NP-EXTPSBJ-13.1033 (NOU~PR STATI_UNITI))
+                                            (PP-TMP (PREP per)
+                                                (NP (NOU~CP anni)))))
+                                       (NP (PRO~PE averlo))
+                                       (NP-SBJ (-NONE- *-13.1033)))))))
+                        (, ,)))
+                  (VP (VMA~FU appoggeranno)
+                      (NP (ADJ~DE questa) (NOU~CS azione))))
+                (, ,)
+                (ADVP (ADVB forse))
+                (NP-SBJ-2233 (ART~DE la) (NOU~CS situazione) (ADJ~QU albanese))
+                (VP (VMO~RE puo')
+                    (S
+                        (VP (VMA~IN trovare)
+                            (NP (ART~IN una)
+                                (NP (NOU~CS soluzione))
+                                (ADJP (ADVB non) (ADJ~QU traumatica))))))
+                    (NP-SBJ (-NONE- *-2233))
+                    (. .)) )
+
+
+************** FRASE NEWS-86 **************
+
+ ( (S
+    (ADVP (ADVB Altrimenti))
+    (PRN
+        (, ,)
+        (PP (PREP insieme)
+            (PP (PREP al)
+                (NP
+                    (NP (ART~DE al) (NOU~CS crollo))
+                    (VP (VMA~PA annunciato)
+                        (NP (-NONE- *)))
+                     (PP (PREP di)
+                         (NP (ADJ~DI altre)
+                             (' ') (NOU~CP piramidi)
+                             (' ') (ADJ~QU finanziarie))))))
+              (, ,))
+           (NP (PRO~RI si))
+           (VP (VMA~FU aprira')
+               (NP
+                   (NP (ART~IN un) (ADJ~QU nuovo) (NOU~CS capitolo))
+                   (PP (PREP di)
+                       (NP (NOU~CS anarchia) (ADJ~QU balcanica)))))
+              (. .)) )
+
+
+************** FRASE NEWS-87 **************
+
+ ( (S
+    (VP (VMA~IM Era)
+        (NP-PRD
+            (NP (ART~DE la) (NOU~CS notte))
+            (PP (PREP del)
+                (NP (ART~DE del) (NUMR 13) (NOU~CS gennaio))))
+          (CONJ quando)
+          (S
+              (PP-LOC (PREP da) (ADVB qui))
+              (VP (VAU~RE e')
+                  (VP (VMA~PA partito)
+                      (NP-EXTPSBJ-1233 (ART~IN un)
+                          (NP (NOU~CS motoscafo))
+                          (VP (VMA~PA diretto)
+                              (NP (-NONE- *))
+                              (PP-LOC (PREP verso)
+                                  (NP (ART~DE la) (NOU~CS costa) (ADJ~QU italiana)))
+                               (PP (PREP con)
+                                   (NP
+                                       (NP (NUMR 130) (NOU~CP milioni))
+                                       (PP (PREP di)
+                                           (NP (NOU~CP dollari)))
+                                        (PP (PREP a)
+                                            (NP (NOU~CS bordo)))))))))
+                       (NP-SBJ (-NONE- *-1233))))
+                 (NP-SBJ (-NONE- *))
+                 (. .)) )
+
+
+************** FRASE NEWS-88 **************
+
+ ( (S
+    (NP-TMP (NUMR Due) (NOU~CP giorni) (ADVB dopo))
+    (NP-SBJ (NOU~PR Sudja) (NOU~PR Kademi)
+        (PRN
+            (, ,)
+            (NP (ART~DE la)
+                (' ') (NOU~CS zingara)
+                (' '))
+             (, ,)))
+       (VP (VMA~IM annunciava)
+           (PP (PREP agli)
+               (NP (ART~DE agli) (NOU~CP albanesi)))
+            (CONJ che)
+            (S
+                (NP-SBJ (ART~DE la) (ADJ~PO sua) (NOU~CS piramide) (ADJ~QU finanziaria))
+                (VP (VAU~IM era)
+                    (VP (VMA~PA fallita)))))
+           (. .)) )
+
+
+************** FRASE NEWS-89 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS malloppo))
+    (VP (VAU~RE e')
+        (VP (VMA~PA sparito)
+            (ADVP (ADVB cosi'))
+            (, ,)
+            (PP-LOC (PREP sulle)
+                (NP
+                    (NP (ART~DE sulle) (NOU~CP onde))
+                    (PP (PREP dell')
+                        (NP (ART~DE dell') (NOU~PR Adriatico)))))))
+         (. .)) )
+
+
+************** FRASE NEWS-90 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (NOU~PR Shaban))
+        (VP (VMA~RE e')
+            (NP-PRD
+                (NP (ART~IN uno)
+                    (' ') (NOU~CS scafista)
+                    (' '))
+                 (PP (PREP di)
+                     (NP (NOU~PR Valona))))))
+         (CONJ e)
+         (S
+             (VP (VMA~RE sa)
+                 (PP (PREP di)
+                     (S
+                         (VP (VMA~IN raccontare)
+                             (NP (ART~IN una)
+                                 (NP (NOU~CS storia))
+                                 (SBAR
+                                     (S
+                                         (NP (PRO~RE che))
+                                         (PP-LOC (PREP nella)
+                                             (NP (ART~DE nella) (NOU~CA citta') (ADJ~QU ribelle)))
+                                          (ADVP-TMP (ADVB ormai))
+                                          (VP (VMA~RE conoscono)
+                                              (NP-EXTPSBJ-2133 (PRO~ID tutti)))
+                                           (NP-SBJ (-NONE- *-2133))))))
+                               (NP-SBJ (-NONE- *-10.1033)))))
+                      (NP-SBJ-10.1033 (-NONE- *-133)))
+                   (. .)) )
+
+
+************** FRASE NEWS-91 **************
+
+ ( (S
+    (NP-133 (ART~DE La) (NOU~CS zingara))
+    (PUNCT -)
+    (VP (VMA~RE continua)
+        (PUNCT -)
+        (S
+            (VP
+                (VP (VMA~IM prometteva)
+                    (NP
+                        (NP (NOU~CP interessi))
+                        (PP (PREP del)
+                            (NP (ART~DE del) (NUMR 50) (SPECIAL %)
+                                (PP (PREP al)
+                                    (NP (ART~DE al) (NOU~CS mese)))
+                                 (PP (PREP sui)
+                                     (NP (ART~DE sui)
+                                         (NP (NOU~CP soldi))
+                                         (VP (VMA~PA versati)
+                                             (NP (-NONE- *))
+                                             (PP-LOC (PREP nella)
+                                                 (NP (ART~DE nella) (ADJ~PO sua) (NOU~CS piramide))))))))))
+                         (CONJ e)
+                         (S
+                             (VP (VMA~IM continuava)
+                                 (PP (PREP a)
+                                     (S
+                                         (VP (VMA~IN ripetere)
+                                             (PP (PREP a)
+                                                 (NP-2433 (PRO~ID tutti)))
+                                              (PP (PREP di)
+                                                  (S
+                                                      (VP (VMA~IN stare)
+                                                          (ADJP-PRD (ADJ~QU tranquilli)))
+                                                       (NP-SBJ (-NONE- *-2433)))))
+                                              (NP-SBJ (-NONE- *-20.1033)))))
+                                     (NP-SBJ-20.1033 (-NONE- *-6.1033))))
+                               (NP-SBJ-6.1033 (-NONE- *-133))))
+                         (NP-SBJ (-NONE- *))
+                         (. .)) )
+
+
+************** FRASE NEWS-92 **************
+
+ ( (S
+    (' ')
+    (PP-233 (PREP Dietro)
+        (PP (PREP di)
+            (NP-433 (PRO~PE me))))
+      (, ,)
+      (VP (VMA~IM diceva)
+          (, ,)
+          (S
+              (NP-LOC (PRO~LO c'))
+              (VP (VMA~RE e')
+                  (NP-EXTPSBJ-1033 (ART~IN una) (NOU~CS persona) (ADJ~QU competente)))
+               (NP-SBJ (-NONE- *-1033))))
+         (NP-SBJ (-NONE- *-433))
+         (' ')
+         (. .)) )
+
+
+************** FRASE NEWS-93 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP (ADJ~IR quale) (NOU~CS competenza))
+    (PUNCT -)
+    (VP (VMA~RE ride)
+        (ADJP-PRD-633 (ADJ~QU amaro))
+        (NP-EXTPSBJ-733 (NOU~PR Shaban))
+        (PUNCT -)
+        (S
+            (NP-SBJ (PRO~PE io))
+            (NP-LOC (PRO~LO ci))
+            (VP (VAU~RE ho)
+                (VP (VMA~PA rimesso) (NUMR 140)))))
+       (NP-SBJ (-NONE- *-733))
+       (. .)) )
+
+
+************** FRASE NEWS-94 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE I) (NOU~CP soldi))
+            (PP (PREP delle)
+                (NP (ART~DE delle) (NOU~CP finanziarie))))
+          (VP (VAU~RE hanno)
+              (VP (VMA~PA fatto)
+                  (NP
+                      (NP (ART~DE il) (NOU~CS giro))
+                      (PP (PREP di)
+                          (NP (ADJ~IN molte) (NOU~CP tasche)))))))
+           (CONJ e)
+           (S
+               (VP
+                   (CONJ dopo)
+                   (S
+                       (VP (VAU~IN aver)
+                           (VP (VMA~PA lasciato)
+                               (ADJP-PRD (ADJ~QU AL_VERDE))
+                               (NP
+                                   (NP (PRO~DE quelle))
+                                   (PP (PREP di)
+                                       (NP
+                                           (ADJP
+                                               (ADJP (ADJ~QU ingenui))
+                                               (CONJ e)
+                                               (ADJP (ADJ~QU onesti)))
+                                            (NP (NOU~CP risparmiatori))
+                                            (PRN
+                                                (-LRB- -LRB-)
+                                                (CONJ ma)
+                                                (S
+                                                    (PP (PREP fra)
+                                                        (NP (PRO~DE questi)))
+                                                     (ADVP (ADVB non))
+                                                     (NP-LOC (PRO~LO ci))
+                                                     (VP (VMA~RE sono)
+                                                         (ADVP (ADVB sicuramente))
+                                                         (NP-EXTPSBJ-3233
+                                                             (NP (ART~DE gli) (NOU~CP scafisti))
+                                                             (PP (PREP di)
+                                                                 (NP (NOU~PR Valona)))))
+                                                        (NP-SBJ (-NONE- *-3233)))
+                                                     (-RRB- -RRB-)))))))
+                                   (NP-SBJ (-NONE- *-39.1033)))
+                                (VP (VAU~RE sono)
+                                    (ADVP (ADVB anche))) (VMA~PA finiti)
+                                 (PP-LOC (PREP nel)
+                                     (NP
+                                         (NP (ART~DE nel) (NOU~CS circuito))
+                                         (PP (PREP della)
+                                             (NP (ART~DE della)
+                                                 (NP (NOU~CS malavita) (ADJ~QU organizzata))
+                                                 (ADJP
+                                                     (ADJP (ADJ~QU albanese))
+                                                     (CONJ e)
+                                                     (ADJP (ADJ~QU italiana))))))))
+                                   (NP-SBJ-39.1033 (-NONE- *-133)))
+                                (. .)) )
+
+
+************** FRASE NEWS-95 **************
+
+ ( (S
+    (PP-LOC (PREP Da)
+        (NP (NOU~PR Valona)
+            (CONJ e) (NOU~PR Tirana)))
+      (PRN
+          (, ,)
+          (PP
+              (PP (PREP in)
+                  (NP (NOU~CS aereo)))
+               (CONJ o)
+               (PP (PREP con)
+                   (NP (NOU~CP barche) (ADJ~QU veloci))))
+             (, ,))
+          (VP (VMA~IM arrivavano)
+              (PP-LOC (PREP alle)
+                  (NP
+                      (NP (ART~DE alle) (NOU~CP dogane))
+                      (PP (PREP di)
+                          (NP (NOU~PR Bari)
+                              (CONJ e) (NOU~PR Brindisi)))))
+                  (NP-EXTPSBJ-2333
+                      (NP (NOU~CP valigette)) (-NONE- *-)
+                      (ADJP (ADJ~QU piene)
+                          (PP (PREP di)
+                              (NP (NOU~CP contanti))))
+                        (, ,)
+                        (VP (VMA~PA trasportate)
+                            (NP (-NONE- *))
+                            (PP-LGS (PREP da)
+                                (NP
+                                    (NP (NOU~CP dipendenti))
+                                    (CONJ o)
+                                    (NP
+                                        (NP (NOU~CA portaborse))
+                                        (PP (PREP delle)
+                                            (NP (ART~DE delle)
+                                                (NP (NOU~CP finanziarie))
+                                                (VP (VMA~PA fallite)
+                                                    (NP (-NONE- *)))))))))))
+                         (NP-SBJ (-NONE- *-2033))
+                         (. .)) )
+
+
+************** FRASE NEWS-96 **************
+
+ ( (S
+    (PP (PREP Alla)
+        (NP (ART~DE Alla) (NOU~CS dogana)))
+     (VP (VMA~IM dichiaravano)
+         (CONJ che)
+         (S
+             (VP (VAU~IM stavano)
+                 (VP (VMA~GE concludendo)
+                     (NP (ART~IN un) (NOU~CS affare))
+                     (PP (PREP con)
+                         (NP (NOU~CA societa') (ADJ~QU italiane)))))
+                (NP-SBJ (-NONE- *-3.1033)))
+             (, ,)
+             (S
+                 (VP (VMA~GE esibendo)
+                     (PP (PREP ai)
+                         (NP (ART~DE ai) (NOU~CP controlli)))
+                      (NP
+                          (NP (NOU~CP documenti))
+                          (SBAR
+                              (NP-1333 (PRO~RE che))
+                              (S
+                                  (NP-SBJ (-NONE- *-1333))
+                                  (VP (VMA~IM apparivano)
+                                      (ADJP-PRD (ADJ~QU regolari)))))))
+                       (NP-SBJ (-NONE- *-3.1033))))
+                 (NP-SBJ-3.1033 (-NONE- *))
+                 (. .)) )
+
+
+************** FRASE NEWS-97 **************
+
+ ( (S
+    (NP-SBJ (PRO~RI Si))
+    (VP (VMA~IM riciclava)
+        (NP (NOU~CS denaro) (ADJ~QU sporco))
+        (PP (PREP con)
+            (NP (ADJ~IN diversi) (NOU~CP sistemi))))
+      (. .)) )
+
+
+************** FRASE NEWS-98 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Le) (NOU~CP piramidi))
+    (PRN
+        (, ,)
+        (ADVP (ADVB PER_ESEMPIO))
+        (, ,))
+     (VP (VMA~IM investivano)
+         (S
+             (VP (VMA~GE acquistando)
+                 (NP
+                     (NP (NOU~CP immobili))
+                     (, ,)
+                     (NP
+                         (NP (NOU~CP terreni))
+                         (CONJ ed)
+                         (NP
+                             (NP (ADJ~QU ex) (NOU~CP aziende))
+                             (PP (PREP di)
+                                 (NP (NOU~CS Stato))))))
+                     (, ,)
+                     (PP (PREP a)
+                         (NP (ART~IN un)
+                             (NP (NOU~CS valore) (ADJ~QU nominale))
+                             (S
+                                 (S
+                                     (NP-2333 (PRO~RE che) (-NONE- *-))
+                                     (S
+                                         (NP-SBJ-2233 (-NONE- *-2333))
+                                         (PP (PREP sulla)
+                                             (NP (ART~DE sulla) (NOU~CS carta)))
+                                          (VP (VMA~IM-2533 era)
+                                              (NP-PRD (NUMR cento)))))
+                                     (CONJ ma)
+                                     (S
+                                         (VP (-NONE- *-2533)
+                                             (ADVP (ADVB IN_REALTÀ))
+                                             (ADVP-TMP (ADVB spesso))
+                                             (ADJP-PRD
+                                                 (NP (NUMR dieci) (NOU~CP volte)) (ADJ~QU inferiore)))
+                                           (NP-SBJ (-NONE- *-2233)))))))
+                            (NP-SBJ (-NONE- *-133))))
+                      (. .)) )
+
+
+************** FRASE NEWS-99 **************
+
+ ( (NP
+    (NP (NOU~CP Operazioni))
+    (VP (VMA~PA gonfiate)
+        (NP (-NONE- *)))
+     (SBAR
+         (NP-3333 (PRO~RE che))
+         (S
+             (NP-SBJ (-NONE- *-3333))
+             (VP (VMA~IM giustificavano)
+                 (NP
+                     (NP (ART~DE il) (NOU~CS passaggio))
+                     (PP (PREP di)
+                         (NP
+                             (NP (ADJ~QU forti) (NOU~CP somme))
+                             (PP (PREP di)
+                                 (NP (NOU~CS denaro)))))
+                        (PP-LOC
+                            (PP (PREP da)
+                                (NP (ART~IN una) (NOU~CA societa'))
+                                (PP-LOC (PREP all')
+                                    (NP (ART~DE all') (PRO~ID altra))))
+                              (, ,)
+                              (PP
+                                  (PP (PREP da)
+                                      (NP (ART~IN una) (NOU~CS mano))
+                                      (PP-LOC (PREP all')
+                                          (NP (ART~DE all') (PRO~ID altra))))
+                                    (, ,)
+                                    (PP (PREP da)
+                                        (NP (ART~IN un) (NOU~CS Paese))
+                                        (PP-LOC (PREP all')
+                                            (NP (ART~DE all') (PRO~ID altro))))))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-100 **************
+
+ ( (S
+    (PP-LOC (PREP Nella)
+        (NP (ART~DE Nella)
+            (NP-233
+                (NP (NOU~CS nazione))
+                (ADJP (ADVB piu') (ADJ~QU povera))
+                (PP (PREP d')
+                    (NP (NOU~PR Europa))))
+              (CONJ e)
+              (NP (-NONE- *-233)
+                  (PP (PREP con)
+                      (NP (ART~IN un')
+                          (NP (NOU~CS economia))
+                          (ADVP-TMP (ADVB appena))
+                          (VP (VMA~PA avviata)
+                              (NP (-NONE- *))
+                              (PP (PREP a)
+                                  (S
+                                      (VP (VMA~IN uscire)
+                                          (PP-LOC (PREP dalle)
+                                              (NP
+                                                  (NP (ART~DE dalle) (NOU~CP tenebre))
+                                                  (PP (PREP del)
+                                                      (NP (ART~DE del) (NOU~CS sottosviluppo))))))
+                                          (NP-SBJ (-NONE- *-12.1033))))))))))
+                  (, ,)
+                  (VP (VMA~IM circolavano)
+                      (NP-EXTPSBJ-2133 (NOU~CP capitali) (ADJ~QU ingenti)))
+                   (NP-SBJ (-NONE- *-2133))
+                   (. .)) )
+
+
+************** FRASE NEWS-101 **************
+
+ ( (S
+    (S
+        (VP
+            (PP (PREP Da)
+                (NP (NOU~PR Tirana)))
+             (VP (VAU~RE ho)
+                 (VP (VMA~PA avuto)
+                     (NP
+                         (NP (NOU~CP proposte))
+                         (PP (PREP di)
+                             (NP (NOU~CP affari)))
+                          (PP (PREP da)
+                              (NP
+                                  (NP (NUMR 100) (NOU~CP milioni))
+                                  (PP (PREP di)
+                                      (NP (NOU~CP dollari))))))))
+                    (CONJ ma)
+                    (S
+                        (NP (PRO~PE le))
+                        (VP (VAU~RE ho)
+                            (VP (VMA~PA respinte)))
+                         (NP-SBJ (-NONE- *-4.1033))))
+                   (NP-SBJ-4.1033 (-NONE- *)))
+                (, ,)
+                (VP (VMA~RE dichiara)
+                    (NP-EXTPSBJ-1933
+                        (NP (ART~IN un) (NOU~CS funzionario))
+                        (PP (PREP di)
+                            (NP (ART~IN una) (NOU~CS banca) (ADJ~QU europea)))
+                         (, ,)
+                         (VP (VMA~PA insospettito)
+                             (NP (-NONE- *))
+                             (PP-LGS (PREP dal)
+                                 (NP
+                                     (NP (ART~DE dal) (NOU~CS volume))
+                                     (PP (PREP di)
+                                         (NP
+                                             (NP (NOU~CP operazioni))
+                                             (ADJP (ADVB decisamente) (ADJ~QU sproporzionate)
+                                                 (PP (PREP rispetto)
+                                                     (PP (PREP ai)
+                                                         (NP
+                                                             (NP (ART~DE ai) (NOU~CP bilanci))
+                                                             (PP (PREP degli)
+                                                                 (NP
+                                                                     (NP (ART~DE degli) (NOU~CP istituti) (ADJ~QU locali))
+                                                                     (PP (PREP di)
+                                                                         (NP (NOU~CS credito))))))))))))))))
+                               (NP-SBJ (-NONE- *-1933))
+                               (. .)) )
+
+
+************** FRASE NEWS-102 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE È)
+            (ADJP-PRD (ADJ~QU certo))
+            (CONJ che)
+            (S
+                (PP (PREP in)
+                    (NP (ADJ~DE questo) (NOU~CS giro)))
+                 (NP-LOC (PRO~LO ci))
+                 (VP (VAU~RE sono)
+                     (VP (VMA~PA stati)
+                         (NP-EXTPSBJ-2333
+                             (NP (NOU~CP soldi)) (-NONE- *-)
+                             (VP (VMA~PA riciclati)
+                                 (NP (-NONE- *))))))
+                     (NP-SBJ (-NONE- *-1033)))))
+            (, ,)
+            (CONJ e)
+            (S
+                (ADVP (ADVB forse))
+                (ADVP (ADVB non))
+                (VP (VMA~RE e')
+                    (NP-PRD (ART~IN un) (NOU~CS caso))
+                    (CONJ che)
+                    (S
+                        (NP-SBJ
+                            (NP (PRDT tutti) (ART~DE i) (NOU~CP finanzieri))
+                            (PP (PREP d')
+                                (NP (NOU~CS assalto))))
+                          (VP (VMA~IM provenissero)
+                              (PP-LOC (PREP da)
+                                  (NP (NOU~PR Valona)))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-103 **************
+
+ ( (S
+    (NP (PRO~PE Lo))
+    (VP (VMA~RE dichiara)
+        (NP-EXTPSBJ-2333 (NOU~PR Dashim) (-NONE- *-) (NOU~PR Shehi)
+            (PRN
+                (, ,)
+                (NP
+                    (NP (NOU~CS presidente))
+                    (PP (PREP della)
+                        (NP (ART~DE della) (NOU~CS commissione) (NOU~PR Industria))))
+                  (, ,))
+               (VP (VMA~PA eletto)
+                   (NP (-NONE- *))
+                   (ADVP-LOC (ADVB qui))
+                   (NP-PRD (NOU~CS deputato))
+                   (PP-LOC (PREP nelle)
+                       (NP
+                           (NP (ART~DE nelle) (NOU~CP file))
+                           (PP (PREP del)
+                               (NP
+                                   (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU democratico))
+                                   (PP (PREP del)
+                                       (NP (ART~DE del) (NOU~CS presidente)
+                                           (NP (NOU~PR Sali) (NOU~PR Berisha)))))))))))
+                (NP-SBJ (-NONE- *-333))
+                (. .)) )
+
+
+************** FRASE NEWS-104 **************
+
+ ( (S
+    (PP-133 (PREP Sulla)
+        (NP (ART~DE Sulla)
+            (NP (NOU~CS rete))
+            (VP (VMA~PA impiantata)
+                (NP (-NONE- *))
+                (PP (PREP per)
+                    (S
+                        (VP (VMA~IN trasferire)
+                            (NP (ART~DE gli) (NOU~CP emigrati) (ADJ~QU clandestini))
+                            (PP-LOC (PREP in)
+                                (NP (NOU~PR Italia))))
+                          (NP-SBJ (-NONE- *)))))))
+           (PUNCT -)
+           (VP (VMA~RE continua)
+               (NP-EXTPSBJ-1333 (NOU~PR Shehi))
+               (PUNCT -)
+               (S
+                   (VP (VAU~RE e')
+                       (VP (VAU~PA stato)
+                           (VP (VMA~PA costruito))))
+                     (PP-LOC (-NONE- *-133))
+                     (NP-SBJ (-NONE- *-1833))
+                     (NP-EXTPSBJ-1833 (ART~IN un)
+                         (NP (NOU~CA network))
+                         (SBAR
+                             (NP-2333 (PRO~RE che) (-NONE- *-))
+                             (S
+                                 (NP-SBJ-2033 (-NONE- *-2333))
+                                 (VP (VAU~RE e')
+                                     (VP (VMA~PA servito)
+                                         (PP (PREP a)
+                                             (S
+                                                 (VP (VMA~IN sostenere)
+                                                     (NP (ADJ~DI altri) (NOU~CP traffici) (ADJ~QU illegali)
+                                                         (, ,)
+                                                         (NP
+                                                             (NP
+                                                                 (NP (ADVB anche) (ART~DE il) (NOU~CS lavaggio))
+                                                                 (PP (PREP di)
+                                                                     (NP (NOU~CP soldi) (ADJ~QU sporchi))))
+                                                               (CONJ e)
+                                                               (NP
+                                                                   (NP (ART~DE le) (NOU~CP esportazioni) (ADJ~QU illecite))
+                                                                   (PP (PREP di)
+                                                                       (NP (NOU~CP capitali)))))))
+                                                        (NP-SBJ (-NONE- *-2033)))))))))))
+                             (NP-SBJ (-NONE- *-1333))
+                             (. .)) )
+
+
+************** FRASE NEWS-105 **************
+
+ ( (S
+    (CONJ E)
+    (VP (VMA~RE aggiunge)
+        (NP-EXTPSBJ-333 (ART~DE il) (NOU~CS deputato)))
+     (NP-SBJ (-NONE- *-333))
+     (: :)) )
+
+
+************** FRASE NEWS-106 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE la) (NOU~CS rete))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP clandestini))))
+      (ADVP-TMP (ADVB ormai))
+      (VP (VMA~RE e')
+          (ADJP-PRD (ADJ~QU impossibile)
+              (PP (PREP da)
+                  (S
+                      (VP (VMA~IN smantellare)
+                          (NP (-NONE- *-133)))
+                       (NP-SBJ (-NONE- *))))))
+           (. .)) )
+
+
+************** FRASE NEWS-107 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Gli) (NOU~CP scafisti))
+        (PP (PREP di)
+            (NP (NOU~PR Valona))))
+      (VP (VAU~RE hanno)
+          (VP (VMA~PA avuto)
+              (NP (ART~IN un) (NOU~CS ruolo) (ADJ~QU importante))
+              (PP-LOC (PREP nella)
+                  (NP (ART~DE nella) (NOU~CS bolla) (ADJ~QU finanziaria) (ADJ~QU albanese)))))
+         (. .)) )
+
+
+************** FRASE NEWS-108 **************
+
+ ( (S
+    (VP (VMA~IM Erano)
+        (NP-EXTPSBJ-233 (PRO~PE loro))
+        (NP-PRD
+            (NP (PRO~DE quelli))
+            (SBAR
+                (NP-4333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-4333))
+                    (PP-LOC (PREP in)
+                        (NP (NOU~CA citta')))
+                     (VP (VMA~IM guadagnavano)
+                         (ADVP (ADVB DI_PIÙ)))))))
+          (NP-SBJ (-NONE- *-233))
+          (. .)) )
+
+
+************** FRASE NEWS-109 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (PRO~ID Tutti))
+        (NP (PRO~PE li))
+        (VP (VMA~IM conoscevano)))
+     (, ,)
+     (S
+         (VP
+             (VP (VMA~IM sapevano)
+                 (CONJ che)
+                 (S
+                     (VP (VMA~IM investivano)
+                         (PP-LOC (PREP nelle)
+                             (NP (ART~DE nelle) (NOU~CP piramidi))))
+                       (NP-SBJ (-NONE- *-5.1033))))
+                 (CONJ e)
+                 (S
+                     (NP-SBJ (PRO~ID molti))
+                     (NP (PRO~PE li))
+                     (VP (VAU~RE hanno)
+                         (VP (VMA~PA imitati)))))
+                (NP-SBJ-5.1033 (-NONE- *-133)))
+             (. .)) )
+
+
+************** FRASE NEWS-110 **************
+
+ ( (S
+    (PP-TMP (PREP All')
+        (NP
+            (NP (ART~DE All') (NOU~CS inizio))
+            (PP (PREP dell')
+                (NP (ART~DE dell')
+                    (" ") (NOU~CA attivita')
+                    (" ")))))
+        (ADVP (ADVB DI_SOLITO))
+        (VP (VMA~IM erano)
+            (PP-PRD (PREP in)
+                (NP
+                    (NP (NOU~CA societa'))
+                    (PP (PREP con)
+                        (NP (ART~DE gli)
+                            (NP (NOU~CP italiani))
+                            (, ,)
+                            (S
+                                (S
+                                    (S
+                                        (PP (PREP da)
+                                            (NP (PRO~RE cui)))
+                                         (VP (VMA~IM affittavano)
+                                             (NP (ART~DE le) (NOU~CP barche)))
+                                          (NP-SBJ (-NONE- *-9.1033))))
+                                    (CONJ e)
+                                    (S
+                                        (VP (VMA~IM dividevano)
+                                            (PP (PREP al)
+                                                (NP (ART~DE al) (NUMR 50) (SPECIAL %)))
+                                             (NP (ART~DE i) (NOU~CP guadagni)))
+                                          (NP-SBJ (-NONE- *-9.1033)))))))))
+                     (NP-SBJ-9.1033 (-NONE- *))
+                     (. .)) )
+
+
+************** FRASE NEWS-111 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Poi))
+    (PRN
+        (, ,)
+        (PP-TMP (PREP alla)
+            (NP
+                (NP (ART~DE alla) (NOU~CS fine))
+                (PP (PREP del)
+                    (NP (ART~DE del) (DATE '93)))))
+           (, ,))
+        (VP (VAU~RE hanno)
+            (VP (VMA~PA cominciato)
+                (PP (PREP a)
+                    (S
+                        (VP (VMA~IN comprare)
+                            (NP
+                                (NP (NOU~CP gommoni))
+                                (CONJ e)
+                                (NP (NOU~CP motoscafi))))
+                          (NP-SBJ (-NONE- *-9.1033))))
+                    (S
+                        (VP (VMA~GE mettendosi)
+                            (NP (PRO~RI mettendosi))
+                            (PP (PREP in)
+                                (NP (PRO~PO proprio))))
+                          (NP-SBJ (-NONE- *-9.1033)))))
+                 (NP-SBJ-9.1033 (-NONE- *))
+                 (. .)) )
+
+
+************** FRASE NEWS-112 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~IN Un) (NOU~CS passaggio))
+        (PP (PREP per)
+            (NP (ART~IN un) (NOU~CS emigrante) (ADJ~QU clandestino) (ADJ~QU albanese))))
+      (VP (VMA~RE costa)
+          (PP (PREP dai)
+              (NP (ART~DE dai) (NUMR 600))
+              (PP (PREP ai)
+                  (NP (ART~DE ai)
+                      (NP (NUMR 1.000)) (NOU~CP dollari)))))
+          (. .)) )
+
+
+************** FRASE NEWS-113 **************
+
+ ( (S
+    (ADVP-PRD (ADVB Molto) (ADVB DI_PIÙ))
+    (VP (VMA~RE e')
+        (NP-EXTPSBJ-533 (ART~DE la)
+            (NP (NOU~CS tariffa))
+            (VP (VMA~PA richiesta)
+                (NP (-NONE- *))
+                (PP (PREP agli)
+                    (NP (ART~DE agli) (NOU~CP stranieri)
+                        (, ,)
+                        (NP
+                            (NP (NOU~CP curdi))
+                            (, ,)
+                            (NP
+                                (NP (NOU~CP cinesi))
+                                (, ,)
+                                (NP (NOU~CS singalesi)))))))))
+           (NP-SBJ (-NONE- *-533))
+           (. .)) )
+
+
+************** FRASE NEWS-114 **************
+
+ ( (NP
+    (NP (NUMR 2.500) (NOU~CP dollari))
+    (PP (PREP per)
+        (S
+            (VP (VMA~IN toccare)
+                (NP
+                    (NP (ART~DE l') (ADJ~DI altra) (NOU~CS sponda))
+                    (PP (PREP dell')
+                        (NP (ART~DE dell') (NOU~PR Adriatico)))))
+               (NP-SBJ (-NONE- *))))
+         (. .)) )
+
+
+************** FRASE NEWS-115 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (ART~DE gli) (NOU~CP accordi))
+            (PP (PREP di)
+                (NP (NOU~PR Tirana)))
+             (PP (PREP con)
+                 (NP (ART~DE l') (NOU~PR Italia)))
+              (PP (PREP per)
+                  (S
+                      (VP (VMA~IN sorvegliare)
+                          (NP (ART~DE il) (NOU~CS traffico)))
+                       (NP-SBJ (-NONE- *))))))
+           (, ,)
+           (NP-SBJ-1433 (ART~DE la) (NOU~CS polizia) (ADJ~QU albanese))
+           (VP (VAU~RE ha)
+               (VP (VMA~PA cominciato)
+                   (PP (PREP a)
+                       (S
+                           (VP (VMA~IN rafforzare)
+                               (NP (ART~DE i) (NOU~CP controlli)))))))
+                (NP-SBJ (-NONE- *-1433))
+                (. .)) )
+
+
+************** FRASE NEWS-116 **************
+
+ ( (S
+    (PP-TMP (PREP Nel)
+        (NP (ART~DE Nel) (DATE '96)))
+     (PP-TMP (PREP in)
+         (NP (NUMR ventiquattro) (NOU~CP ore)))
+      (VP (VAU~RE sono)
+          (VP (VAU~PA state)
+              (VP (VMA~PA sequestrate))))
+        (NP-SBJ (-NONE- *-933))
+        (NP-EXTPSBJ-933 (NUMR 35) (NOU~CP barche))
+        (, ,)
+        (NP (ART~IN una)
+            (NP (NOU~CS giornata) (ADJ~QU nera))
+            (SBAR
+                (S
+                    (VP
+                        (NP (PRO~RE che))
+                        (NP-EXTPSBJ-1633
+                            (NP (ART~DE gli) (NOU~CP scafisti))
+                            (PP-LOC (PREP di)
+                                (NP (NOU~PR Valona))))
+                          (ADVP (ADVB non))
+                          (VP (VAU~RE hanno)
+                              (ADVP-TMP (ADVB mai))) (VMA~PA dimenticato))
+                        (NP-SBJ (-NONE- *-1633)))))
+               (. .)) )
+
+
+************** FRASE NEWS-117 **************
+
+ ( (S
+    (CONJ Appena)
+    (S
+        (NP-SBJ
+            (NP (ART~DE la) (NOU~CS folla))
+            (PP (PREP in)
+                (NP
+                    (NP (NOU~CS rivolta))
+                    (PP (PREP per)
+                        (NP
+                            (NP (ART~DE il) (NOU~CA crack))
+                            (PP (PREP delle)
+                                (NP (ART~DE delle) (NOU~CP finanziarie))))))))
+              (VP (VAU~RE ha)
+                  (VP (VMA~PA preso)
+                      (NP
+                          (NP (ART~DE il) (NOU~CS controllo))
+                          (PP (PREP della)
+                              (NP (ART~DE della)
+                                  (NP (NOU~CA citta'))
+                                  (, ,)
+                                  (VP (VMA~PA rimasta)
+                                      (NP (-NONE- *))
+                                      (S-PRD
+                                          (VP (VMA~PA abbandonata)
+                                              (ADVP-TMP (ADVB anche) (ADVB ieri))
+                                              (PP-LGS (PREP dalle)
+                                                  (NP
+                                                      (NP (ART~DE dalle) (NOU~CP forze))
+                                                      (PP (PREP dell')
+                                                          (NP (ART~DE dell') (NOU~CS ordine))))))
+                                              (NP-SBJ (-NONE- *-18.1033))))))))))
+                      (, ,)
+                      (NP-SBJ-2733 (ART~DE gli) (NOU~CP scafisti))
+                      (NP (PRO~RI si))
+                      (VP (VAU~RE sono)
+                          (VP (VMA~PA diretti)
+                              (PP (PREP con)
+                                  (NP
+                                      (NP (NOU~CA auto))
+                                      (CONJ e)
+                                      (NP (NOU~CP carrelli))))
+                                (PP-LOC (PREP al)
+                                    (NP
+                                        (NP (ART~DE al) (NOU~CS porto))
+                                        (PP (PREP di)
+                                            (NP (NOU~PR Ravima)))
+                                         (SBAR
+                                             (S
+                                                 (NP-LOC (PRO~LO dove))
+                                                 (NP (PRO~RI si))
+                                                 (VP (VAU~RE sono)
+                                                     (VP (VMA~PA portati)
+                                                         (ADVP-LOC (ADVB via))
+                                                         (NP
+                                                             (NP (NUMR 135) (NOU~CP barche))
+                                                             (VP (VMA~PA sequestrate)
+                                                                 (NP (-NONE- *))))))))))))
+                                   (NP-SBJ (-NONE- *-2733))
+                                   (. .)) )
+
+
+************** FRASE NEWS-118 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE I) (NOU~CP poliziotti))
+        (PP (PREP di)
+            (NP (NOU~CS guardia)))
+         (PRN
+             (, ,)
+             (NP
+                 (NP
+                     (ADVP (ADVB non)) (PRO~ID piu'))
+                  (CONJ di)
+                  (NP (NUMR cinque)))
+               (, ,)))
+         (VP (VAU~RE hanno)
+             (VP (VMA~PA dovuto)
+                 (PP (PREP per)
+                     (NP (NOU~CS forza)))
+                  (S
+                      (VP (VMA~IN lasciar)
+                          (S
+                              (VP (VMA~IN fare))
+                              (NP-SBJ (-NONE- *))))
+                        (NP-SBJ (-NONE- *-133)))))
+               (. .)) )
+
+
+************** FRASE NEWS-119 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Valona)
+            (PRN
+                (, ,)
+                (SBAR
+                    (S
+                        (NP-LOC (PRO~LO dove))
+                        (ADVP-TMP (ADVB ieri))
+                        (VP (VAU~RE e')
+                            (VP (VAU~PA stata)
+                                (VP (VMA~PA convocata))))
+                          (NP-SBJ (-NONE- *-933))
+                          (NP-EXTPSBJ-933
+                              (NP (ART~IN un') (ADJ~DI altra) (NOU~CS manifestazione))
+                              (PP (PREP di)
+                                  (NP (NOU~CS protesta)))
+                               (SBAR
+                                   (S
+                                       (NP (PRO~RE cui))
+                                       (VP (VAU~RE hanno)
+                                           (VP (VMA~PA partecipato)
+                                               (NP-EXTPSBJ-1733 (NUMR 5.000) (NOU~CP persone))))
+                                         (NP-SBJ (-NONE- *-1733)))))))
+                          (, ,))))
+                 (NP-SBJ (ART~DE l') (NOU~CS atmosfera))
+                 (VP (VMA~RE e')
+                     (ADJP-PRD (ADVB meno) (ADJ~QU elettrica)))
+                  (. .)) )
+
+
+************** FRASE NEWS-120 **************
+
+ ( (S
+    (CONJ Ma)
+    (PP-TMP (PREP in)
+        (NP (NOU~CS serata)))
+     (NP-SBJ
+         (NP (ART~IN un) (NOU~CS agente))
+         (PP (PREP in)
+             (NP
+                 (NP (NOU~CS servizio))
+                 (PP (PREP nel)
+                     (NP
+                         (NP (ART~DE nel) (NOU~CS commissariato))
+                         (PP (PREP di)
+                             (NP (NOU~CS polizia))))))))
+           (VP (VAU~RE e')
+               (VP (VAU~PA stato)
+                   (VP (VMA~PA ucciso))))
+             (PP (PREP in)
+                 (NP (ART~IN un) (NOU~CS agguato)))
+              (. .)) )
+
+
+************** FRASE NEWS-121 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~IN Un) (NOU~CS momento))
+        (PP (PREP di)
+            (NP (NOU~CS tensione))))
+      (NP-LOC (PRO~LO c'))
+      (VP (VAU~RE e')
+          (VP (VMA~PA stato)
+              (CONJ quando)
+              (S
+                  (NP (PRO~RI si))
+                  (VP (VAU~RE e')
+                      (VP (VMA~PA diffusa)
+                          (NP-EXTPSBJ-1233 (ART~DE la)
+                              (NP (NOU~CS voce))
+                              (PRN
+                                  (, ,)
+                                  (ADJP (ADJ~QU infondata))
+                                  (, ,))
+                               (CONJ che)
+                               (S
+                                   (VP (VAU~IM erano)
+                                       (VP (VAU~PA state)
+                                           (VP (VMA~PA minate))))
+                                     (NP-SBJ (-NONE- *-2133))
+                                     (NP-EXTPSBJ-2133
+                                         (NP (ART~DE le) (NOU~CP aree))
+                                         (PP (PREP intorno)
+                                             (PP (PREP a)
+                                                 (NP (ADJ~IN qualche) (NOU~CS edificio) (ADJ~QU pubblico)))))))))
+                            (NP-SBJ (-NONE- *-1233)))))
+                   (. .)) )
+
+
+************** FRASE NEWS-122 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE L') (NOU~CS allarme))
+        (ADVP-TMP (ADVB poi))
+        (VP (VAU~RE e')
+            (VP (VMA~PA rientrato))))
+      (, ,)
+      (CONJ ed)
+      (S
+          (VP (VAU~RE e')
+              (VP (VAU~PA stata)
+                  (VP (VMA~PA accolta))))
+            (NP-SBJ (-NONE- *-1333))
+            (PP (PREP con)
+                (NP (NOU~CS soddisfazione)))
+             (NP-EXTPSBJ-1333
+                 (NP (ART~DE la) (NOU~CS destituzione))
+                 (PP (PREP del)
+                     (NP
+                         (NP (ART~DE del) (NOU~CS capo))
+                         (PP (PREP della)
+                             (NP (ART~DE della) (NOU~CS polizia)))))))
+              (. .)) )
+
+
+************** FRASE NEWS-123 **************
+
+ ( (S
+    (PP (PREP Ai)
+        (NP (ART~DE Ai) (NOU~CP valonesi)))
+     (NP-SBJ (ADJ~DE quel) (NOU~CS poliziotto))
+     (ADVP (ADVB non))
+     (VP (VMA~IM piaceva)
+         (ADVP (ADVB proprio)))
+      (. .)) )
+
+
+************** FRASE NEWS-124 **************
+
+ ( (S
+    (ADVP (ADVB Forse))
+    (VP (VAU~IM aveva)
+        (VP (VMA~PA preso)
+            (ADVP (ADVB troppo) (ADVB SUL_SERIO))
+            (NP
+                (NP (ART~DE il) (ADJ~PO suo) (NOU~CS lavoro))
+                (PP (PREP di)
+                    (S
+                        (VP (VMA~IN frenare)
+                            (NP
+                                (NP (ART~DE il) (NOU~CA boom))
+                                (PP (PREP dei)
+                                    (NP
+                                        (NP (ART~DE dei) (NOU~CP traffici) (ADJ~QU illegali))
+                                        (, ,)
+                                        (PP (PREP da)
+                                            (NP
+                                                (NP (PRO~DE quello))
+                                                (PP (PREP dei)
+                                                    (NP (ART~DE dei) (NOU~CP clandestini))))
+                                              (PP (PREP alla)
+                                                  (NP (ART~DE alla) (NOU~CS droga))))))))
+                                (NP-SBJ (-NONE- *-3.1033)))))))
+                 (NP-SBJ-3.1033 (-NONE- *))
+                 (. .)) )
+
+
+************** FRASE NEWS-125 **************
+
+ ( (S
+    (PP (PREP Con)
+        (NP
+            (NP (ART~DE l') (NOU~CS aumento))
+            (PP (PREP della)
+                (NP
+                    (NP (ART~DE della) (NOU~CS produzione))
+                    (PP (PREP di)
+                        (NP (NOU~CA marijuana)))
+                     (PRN
+                         (, ,)
+                         (VP (VMA~PA iniziata)
+                             (NP (-NONE- *))
+                             (PP-LOC (PREP in)
+                                 (NP (NOU~PR Albania)))
+                              (NP-TMP (ADVB circa)
+                                  (NP (NUMR tre) (NOU~CP anni) (ADJ~DI fa))))
+                            (, ,))))))
+             (NP-SBJ
+                 (NP (ART~DE l') (NOU~CS esportazione))
+                 (PP (PREP di)
+                     (NP (NOU~CA hashish))))
+               (VP (VAU~RE e')
+                   (VP (VMA~PA diventata)
+                       (NP-PRD
+                           (NP (ART~IN un') (ADJ~DI altra) (NOU~CS fonte))
+                           (PP (PREP di)
+                               (NP (NOU~CS reddito))))
+                         (PP (PREP per)
+                             (NP
+                                 (NP (NOU~CP contrabbandieri))
+                                 (CONJ e)
+                                 (NP (NOU~CP scafisti))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-126 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~DE Quelli))
+        (SBAR
+            (NP-2333 (PRO~RE che))
+            (S
+                (NP-SBJ (-NONE- *-2333))
+                (ADVP (ADVB non))
+                (VP (VAU~RE hanno)
+                    (VP (VMA~PA investito)
+                        (NP (PRDT tutti) (ART~DE i) (NOU~CP soldi))
+                        (PP (PREP nelle)
+                            (NP (ART~DE nelle) (NOU~CP piramidi))))))))
+          (NP (PRO~RI si))
+          (VP (VAU~RE sono)
+              (VP (VMA~PA costruiti)
+                  (NP
+                      (NP
+                          (NP (NOU~CP villette) (ADJ~QU abusive))
+                          (PP-LOC (PREP sul)
+                              (NP (ART~DE sul) (NOU~CS lungomare))))
+                        (, ,)
+                        (NP
+                            (NP (NOU~CP ristoranti))
+                            (, ,)
+                            (NP (NOU~CP chioschi))))))
+                (. .)) )
+
+
+************** FRASE NEWS-127 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE I)
+        (ADJP (ADVB piu') (ADJ~QU ricchi)))
+     (VP (VAU~RE hanno)
+         (VP (VMA~PA puntato)
+             (PP (PREP ad)
+                 (S
+                     (VP (VMA~IN acquistare)
+                         (NP (ART~IN una) (NOU~CS residenza))
+                         (PP-LOC (PREP ad)
+                             (NP (NOU~PR Acquafredda)
+                                 (, ,)
+                                 (PP (PREP a)
+                                     (NP
+                                         (NP (NOU~CS sud))
+                                         (PP (PREP del)
+                                             (NP (ART~DE del) (NOU~CS porto))))))))
+                           (NP-SBJ (-NONE- *-133))))))
+               (. .)) )
+
+
+************** FRASE NEWS-128 **************
+
+ ( (NP
+    (NP (NOU~CS Zona) (ADJ~QU prestigiosa))
+    (, ,)
+    (SBAR
+        (S
+            (VP
+                (NP-LOC (PRO~LO dove))
+                (NP-TMP (ART~IN un) (NOU~CS tempo))
+                (NP-LOC (PRO~LO-733 c'))
+                (VP (VMA~IM-833 era)
+                    (NP-EXTPSBJ-933
+                        (NP (ART~DE la) (NOU~CS villa))
+                        (PP (PREP di)
+                            (NP (NOU~PR Enver) (NOU~PR Hoxha)))))
+                   (CONJ e)
+                   (S
+                       (VP (-NONE- *-833)
+                           (NP-LOC (-NONE- *-733))
+                           (ADVP-TMP (ADVB oggi))
+                           (NP-EXTPSBJ-1633
+                               (NP (PRO~DE quella))
+                               (PP (PREP del)
+                                   (NP (ART~DE del) (NOU~CS presidente)
+                                       (NP (NOU~PR Sali) (NOU~PR Berisha))))))
+                           (NP-SBJ (-NONE- *-1633))))
+                     (NP-SBJ (-NONE- *-933))))
+               (. .)) )
+
+
+************** FRASE NEWS-129 **************
+
+ ( (S
+    (PP-LOC (PREP Lungo)
+        (NP (ART~DE la) (NOU~CS costiera)))
+     (PRN
+         (, ,)
+         (PP (PREP prima)
+             (PP (PREP di)
+                 (S
+                     (VP (VMA~IN arrivare)
+                         (PP-LOC (PREP alla)
+                             (NP
+                                 (NP (ART~DE alla)
+                                     (' ') (NOU~CS baia)
+                                     (' '))
+                                  (PP (PREP dei)
+                                      (NP (ART~DE dei) (NOU~CP contrabbandieri))))))
+                          (NP-SBJ (-NONE- *)))))
+                 (, ,))
+              (NP-LOC (PRO~LO c'))
+              (VP (VMA~RE e')
+                  (NP-EXTPSBJ-1733
+                      (NP (ART~DE la) (NOU~CS penisola))
+                      (PP (PREP di)
+                          (NP (NOU~PR Karaburun)))))
+                 (NP-SBJ (-NONE- *-1733))
+                 (. .)) )
+
+
+************** FRASE NEWS-130 **************
+
+ ( (S
+    (S
+        (VP (VMA~PA Crollato)
+            (NP-EXTPSBJ-233 (ART~DE lo) (NOU~CS stalinismo)))
+         (NP-SBJ (-NONE- *-233)))
+      (, ,)
+      (NP-SBJ-533 (NOU~PR Cenaj))
+      (VP (VAU~RE e')
+          (VP (VMA~PA emerso)
+              (PP-LOC (PREP dal)
+                  (NP (ART~DE dal) (NOU~CA nulla)))
+               (PP (PREP per)
+                   (S
+                       (VP (VMA~IN impiantare)
+                           (NP
+                               (NP (ART~IN una) (NOU~CA societa'))
+                               (PP (PREP di)
+                                   (NP (NOU~CA import-export)))
+                                (VP (VMA~PA diventata)
+                                    (NP (-NONE- *))
+                                    (PP-TMP (PREP in)
+                                        (NP (ADJ~IN poco) (NOU~CS tempo)))
+                                     (NP-PRD
+                                         (NP (PRO~ID una))
+                                         (PP (PREP delle)
+                                             (NP
+                                                 (NP (ART~DE delle) (NOU~CA holding))
+                                                 (ADJP (ADVB piu') (ADJ~QU IN_VISTA))
+                                                 (PP (PREP del)
+                                                     (NP (ART~DE del) (NOU~CS Paese)))))))))
+                                (NP-SBJ (-NONE- *-533))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-131 **************
+
+ ( (NP (ART~IN Un')
+    (NP
+        (NP (ADJ~DI altra) (NOU~CS piramide))
+        (, ,)
+        (SBAR
+            (NP-5333 (PRO~RE che))
+            (S
+                (NP-SBJ (-NONE- *-5333))
+                (PP-TMP (PREP nei)
+                    (NP
+                        (NP (ART~DE nei) (NOU~CP momenti))
+                        (PP (PREP di)
+                            (NP (NOU~CS gloria)))))
+                   (VP (VMA~IM pagava)
+                       (NP (NUMR 3.000) (NOU~CP dollari))
+                       (NP
+                           (NP (ART~IN un) (NOU~CS minuto))
+                           (PP (PREP di)
+                               (NP
+                                   (NP (NOU~CA pubblicita'))
+                                   (PP (PREP sulla)
+                                       (NP
+                                           (NP (ART~DE sulla) (NOU~CA tv))
+                                           (PP (PREP di)
+                                               (NP (NOU~CS Stato))))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-132 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Karaburun))
+    (PP (PREP per)
+        (NP (ART~DE i) (NOU~CP valonesi)))
+     (VP (VMA~RE e')
+         (NP-PRD
+             (NP (ART~IN un') (ADJ~DI altra) (NOU~CS pagina) (ADJ~QU gloriosa))
+             (PP (PREP della)
+                 (NP
+                     (NP (ART~DE della) (NOU~CS storia))
+                     (PP (PREP di)
+                         (NP
+                             (NP (ART~IN un) (NOU~CS popolo))
+                             (PP
+                                 (PP (PREP dal)
+                                     (NP (ART~DE dal) (NOU~CS sangue) (ADJ~QU caldo)))
+                                  (, ,)
+                                  (ADJP
+                                      (ADJP (ADJ~QU nazionalista))
+                                      (CONJ e)
+                                      (NP
+                                          (NP (ADVB oggi) (NOU~CS incrocio))
+                                          (PP (PREP di)
+                                              (NP (NUMR mille) (NOU~CP traffici))))))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-133 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Qui))
+    (NP-LOC (PRO~LO c'))
+    (VP (VMA~IM era)
+        (NP-EXTPSBJ-433
+            (NP (ART~DE la) (NOU~CS base) (ADJ~QU militare))
+            (PP (PREP di)
+                (NP (NOU~PR Pasha) (NOU~PR Liman)))
+             (VP (VMA~PA affittata)
+                 (NP (-NONE- *))
+                 (PP (PREP ai)
+                     (NP (ART~DE ai)
+                         (NP (NOU~CP russi))
+                         (SBAR
+                             (NP-1333 (PRO~RE che))
+                             (S
+                                 (NP-SBJ (-NONE- *-1333))
+                                 (VP (VMA~IM tenevano)
+                                     (PP-LOC (PREP alla)
+                                         (NP (ART~DE alla) (NOU~CS fonda)))
+                                      (NP (ART~DE i) (ADJ~PO loro) (NOU~CP sommergibili))))))))))
+              (NP-SBJ (-NONE- *-433))
+              (. .)) )
+
+
+************** FRASE NEWS-134 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (ART~DE la) (NOU~CS rottura) (ADJ~QU clamorosa))
+            (PP (PREP tra)
+                (NP (NOU~PR Hoxha)
+                    (CONJ e) (NOU~PR Kruscev)))))
+        (, ,)
+        (PP-TMP (PREP nell')
+            (NP
+                (NP (ART~DE nell') (NOU~CS aprile))
+                (PP (PREP del)
+                    (NP (ART~DE del) (DATE '61)))))
+           (NP-SBJ-1433 (NOU~PR Mosca))
+           (VP (VMA~RA tento')
+               (PP (PREP di)
+                   (S
+                       (VP (VMA~IN occuparla)
+                           (NP (PRO~PE occuparla))
+                           (ADVP (ADVB militarmente))))))
+               (NP-SBJ (-NONE- *-1433))
+               (. .)) )
+
+
+************** FRASE NEWS-135 **************
+
+ ( (S
+    (CONJ Ma)
+    (S
+        (NP-SBJ-233 (ART~DE i) (NOU~CP valonesi))
+        (VP (VMA~RA reagirono)
+            (PP (PREP con)
+                (NP (NOU~CS violenza)))))
+       (CONJ e)
+       (S
+           (VP (VMA~RA costrinsero)
+               (NP-933 (ART~DE i) (NOU~CP sovietici))
+               (PP (PREP ad)
+                   (S
+                       (VP (VMA~IN andarsene)
+                           (NP (PRO~PE andarsene))
+                           (NP-LOC (PRO~LO andarsene))
+                           (S
+                               (VP (VMA~GE sequestrando)
+                                   (NP (NUMR quattro) (NOU~CP sommergibili)))
+                                (NP-SBJ (-NONE- *-8.1033))))
+                          (NP-SBJ (-NONE- *-933)))))
+                 (NP-SBJ-8.1033 (-NONE- *-233)))
+              (. .)) )
+
+
+************** FRASE NEWS-136 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (NOU~PR Mosca))
+        (VP (VMA~RA tento')
+            (PP (PREP di)
+                (S
+                    (VP (VMA~IN riaverli)
+                        (NP (PRO~PE riaverli))
+                        (ADVP (ADVB indietro)))
+                     (NP-SBJ (-NONE- *-133))))))
+         (CONJ ma)
+         (S
+             (VP
+                 (ADVP-TMP (ADVB intanto))
+                 (VP (VAU~IM era)
+                     (VP (VMA~PA scoppiata)
+                         (NP-EXTPSBJ-1033
+                             (NP (ART~DE la) (NOU~CA crisi))
+                             (PP
+                                 (PP (PREP di)
+                                     (NP (NOU~PR Cuba)))
+                                  (CONJ e)
+                                  (PP (PREP della)
+                                      (NP
+                                          (NP (ART~DE della) (NOU~CS Baia))
+                                          (PP (PREP dei)
+                                              (NP (ART~DE dei) (NOU~CP Porci)))))))))
+                         (, ,)
+                         (CONJ e)
+                         (S
+                             (ADVP (ADVB cosi'))
+                             (NP-SBJ-2333
+                                 (ADVP (ADVB anche)) (NOU~PR Kruscev))
+                              (NP-2433 (PRO~RI si))
+                              (VP (VMO~RA dovette)
+                                  (S
+                                      (VP (VMA~IN arrendere)
+                                          (NP (-NONE- *-2433)))))
+                                 (NP-SBJ (-NONE- *-2333))))
+                           (NP-SBJ (-NONE- *-1033)))
+                        (. .)) )
+
+
+************** FRASE NEWS-137 **************
+
+ ( (S
+    (NP (PRO~IN Cosa))
+    (VP (VMA~FU faranno)
+        (ADVP-TMP (ADVB adesso))
+        (NP-EXTPSBJ-433 (-NONE- *-)
+            (NP-433
+                (NP (ART~DE il) (NOU~CS Governo)) (-NONE- *-)
+                (PP (PREP del)
+                    (NP (ART~DE del) (NOU~CA premier) (NOU~PR Meksi))))
+              (CONJ e) (NOU~PR Berisha)))
+        (NP-SBJ (-NONE- *-433))
+        (. ?)) )
+
+
+************** FRASE NEWS-138 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE La)
+        (NP (NOU~CS tattica))
+        (VP (VMA~PA scelta)
+            (NP (-NONE- *))))
+      (VP (VMA~RE sembra)
+          (PRN
+              (, ,)
+              (ADVP-TMP (ADVB PER_ORA))
+              (, ,))
+           (S
+               (VP
+                   (VP (VMA~IN attendere)
+                       (NP (NOU~CP momenti) (ADJ~QU migliori)))
+                    (, ,)
+                    (S
+                        (S
+                            (VP (VMA~IN lasciar)
+                                (S
+                                    (VP (VMA~IN sbollire)
+                                        (NP-1533 (ART~DE la) (NOU~CS rabbia)))
+                                     (NP-SBJ (-NONE- *-1533))))
+                               (NP-SBJ-13.1033 (-NONE- *-9.1033)))
+                            (CONJ e)
+                            (S
+                                (VP (VMA~IN tornare)
+                                    (PP (PREP a)
+                                        (S
+                                            (VP (VMA~IN occupare)
+                                                (NP (ART~DE la) (NOU~CA citta')))
+                                             (NP-SBJ (-NONE- *-18.1033)))))
+                                    (NP-SBJ-18.1033 (-NONE- *-13.1033)))))
+                           (NP-SBJ-9.1033 (-NONE- *-133))))
+                     (. .)) )
+
+
+************** FRASE NEWS-139 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ (ART~IN una) (NOU~CS cosa))
+    (VP (VMA~RE e')
+        (ADJP-PRD (ADJ~QU certa)))
+     (. .)) )
+
+
+************** FRASE NEWS-140 **************
+
+ ( (S
+    (NP-TMP (ADVB Anche) (ADJ~DE questa) (NOU~CS volta))
+    (NP-SBJ (NOU~PR Valona))
+    (NP (PRO~RI si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA guadagnata)
+            (NP
+                (NP (ART~DE la) (ADJ~OR prima) (NOU~CS pagina))
+                (PP (PREP della)
+                    (NP
+                        (NP (ART~DE della) (ADJ~QU breve) (NOU~CS storia))
+                        (PP (PREP dell')
+                            (NP (ART~DE dell') (NOU~PR Albania))))))))
+          (. .)) )
+
+
+************** FRASE NEWS-141 **************
+
+ ( (S
+    (VP (VMA~RE Resta)
+        (ADJP-PRD (ADJ~QU tesa))
+        (NP-EXTPSBJ-333 (ART~DE la) (NOU~CS situazione))
+        (PP-LOC (PREP in)
+            (NP (NOU~PR Albania)))
+         (, ,)
+         (CONJ mentre)
+         (S
+             (NP-SBJ (ART~DE la) (NOU~PR Farnesina))
+             (VP (VMA~RE lancia)
+                 (NP (ART~IN un) (NOU~CS avvertimento))
+                 (PP (PREP agli)
+                     (NP (ART~DE agli)
+                         (NP (NOU~CP italiani))
+                         (S
+                             (S
+                                 (NP-1333 (PRO~RE che))
+                                 (S
+                                     (NP-SBJ (-NONE- *-1333))
+                                     (VP (VMA~RE risiedono))))
+                               (CONJ o)
+                               (S
+                                   (NP-SBJ (PRO~RE che))
+                                   (VP (VMA~RE hanno)
+                                       (NP
+                                           (NP (NOU~CP piani))
+                                           (PP (PREP di)
+                                               (NP
+                                                   (NP (NOU~CS viaggio))
+                                                   (PP (PREP nel)
+                                                       (NP (ART~DE nel) (NOU~CS Paese) (ADJ~QU balcanico))))))))))))))
+                   (NP-SBJ (-NONE- *-333))
+                   (. .)) )
+
+
+************** FRASE NEWS-142 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE Il) (NOU~CS Ministero))
+        (PP (PREP degli)
+            (NP (ART~DE degli) (NOU~CP esteri)))
+         (PRN
+             (, ,)
+             (SBAR
+                 (NP-6333 (PRO~RE che) (-NONE- *-))
+                 (S
+                     (NP-SBJ-633 (-NONE- *-6333))
+                     (VP (VAU~RE ha)
+                         (VP (VMA~PA detto)
+                             (PP (PREP di)
+                                 (S
+                                     (VP (VMA~IN seguire)
+                                         (PP (PREP con)
+                                             (NP (NOU~CS preoccupazione)))
+                                          (NP
+                                              (NP (ART~DE i) (NOU~CP disordini))
+                                              (PP (PREP in)
+                                                  (NP (NOU~CS atto)))))
+                                         (NP-SBJ (-NONE- *-633))))))))
+                       (, ,)))
+                 (VP (VAU~RE ha)
+                     (VP (VMA~PA chiesto)
+                         (PP (PREP ai)
+                             (NP (ART~DE ai) (NOU~CP cittadini) (ADJ~QU italiani)))
+                          (PP (PREP di)
+                              (S
+                                  (VP (VMA~IN limitare)
+                                      (NP
+                                          (NP (ART~DE i) (ADJ~PO propri) (NOU~CP spostamenti))
+                                          (PP-LOC (PREP in)
+                                              (NP (NOU~PR Albania))))
+                                        (PP (PREP a)
+                                            (NP
+                                                (NP (PRO~DE quelli))
+                                                (VP (VMA~PA motivati)
+                                                    (NP (-NONE- *))
+                                                    (PP-LGS (PREP da)
+                                                        (NP (NOU~CP esigenze) (ADJ~QU improcrastinabili))))))
+                                            (, ,)
+                                            (PP (PREP ALLA_LUCE_DI)
+                                                (NP (ART~IN una)
+                                                    (NP (NOU~CS situazione))
+                                                    (SBAR
+                                                        (NP-4333 (PRO~RE che) (-NONE- *-))
+                                                        (S
+                                                            (NP-SBJ-4233 (-NONE- *-4333))
+                                                            (VP (VMO~CO potrebbe)
+                                                                (S
+                                                                    (VP (VMA~IN peggiorare)
+                                                                        (PP-TMP (PREP in)
+                                                                            (NP (ADJ~IN ogni) (NOU~CS momento))))
+                                                                      (NP-SBJ (-NONE- *-4233)))))))))
+                                                 (NP-SBJ (-NONE- *-133))))))
+                                     (. .)) )
+
+
+************** FRASE NEWS-143 **************
+
+ ( (S
+    (PP (PREP Nonostante)
+        (NP
+            (NP (ART~DE l') (NOU~CS assenza))
+            (PP (PREP di)
+                (NP (NOU~CP episodi) (ADJ~QU gravi)))))
+       (, ,)
+       (ADVP-TMP (ADVB anche) (ADVB ieri))
+       (NP-SBJ (ART~DE l') (NOU~CS atmosfera))
+       (VP (VMA~IM era)
+           (ADJP-PRD (ADJ~QU carica)
+               (PP (PREP di)
+                   (NP (NOU~CS tensione)))))
+          (. .)) )
+
+
+************** FRASE NEWS-144 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Tirana)))
+     (NP-SBJ-333 (ART~DE la) (NOU~CS polizia))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA impedito)
+             (NP (ADJ~QU nuove) (NOU~CP manifestazioni))
+             (S
+                 (VP (VMA~GE presidiando)
+                     (NP
+                         (NP (ART~DE i) (NOU~CP luoghi))
+                         (PP (PREP di)
+                             (NP (ADJ~QU possibile) (NOU~CS raduno))))))
+                 (, ,)
+                 (CONJ mentre)
+                 (S
+                     (NP-SBJ
+                         (NP-SBJ (PRO~ID uno))
+                         (PP (PREP dei)
+                             (NP
+                                 (NP (ART~DE dei) (NOU~CP capi))
+                                 (PP (PREP della)
+                                     (NP
+                                         (NP (ART~DE della) (NOU~CS protesta))
+                                         (PP (PREP contro)
+                                             (NP (ART~DE le) (NOU~CP finanziarie)
+                                                 (PUNCT -)
+                                                 (NP (NOU~CS truffa)))))))))
+                            (VP (VAU~RE e')
+                                (VP (VAU~PA stato)
+                                    (VP (VMA~PA picchiato))))
+                              (PP-LGS (PREP dai)
+                                  (NP (ART~DE dai) (ADJ~PO suoi) (ADJ~DI stessi) (NOU~CP sostenitori)))
+                               (PP (PREP per)
+                                   (S
+                                       (VP (VAU~IN aver)
+                                           (VP (VMA~PA aderito)
+                                               (PP (PREP al)
+                                                   (NP (ART~DE al)
+                                                       (NP (NOU~CA forum) (ADJ~QU democratico))
+                                                       (SBAR
+                                                           (S
+                                                               (PP (PREP di)
+                                                                   (NP (PRO~RE cui)))
+                                                                (VP (VMA~RE fanno)
+                                                                    (NP (NOU~CS parte))
+                                                                    (ADVP (ADVB anche))
+                                                                    (NP-EXTPSBJ-4533
+                                                                        (NP (NOU~CP forze))
+                                                                        (PP (PREP di)
+                                                                            (NP (NOU~CS sinistra)))))
+                                                                   (NP-SBJ (-NONE- *-4533))))))))
+                                                 (NP-SBJ (-NONE- *-1733)))))))
+                                  (NP-SBJ (-NONE- *-333))
+                                  (. .)) )
+
+
+************** FRASE NEWS-145 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (NOU~PR Azem) (NOU~PR Hajdari)))
+     (NP-SBJ (ADJ~IN molti) (NOU~CP politici))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA coinvolti)
+             (PP (PREP nel)
+                 (NP
+                     (NP (ART~DE nel) (NOU~CA crack))
+                     (PP (PREP delle)
+                         (NP (ART~DE delle) (NOU~CP finanziarie)))))))
+          (. .)) )
+
+
+************** FRASE NEWS-146 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS capo))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP sindacati))))
+      (VP (VMA~RE va)
+          (PP-LOC (PREP all')
+              (NP
+                  (NP (ART~DE all') (NOU~CS attacco))
+                  (PP (PREP del)
+                      (NP (ART~DE del) (NOU~CS Governo))))))
+          (. .)) )
+
+
+************** FRASE NEWS-147 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Una) (ADJ~PO sua) (NOU~CS frase))
+    (VP
+        (VP (VAU~RE e')
+            (ADVP-TMP (ADVB ormai))) (VMA~PA passata)
+         (PP (PREP alla)
+             (NP (ART~DE alla) (NOU~CS storia))))
+       (. .)) )
+
+
+************** FRASE NEWS-148 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (PRO~PE Noi))
+        (VP (VMA~FU moriremo)
+            (NP-PRD (PRO~ID tutti))
+            (ADVP (ADVB insieme))))
+      (CONJ e)
+      (S
+          (ADVP (ADVB non))
+          (VP (VMA~FU permetteremo)
+              (PP (PREP a)
+                  (NP-933 (PRO~ID nessuno)))
+               (PP (PREP di)
+                   (S
+                       (VP (VMA~IN imbrogliarci)
+                           (NP (PRO~PE imbrogliarci)))
+                        (NP-SBJ (-NONE- *-933)))))
+               (NP-SBJ (-NONE- *-133)))
+            (. .)) )
+
+
+************** FRASE NEWS-149 **************
+
+ ( (S
+    (NP-SBJ (PRO~PE Io))
+    (VP (VMA~FU moriro')
+        (PP (PREP per)
+            (NP (PRO~OR primo))))
+      (. .)) )
+
+
+************** FRASE NEWS-150 **************
+
+ ( (S
+    (VP (VMA~RA Fu)
+        (PP-PRD-CLEFT (PREP con) (-NONE- *-)
+            (NP (ADJ~DE queste) (NOU~CP parole)))
+         (PRN
+             (, ,)
+             (CONJ mentre)
+             (S
+                 (NP-SBJ (ART~DE le) (NOU~CP truppe) (ADJ~QU antisommossa))
+                 (NP (PRO~RI si))
+                 (VP (VMA~IM preparavano)
+                     (PP (PREP all')
+                         (NP (ART~DE all') (NOU~CS attacco)))))
+                (, ,))
+             (CONJ che)
+             (S
+                 (NP-SBJ
+                     (NP (ART~DE lo) (NOU~CS studente))
+                     (PP (PREP di)
+                         (NP (NOU~PR Tirana)))
+                      (, ,)
+                      (NP (NOU~PR Azem) (NOU~PR Hajdari)))
+                   (VP (VMA~RA guido')
+                       (PP (-NONE- *-233))
+                       (NP
+                           (NP (ART~DE la) (ADJ~OR prima) (ADJ~QU grande) (NOU~CS manifestazione))
+                           (PP (PREP di)
+                               (NP (NUMR 5.000) (NOU~CP giovani))))
+                         (PP-TMP (PREP nel)
+                             (NP (ART~DE nel) (NOU~CS dicembre)
+                                 (NP (DATE '90)))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-151 **************
+
+ ( (S
+    (PP-LOC (PREP Davanti)
+        (PP (PREP alla)
+            (NP
+                (NP (ART~DE alla) (NOU~CA citta') (ADJ~QU universitaria))
+                (PP (PREP in)
+                    (NP (NOU~CS rivolta))))))
+        (VP (VMA~IM stava)
+            (PP (PREP per)
+                (S
+                    (VP (VMA~IN crollare))
+                    (NP-SBJ (-NONE- *-1033))))
+              (NP-EXTPSBJ-1033
+                  (NP (ART~DE il) (NOU~CS regime))
+                  (PP (PREP di)
+                      (NP (NOU~PR Ramiz) (NOU~PR Alia)))))
+             (NP-SBJ (-NONE- *-1033))
+             (. .)) )
+
+
+************** FRASE NEWS-152 **************
+
+ ( (S
+    (S
+        (NP-SBJ-1733
+            (NP
+                (NP (NOU~CS Anticomunista))
+                (, ,)
+                (NP
+                    (NP (NOU~CS fondatore))
+                    (PP (PREP con)
+                        (NP (ART~DE il) (NOU~CS presidente)
+                            (NP (NOU~PR Sali) (NOU~PR Berisha))))
+                      (PP (PREP del)
+                          (NP (ART~DE del)
+                              (NP (NOU~CS Partito) (ADJ~QU democratico))
+                              (SBAR
+                                  (S
+                                      (PP-1233 (PREP di)
+                                          (NP (PRO~RE cui)))
+                                       (VP (VMA~RE e')
+                                           (NP-PRD
+                                               (NP (NOU~CS deputato))
+                                               (PP (-NONE- *-1233))))
+                                         (NP-SBJ (-NONE- *-1733))))))))
+                       (, ,) (NOU~PR Hajdari))
+                    (VP (VMA~RE e')
+                        (ADJP-PRD (ADVB molto) (ADJ~QU popolare))
+                        (PP-LOC (PREP in)
+                            (NP (NOU~PR Albania)))))
+                   (, ,)
+                   (S
+                       (ADVP-TMP (ADVB oggi))
+                       (VP (VMA~RE e')
+                           (NP-PRD
+                               (NP (ART~DE il) (NOU~CA leader))
+                               (PP (PREP dei)
+                                   (NP (ART~DE dei)
+                                       (NP (NOU~CP Sindacati))
+                                       (VP (VMA~PA riuniti)
+                                           (NP (-NONE- *)))))))
+                            (NP-SBJ (-NONE- *-1733)))
+                         (. .)) )
+
+
+************** FRASE NEWS-153 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE I) (NOU~CP capi))
+            (PP (PREP del)
+                (NP (ART~DE del) (NOU~CS partito))))
+          (ADVP (ADVB non))
+          (NP (PRO~PE lo))
+          (VP (VMA~RE amano)))
+       (, ,)
+       (CONJ ma)
+       (S
+           (VP (VMO~RE devono)
+               (S
+                   (VP (VMA~IN fare)
+                       (NP (ART~DE i) (NOU~CP conti))
+                       (PP (PREP con)
+                           (NP
+                               (NP (PRO~PE lui))
+                               (CONJ e)
+                               (NP
+                                   (NP (ART~DE i) (ADJ~PO suoi) (ADJ~QU durissimi) (NOU~CP attacchi))
+                                   (PP (PREP contro)
+                                       (NP
+                                           (NP (ART~DE la) (NOU~CS corruzione))
+                                           (PP (PREP dei)
+                                               (NP (ART~DE dei) (NOU~CP politici)))))))))
+                          (NP-SBJ (-NONE- *-133))))
+                    (NP-SBJ (-NONE- *-133)))
+                 (. .)) )
+
+
+************** FRASE NEWS-154 **************
+
+ ( (S
+    (NP-SBJ (PRO~IN Chi))
+    (VP (VMA~RE sono)
+        (NP-PRD (ART~DE i) (NOU~CP politici) (ADJ~QU corrotti)))
+     (. ?)) )
+
+
+************** FRASE NEWS-155 **************
+
+ ( (S
+    (VP (VMA~RE Sono)
+        (NP-PRD (PRO~ID molti)
+            (, ,)
+            (NP
+                (PP (PREP tra)
+                    (NP (PRO~DE questi)))
+                 (NP (ART~DE il) (ADJ~OR primo) (NOU~CS ministro)
+                     (NP (NOU~PR Aleksander) (NOU~PR Meksi)))
+                  (, ,)
+                  (VP (VMA~PA collegato)
+                      (NP (-NONE- *))
+                      (PP (PREP con)
+                          (NP
+                              (NP (ART~DE gli) (NOU~CP affari))
+                              (PP (PREP delle)
+                                  (NP (ART~DE delle) (NOU~CP piramidi) (ADJ~QU finanziarie)
+                                      (, ,)))))))))
+              (NP-SBJ (-NONE- *))
+              (. .)) )
+
+
+************** FRASE NEWS-156 **************
+
+ ( (S
+    (VP (VMA~RE È)
+        (NP-PRD (ART~IN un')
+            (NP (NOU~CS accusa))
+            (ADJP (ADVB molto) (ADJ~QU grave))))
+      (NP-SBJ (-NONE- *))
+      (. .)) )
+
+
+************** FRASE NEWS-157 **************
+
+ ( (S
+    (VP (VMA~RE Ha)
+        (NP (ART~DE le) (NOU~CP prove)))
+     (NP-SBJ (-NONE- *))
+     (. ?)) )
+
+
+************** FRASE NEWS-158 **************
+
+ ( (S
+    (VP (VAU~RE Ho)
+        (VP (VMA~PA denunciato)
+            (NP (ADJ~DE questo) (NOU~CS intreccio))
+            (PP-LOC
+                (PP (PREP in)
+                    (NP (NOU~CS Parlamento)))
+                 (CONJ e)
+                 (PP (PREP sulla)
+                     (NP (ART~DE sulla) (NOU~CS stampa))))))
+         (NP-SBJ (-NONE- *))
+         (. .)) )
+
+
+************** FRASE NEWS-159 **************
+
+ ( (S
+    (ADJP-PRD (ADJ~QU Certo))
+    (VP (-NONE- *)
+        (CONJ che)
+        (S
+            (VP (VMA~RE possiedo)
+                (NP (ART~IN delle) (NOU~CP prove)))
+             (NP-SBJ (-NONE- *))))
+       (. .)) )
+
+
+************** FRASE NEWS-160 **************
+
+ ( (S
+    (S
+        (VP (VAU~RE Ho)
+            (VP (VMA~PA depositato)
+                (NP (ART~IN un) (NOU~CA dossier))
+                (PP-LOC (PREP alla)
+                    (NP
+                        (NP (ART~DE alla) (NOU~CS Procura))
+                        (PP (PREP della)
+                            (NP (ART~DE della) (NOU~CS Repubblica)))))))
+             (NP-SBJ (-NONE- *)))
+          (CONJ e)
+          (S
+              (ADVP-TMP (ADVB ora))
+              (VP (VMA~RE aspetto)
+                  (CONJ che)
+                  (S
+                      (VP (VAU~CG vengano)
+                          (VP (VMA~PA avviate)
+                              (NP-EXTPSBJ-1533 (ART~DE le) (NOU~CP indagini))))
+                        (NP-SBJ (-NONE- *-1533))))
+                  (NP-SBJ (-NONE- *)))
+               (. .)) )
+
+
+************** FRASE NEWS-161 **************
+
+ ( (S
+    (VP (VMA~FU Diro')
+        (ADVP (ADVB DI_PIÙ))
+        (CONJ quando)
+        (S
+            (NP (PRO~RI si))
+            (VP (VMA~FU presentera')
+                (NP-EXTPSBJ-733 (ART~DE il) (NOU~CS momento) (ADJ~QU opportuno)))
+             (NP-SBJ (-NONE- *-733))))
+       (NP-SBJ (-NONE- *))
+       (. .)) )
+
+
+************** FRASE NEWS-162 **************
+
+ ( (S
+    (NP-SBJ (PRO~PE Lei))
+    (VP (VMA~RE sostiene)
+        (CONJ che)
+        (S
+            (NP-LOC (PRO~LO c'))
+            (VP (VMA~RE e')
+                (NP-EXTPSBJ-633 (ART~IN un) (NOU~CS aspetto) (ADJ~QU inquietante))
+                (PP
+                    (PP (PREP nella)
+                        (NP
+                            (NP (ART~DE nella) (NOU~CS rivolta))
+                            (PP (PREP di)
+                                (NP (NOU~PR Valona)))))
+                       (CONJ e)
+                       (PP (PREP nel)
+                           (NP
+                               (NP (ART~DE nel) (NOU~CA crack))
+                               (PP (PREP delle)
+                                   (NP (ART~DE delle) (NOU~CP finanziarie)))))))
+                    (NP-SBJ (-NONE- *-633))))
+              (. .)) )
+
+
+************** FRASE NEWS-163 **************
+
+ ( (NP (PRO~IN Quale)
+    (. ?)) )
+
+
+************** FRASE NEWS-164 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Valona)))
+     (NP-333 (PRO~RI si))
+     (VP (VAU~RE e')
+         (VP (VMA~PA rotto)
+             (NP
+                 (NP (ART~IN un) (NOU~CS patto))
+                 (PP (PREP tra)
+                     (NP
+                         (NP (ART~DE la) (NOU~CA criminalita'))
+                         (CONJ e)
+                         (NP (ADJ~DE questo) (NOU~CS Governo))))
+                   (SBAR
+                       (NP-1333 (PRO~RE che))
+                       (S
+                           (NP-SBJ (-NONE- *-1333))
+                           (VP (VAU~IM aveva)
+                               (VP (VMA~PA consentito)
+                                   (NP (PRDT tutti) (ART~DE i)
+                                       (NP (NOU~CP traffici) (ADJ~QU illegali))
+                                       (PRN
+                                           (PUNCT -)
+                                           (PP (PREP dalla)
+                                               (NP (ART~DE dalla) (NOU~CS droga))
+                                               (, ,)
+                                               (PP
+                                                   (PP (PREP alla)
+                                                       (NP (ART~DE alla) (NOU~CS prostituzione)))
+                                                    (, ,)
+                                                    (PP
+                                                        (PP (PREP alle)
+                                                            (NP (ART~DE alle) (NOU~CP armi)))
+                                                         (CONJ e)
+                                                         (PP (PREP ai)
+                                                             (NP (ART~DE ai) (NOU~CP clandestini))))))
+                                                 (PUNCT -))
+                                              (SBAR
+                                                  (NP-3333 (PRO~RE che))
+                                                  (S
+                                                      (NP-SBJ (-NONE- *-3333))
+                                                      (VP (VMA~IM arricchivano)
+                                                          (NP (ART~DE le) (NOU~CP finanziarie)))))))))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-165 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS fallimento))
+        (PP (PREP di)
+            (NP
+                (NP (PRO~ID alcune))
+                (PP (PREP di)
+                    (NP (ADJ~DE queste) (NOU~CA societa'))))))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA segnato)
+                (NP
+                    (NP (ART~DE la) (NOU~CS rottura))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (NOU~CS patto))))))
+            (. .)) )
+
+
+************** FRASE NEWS-166 **************
+
+ ( (S
+    (CONJ Eppure)
+    (NP-SBJ-233 (ART~DE il) (NOU~CS governo) (NOU~PR Meksi))
+    (VP (VAU~RE e')
+        (VP (VAU~PA stato)
+            (VP (VMA~PA messo))))
+      (PP (PREP in)
+          (NP (NOU~CA difficolta')))
+       (PP-LOC (PREP a)
+           (NP (NOU~PR Valona)))
+        (ADVP (ADVB proprio))
+        (CONJ perche')
+        (S
+            (VP (VAU~RE ha)
+                (VP (VMA~PA tentato)
+                    (PP (PREP di)
+                        (S
+                            (VP (VMA~IN controllare)
+                                (NP (ART~DE la) (NOU~CS rete) (ADJ~QU clandestina)
+                                    (, ,)))
+                              (NP-SBJ (-NONE- *-15.1033))))))
+                  (NP-SBJ-15.1033 (-NONE- *-233)))
+               (. .)) )
+
+
+************** FRASE NEWS-167 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (NOU~CS Governo))
+    (VP (VAU~RE e')
+        (VP (VAU~PA stato)
+            (VP (VMA~PA costretto))))
+      (PP (PREP a)
+          (S
+              (VP (VMA~IN prendere)
+                  (NP (ADJ~DE questi) (NOU~CP provvedimenti))
+                  (PP (PREP per)
+                      (S
+                          (VP (VMA~IN frenare)
+                              (NP (ART~DE le) (NOU~CA attivita') (ADJ~QU illecite)))
+                           (NP-SBJ (-NONE- *-7.1033)))))
+                  (NP-SBJ-7.1033 (-NONE- *-133))))
+            (ADVP (ADVB soltanto))
+            (CONJ dopo)
+            (S
+                (VP (VAU~IN aver)
+                    (VP (VMA~PA ricevuto)
+                        (NP (ADJ~QU forti) (NOU~CP pressioni) (ADJ~QU internazionali))))
+                  (NP-SBJ (-NONE- *-7.1033)))
+               (. .)) )
+
+
+************** FRASE NEWS-168 **************
+
+ ( (S
+    (PP (PREP In)
+        (NP (ADJ~IN molti) (NOU~CP casi)))
+     (NP-SBJ
+         (NP (ART~DE il) (NOU~CS rastrellamento))
+         (PP (PREP dei)
+             (NP
+                 (NP (ART~DE dei) (NOU~CP soldi))
+                 (PP (PREP dei)
+                     (NP (ART~DE dei) (ADJ~QU piccoli) (NOU~CP risparmiatori))))))
+         (VP (VMA~IM era)
+             (ADVP (ADVB solo))
+             (NP-PRD
+                 (NP (ART~IN una) (NOU~CS copertura))
+                 (PP (PREP per)
+                     (S
+                         (S
+                             (VP (VMA~IN riciclare)
+                                 (NP (NOU~CS denaro)))
+                              (NP-SBJ-16.1033 (-NONE- *)))
+                           (CONJ e)
+                           (S
+                               (VP (VMA~IN distribuire)
+                                   (NP (NOU~CP tangenti)))
+                                (NP-SBJ (-NONE- *-16.1033)))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-169 **************
+
+ ( (S
+    (CONJ E)
+    (NP-SBJ
+        (NP (ART~DE i) (NOU~CP soldi))
+        (PP (PREP delle)
+            (NP (ART~DE delle) (NOU~CP piramidi))))
+      (ADVP-LOC (ADVB dove))
+      (VP (VAU~RE sono)
+          (VP (VMA~PA finiti)))
+       (. ?)) )
+
+
+************** FRASE NEWS-170 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I)
+        (NP (NOU~CP servizi))
+        (ADJP
+            (ADJP (ADJ~QU italiani))
+            (CONJ e)
+            (ADJP (ADJ~QU americani))))
+      (ADVP (ADVB forse))
+      (NP (PRO~PE lo))
+      (VP (VMA~RE sanno))
+      (. .)) )
+
+
+************** FRASE NEWS-171 **************
+
+ ( (S
+    (ADVP (ADVB PER_ESEMPIO))
+    (NP-333 (PRO~RI si))
+    (VP (VMO~CO potrebbe)
+        (S
+            (VP (VMA~IN indagare)
+                (PP
+                    (PP (PREP sulle)
+                        (NP (ART~DE sulle)
+                            (NP (NOU~CA societa') (ADJ~QU albanesi))
+                            (SBAR
+                                (NP-9333 (PRO~RE che))
+                                (S
+                                    (NP-SBJ (-NONE- *-9333))
+                                    (VP (VMA~RE operano)
+                                        (PP-LOC (PREP da)
+                                            (NP (PRO~PE voi))))))))
+                          (CONJ e)
+                          (PP (PREP sui)
+                              (NP
+                                  (NP (ART~DE sui) (ADJ~PO loro) (NOU~CP rapporti))
+                                  (PP (PREP con)
+                                      (NP (PRO~DE quelle) (ADJ~QU italiane)))))))))
+                 (NP-SBJ (-NONE- *-333))
+                 (. .)) )
+
+
+************** FRASE NEWS-172 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (VP (VMA~RE e')
+            (ADJP-PRD (ADJ~QU vero))
+            (NP-EXTPSBJ-433
+                (NP (PRO~RE quanto))
+                (SBAR
+                    (NP-5333 (PRO~PE lei))
+                    (S
+                        (NP-SBJ (-NONE- *-5333))
+                        (VP (VMA~RE afferma)
+                            (NP (-NONE- *-433)))))))
+             (NP-SBJ (-NONE- *-433)))
+          (, ,)
+          (ADVP-LOC (ADVB qui))
+          (NP (PRO~RI si))
+          (VP (VMA~RE tratta)
+              (PP
+                  (PP
+                      (ADVP (ADVB non) (ADVB soltanto)) (PREP-1333 di)
+                      (S
+                          (VP (VMA~IN-1433 cambiare)
+                              (NP (NOU~CS Governo)))
+                           (NP-SBJ (-NONE- *-14.1033))))
+                     (CONJ ma)
+                     (PP (-NONE- *-1333)
+                         (S
+                             (VP (-NONE- *-1433)
+                                 (NP (ART~IN un) (ADJ~QU intero) (NOU~CS sistema)))
+                              (NP-SBJ (-NONE- *-14.1033))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-173 **************
+
+ ( (S
+    (NP-SBJ (ADVB Anche) (ART~DE il) (NOU~CS Presidente))
+    (VP (VMA~RE e')
+        (PP-LOC (PREP nel)
+            (NP
+                (NP (ART~DE nel) (NOU~CS mirino))
+                (PP (PREP dei)
+                    (NP (ART~DE dei) (ADJ~PO suoi) (NOU~CP attacchi))))))
+        (. ?)) )
+
+
+************** FRASE NEWS-174 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (NOU~PR Berisha))
+        (VP
+            (Vbar (VMA~RE e')
+                (Sbar
+                    (VP (-NONE- *-833)))
+                 (ADJP-PRD (ADJ~QU onesto)))))
+        (PUNCT -)
+        (VP (VMA~RE conclude)
+            (NP-EXTPSBJ-633 (NOU~PR Azem))
+            (PUNCT -)
+            (S
+                (VP-833 (VMA~RE e')
+                    (NP-PRD (ART~IN un)
+                        (NP (NOU~CS uomo))
+                        (ADJP (ADVB politicamente) (ADJ~QU cosciente))))
+                  (NP-SBJ (-NONE- *-133))))
+            (NP-SBJ (-NONE- *-633))
+            (. .)) )
+
+
+************** FRASE NEWS-175 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (ADJ~PO suo) (NOU~CS obiettivo) (ADJ~QU strategico))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP (PRO~DE quello))
+            (PP (PREP di)
+                (S
+                    (VP (VMA~IN tenere)
+                        (ADVP (ADVB insieme))
+                        (NP (PRDT tutte) (ART~DE le)
+                            (NP (NOU~CP forze))
+                            (ADJP
+                                (ADJP (ADJ~QU democratiche))
+                                (CONJ e)
+                                (ADJP (ADJ~QU anticomuniste)))))
+                       (NP-SBJ (-NONE- *))))))
+           (. .)) )
+
+
+************** FRASE NEWS-176 **************
+
+ ( (S
+    (CONJ Pero')
+    (VP (VMA~RE credo)
+        (CONJ che)
+        (S
+            (NP-LOC (PRO~LO ci))
+            (VP (VMA~CG siano)
+                (NP-EXTPSBJ-633
+                    (NP (ART~IN dei) (NOU~CP limiti))
+                    (PP (PREP ai)
+                        (NP (ART~DE ai) (NOU~CP compromessi))))
+                  (PP (PREP per)
+                      (S
+                          (VP (VMA~IN mantenere)
+                              (NP (ADJ~DE questo) (NOU~CS obiettivo)))
+                           (NP-SBJ (-NONE- *)))))
+                  (NP-SBJ (-NONE- *-633))))
+            (NP-SBJ (-NONE- *))
+            (. .)) )
+
+
+************** FRASE NEWS-177 **************
+
+ ( (S
+    (PP (PREP In)
+        (NP (NOU~CS attesa))
+        (PP
+            (PP (PREP delle)
+                (NP
+                    (NP (ART~DE delle) (NOU~CP indagini))
+                    (PP (PREP della)
+                        (NP (ART~DE della) (NOU~CS Magistratura)))))
+               (CONJ e)
+               (PP (PREP di)
+                   (NP
+                       (NP (NOU~CP prove) (ADJ~QU concrete))
+                       (SBAR
+                           (NP-1333 (PRO~RE che))
+                           (S
+                               (NP-SBJ (-NONE- *-1333))
+                               (VP (VMA~CG sostengano)
+                                   (NP
+                                       (NP (ART~DE le) (NOU~CP affermazioni))
+                                       (PP (PREP di)
+                                           (NP (NOU~PR Azem)))))))))))
+                (, ,)
+                (PP-LOC (PREP a)
+                    (NP (NOU~PR Tirana)))
+                 (NP-LOC (PRO~LO c'))
+                 (VP (VMA~RE e')
+                     (NP-EXTPSBJ-2233 (ADJ~IN qualche)
+                         (NP (NOU~CS politico))
+                         (SBAR
+                             (NP-2333 (PRO~RE che) (-NONE- *-))
+                             (S
+                                 (NP-SBJ-2433 (-NONE- *-2333))
+                                 (VP (VAU~RE ha)
+                                     (VP (VMA~PA deciso)
+                                         (PP
+                                             (PP (PREP di)
+                                                 (S
+                                                     (ADVP (ADVB non))
+                                                     (VP (VMA~IN aspettare)
+                                                         (NP-3033 (ART~DE i) (NOU~CP processi))
+                                                         (PRN
+                                                             (, ,)
+                                                             (CONJ se)
+                                                             (S
+                                                                 (ADVP (ADVB mai))
+                                                                 (NP-LOC (PRO~LO ci))
+                                                                 (VP (VMA~FU saranno))
+                                                                 (NP-SBJ (-NONE- *-3033)))
+                                                              (, ,)))
+                                                        (NP-SBJ-29.1033 (-NONE- *-2433))))
+                                                  (CONJ e)
+                                                  (PP (PREP di)
+                                                      (S
+                                                          (VP (VMA~IN confessare)
+                                                              (PP (PREP in)
+                                                                  (NP (NOU~CS pubblico)))
+                                                               (NP
+                                                                   (NP (ART~DE il) (ADJ~PO suo) (NOU~CS coinvolgimento))
+                                                                   (PP (PREP con)
+                                                                       (NP (ART~DE le) (NOU~CP finanziarie)))))
+                                                              (NP-SBJ (-NONE- *-29.1033)))))))))))
+                                   (NP-SBJ (-NONE- *-2233))
+                                   (. .)) )
+
+
+************** FRASE NEWS-178 **************
+
+ ( (S
+    (VP (VMA~RE È)
+        (NP-PRD (NOU~PR Kurt) (NOU~PR Kola)
+            (, ,)
+            (NP
+                (NP (NOU~CS presidente))
+                (PP (PREP del)
+                    (NP (ART~DE del) (NOU~CA Forum)
+                        (, ,)
+                        (NP (ART~DE l')
+                            (NP (NOU~CS organizzazione))
+                            (SBAR
+                                (NP-1333 (PRO~RE che))
+                                (S
+                                    (NP-SBJ (-NONE- *-1333))
+                                    (VP (VMA~RE riunisce)
+                                        (NP
+                                            (NP (ART~DE i) (NOU~CP partiti))
+                                            (PP (PREP dell')
+                                                (NP (ART~DE dell') (NOU~CS opposizione)))))))))))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-179 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Kola)
+        (PRN
+            (, ,)
+            (NP
+                (NP (NOU~CS capo))
+                (PP (PREP di)
+                    (NP (NOU~PR Alleanza) (ADJ~QU democratica))))
+              (, ,)))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA convocato)
+                (NP (ART~IN una)
+                    (NP (NOU~CS CONFERENZA_STAMPA))
+                    (SBAR
+                        (S
+                            (PP-LOC (PREP in)
+                                (NP (PRO~RE cui)))
+                             (VP (VAU~RE ha)
+                                 (VP (VMA~PA ammesso)
+                                     (PP (PREP di)
+                                         (S
+                                             (VP (VAU~IN avere)
+                                                 (VP (VMA~PA ottenuto)
+                                                     (PP (PREP da)
+                                                         (NP
+                                                             (NP (PRO~ID una))
+                                                             (PP (PREP delle)
+                                                                 (NP (ART~DE delle)
+                                                                     (NP (NOU~CP compagnie))
+                                                                     (VP (VMA~PA implicate)
+                                                                         (NP (-NONE- *))
+                                                                         (PP-LOC (PREP nel)
+                                                                             (NP (ART~DE nel) (NOU~CS sistema) (ADJ~QU piramidale)))))))) (NUMR 15)))
+                                                     (NP-SBJ (-NONE- *-133))))))
+                                         (NP-SBJ (-NONE- *-133)))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-180 **************
+
+ ( (NP
+    (NP (NOU~CS Confessione))
+    (ADJP
+        (ADJP (ADJ~QU-233 sorprendente))
+        (, ,)
+        (CONJ ma)
+        (ADJP
+            (ADJP
+                (ADVP
+                    (ADVbar (ADVB non))) (ADVB tanto) (-NONE- *-233))
+              (PP (PREP quanto)
+                  (NP
+                      (NP (ART~DE la) (NOU~CS dichiarazione) (ADJ~QU conclusiva))
+                      (PP (PREP di)
+                          (NP (NOU~PR Kola)))))))
+           (. .)) )
+
+
+************** FRASE NEWS-181 **************
+
+ ( (S
+    (S
+        (ADVP (ADVB Non))
+        (VP (VMO~RE voglio)
+            (S
+                (VP (VMA~IN fare)
+                    (NP
+                        (NP (ART~DE il) (NOU~CS nome))
+                        (PP (PREP della)
+                            (NP (ART~DE della) (NOU~CA societa')))))
+                   (NP-SBJ (-NONE- *-2.1033))))
+             (NP-SBJ-2.1033 (-NONE- *)))
+          (CONJ e)
+          (S
+              (ADVP (ADVB non))
+              (VP (VMA~RE intendo)
+                  (S
+                      (VP (VMA~IN restituire)
+                          (NP (ADJ~DE questo) (NOU~CS denaro)))
+                       (NP-SBJ (-NONE- *-10.1033))))
+                 (NP-SBJ-10.1033 (-NONE- *-2.1033)))
+              (. .)) )
+
+
+************** FRASE NEWS-182 **************
+
+ ( (S
+    (S
+        (VP (VMO~IM Poteva)
+            (S
+                (VP (VMA~IN finire)
+                    (ADVP (ADVB cosi'))
+                    (PRN
+                        (, ,)
+                        (PP (PREP con)
+                            (NP (ADJ~DE queste)
+                                (NP (NOU~CP parole))
+                                (VP (VMA~PE sconcertanti)
+                                    (NP (-NONE- *)))))
+                           (, ,)))
+                     (NP-SBJ (-NONE- *-1.1033))))
+               (NP-SBJ-1.1033 (-NONE- *)))
+            (CONJ ma)
+            (S
+                (S
+                    (NP-SBJ-1133 (NOU~PR Kola))
+                    (ADVP (ADVB non))
+                    (NP (PRO~RI si))
+                    (VP (VAU~RE e')
+                        (VP (VMA~PA accontentato))))
+                  (CONJ e)
+                  (S
+                      (VP (VAU~RE ha)
+                          (VP (VMA~PA rivolto)
+                              (NP (ART~IN un) (NOU~CS appello) (ADJ~QU finale))))
+                        (NP-SBJ (-NONE- *-1133))))
+                  (. .)) )
+
+
+************** FRASE NEWS-183 **************
+
+ ( (S
+    (S
+        (NP
+            (NP (NOU~CP Cittadini))
+            (VP (VMA~PA truffati)
+                (NP (-NONE- *))
+                (PP-LGS (PREP dalle)
+                    (NP (ART~DE dalle) (NOU~CP piramidi)))))
+           (, ,)
+           (VP (VMA~IP sosteneteci)
+               (NP (PRO~PE sosteneteci))
+               (ADVP-TMP (ADVB ancora)))
+            (NP-SBJ (-NONE- *-133)))
+         (CONJ e)
+         (S
+             (VP (VMA~IP andate)
+                 (PP (PREP a)
+                     (S
+                         (VP (VMA~IN protestare)
+                             (PP (PREP contro)
+                                 (NP (ART~DE il) (NOU~CS Governo))))
+                           (NP-SBJ (-NONE- *-133)))))
+                  (NP-SBJ (-NONE- *-133)))
+               (. .)) )
+
+
+************** FRASE NEWS-184 **************
+
+ ( (S
+    (NP-LOC (PRO~LO C'))
+    (VP (VMA~RE e')
+        (NP-EXTPSBJ-333 (ART~DE il)
+            (NP (NOU~CS sospetto))
+            (CONJ che)
+            (S
+                (S
+                    (PP (PREP per)
+                        (S
+                            (VP (VMA~IN aggiustare)
+                                (NP
+                                    (NP (ART~DE i) (NOU~CP guasti))
+                                    (PP (PREP di)
+                                        (NP
+                                            (NP (ADJ~DE questa) (NOU~CS catena) (ADJ~QU balcanica))
+                                            (PP (PREP di)
+                                                (NP (ADJ~QU Sant') (NOU~PR Antonio)))
+                                             (PRN
+                                                 (, ,)
+                                                 (NP (ART~IN una)
+                                                     (NP (NOU~CS follia))
+                                                     (SBAR
+                                                         (NP-2333 (PRO~RE che))
+                                                         (S
+                                                             (NP-SBJ (-NONE- *-2333))
+                                                             (VP (VAU~RE ha)
+                                                                 (VP (VMA~PA coinvolto)
+                                                                     (NP
+                                                                         (NP (ART~IN un) (NOU~CS milione))
+                                                                         (PP (PREP di)
+                                                                             (NP (NOU~CP albanesi)))))))))
+                                                        (, ,))))))
+                                         (NP-SBJ (-NONE- *))))
+                                   (ADVP (ADVB non))
+                                   (VP (VMA~CG bastino)
+                                       (NP-EXTPSBJ-3133
+                                           (NP
+                                               (CONJ ne') (ART~DE i)
+                                               (NP (NOU~CP soldi)))
+                                            (CONJ ne')
+                                            (NP (ADJ~QU nuovi) (NOU~CP Governi))))
+                                      (NP-SBJ (-NONE- *-3133)))
+                                   (CONJ ma)
+                                   (S
+                                       (VP (VMA~CG serva)
+                                           (ADVP (ADVB anche))
+                                           (NP-EXTPSBJ-3933
+                                               (NP (ART~IN una) (NOU~CS seduta))
+                                               (PP (PREP di)
+                                                   (NP (NOU~CA psicanalisi) (ADJ~QU collettiva)))))
+                                          (NP-SBJ (-NONE- *-3933))))))
+                              (NP-SBJ (-NONE- *-333))
+                              (. .)) )
+
+
+************** FRASE NEWS-185 **************
+
+ ( (NP
+    (NP (NOU~CS MANOVRINA))
+    (PP (PREP DA) (NUMR 15))
+    (. .)) )
+
+
+************** FRASE NEWS-186 **************
+
+ ( (PHRASP (PHRASP (PHRAS SI')
+        (PP (PREP ALLA)
+            (NP (ART~DE ALLA) (NOU~CS MANOVRINA) (ADJ~QU CORRETTIVA)
+                (PRN
+                    (, ,)
+                    (PP (PREP di)
+                        (NP
+                            (NP (ADJ~QU modesta) (NOU~CA entita'))
+                            (, ,)
+                            (PRN
+                                (-LRB- -LRB-)
+                                (NP (NUMR 10)
+                                    (PUNCT -) (NUMR 15))
+                                 (-RRB- -RRB-))))
+                        (, ,))))
+               (PP-TMP (PREP dopo)
+                   (CONJ che)
+                   (S
+                       (VP (VAU~FU saranno)
+                           (VP (VMA~PA acquisiti)
+                               (PRN
+                                   (, ,)
+                                   (PP (PREP con)
+                                       (NP
+                                           (NP (ART~DE la) (NOU~CS Trimestrale))
+                                           (PP (PREP di)
+                                               (NP (NOU~CS cassa)))))
+                                      (, ,))
+                                   (NP-EXTPSBJ-2933
+                                       (NP (ART~DE i) (NOU~CP dati))
+                                       (PP (PREP sull')
+                                           (NP
+                                               (NP (ART~DE sull') (NOU~CS andamento) (ADJ~QU tendenziale))
+                                               (PP (PREP della)
+                                                   (NP (ART~DE della) (NOU~CS finanza) (ADJ~QU pubblica)))))
+                                          (PP-TMP (PREP per)
+                                              (NP (ART~DE il) (DATE '97))))))
+                                  (NP-SBJ (-NONE- *-2933)))))
+                         (. .)) )
+
+
+************** FRASE NEWS-187 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE L') (NOU~CS anticipo))
+        (PP (PREP della)
+            (NP (ART~DE della) (NOU~CS Finanziaria)
+                (NP (DATE '98)))))
+       (PRN
+           (, ,)
+           (PP (PREP per)
+               (NP
+                   (NP (ART~DE il) (NOU~CS presidente))
+                   (PP (PREP del)
+                       (NP (ART~DE del) (NOU~CS Consiglio)))))
+              (, ,))
+           (VP (VMA~RE e')
+               (ADVP (ADVB invece))
+               (ADJP-PRD
+                   (ADJP (ADJ~QU utile))
+                   (CONJ ma)
+                   (ADJP (ADVB non) (ADJ~QU indispensabile))))
+             (. .)) )
+
+
+************** FRASE NEWS-188 **************
+
+ ( (S
+    (VP (VAU~RE È)
+        (VP (VMA~PA INIZIATO)
+            (ADVP-TMP (ADVB IERI))
+            (PP-LOC (PREP AL)
+                (NP
+                    (NP (ART~DE AL) (NOU~PR PALAVOBIS))
+                    (PP (PREP di)
+                        (NP (NOU~PR Milano)))))
+               (NP-EXTPSBJ-833
+                   (NP (ART~DE il) (ADJ~OR terzo) (NOU~CS Congresso))
+                   (PP (PREP della)
+                       (NP (ART~DE della) (NOU~PR LEGA_NORD))))))
+           (NP-SBJ (-NONE- *-833))
+           (. .)) )
+
+
+************** FRASE NEWS-189 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Giancarlo) (NOU~PR Pagliarini))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA difeso)
+            (NP
+                (NP (ART~DE le) (NOU~CP ragioni) (ADJ~QU economiche))
+                (PP (PREP della)
+                    (NP (ART~DE della) (NOU~CS secessione))))))
+        (. .)) )
+
+
+************** FRASE NEWS-190 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Oggi))
+    (VP (-NONE- *)
+        (NP-EXTPSBJ-233
+            (NP (ART~DE il) (ADJ~OR primo) (NOU~CS intervento))
+            (PP (PREP di)
+                (NP (NOU~PR Umberto) (NOU~PR Bossi)))))
+       (NP-SBJ (-NONE- *-233))
+       (. .)) )
+
+
+************** FRASE NEWS-191 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE IL) (NOU~CS SINDACO))
+        (PP (PREP DI)
+            (NP (NOU~PR TRIESTE)))
+         (NP (NOU~PR RICCARDO) (NOU~PR ILLY)))
+      (NP (PRO~RI si))
+      (VP (VAU~RE e')
+          (VP (VMA~PA dimesso)
+              (PP-TMP (PREP dopo)
+                  (NP
+                      (NP (ART~IN una) (NOU~CS seduta) (ADJ~QU burrascosa))
+                      (PP (PREP del)
+                          (NP (ART~DE del) (NOU~CS Consiglio) (ADJ~QU comunale)))))
+                 (NP-TMP
+                     (NP (NOU~CA giovedi'))
+                     (NP (NOU~CS notte)))))
+            (. .)) )
+
+
+************** FRASE NEWS-192 **************
+
+ ( (NP
+    (NP (ADJ~QU FORTE) (NOU~CS RICHIAMO))
+    (PP (PREP DI)
+        (NP (NOU~PR GIOVANNI)
+            (NP (NOU~PR PAOLO) (ADJ~OR II))))
+      (PP (PREP alla)
+          (NP
+              (NP (ART~DE alla) (NOU~CA dignita') (ADJ~QU umana))
+              (PP (PREP dell')
+                  (NP (ART~DE dell') (NOU~CS embrione)))))
+         (. .)) )
+
+
+************** FRASE NEWS-193 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS Papa))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA detto)
+            (CONJ che)
+            (S
+                (VP (VAU~RE e')
+                    (VP (VMA~PA giunta)
+                        (NP-EXTPSBJ-833
+                            (NP (ART~DE l') (NOU~CS ora))
+                            (ADJP
+                                (ADJP (ADJ~QU storica))
+                                (CONJ e)
+                                (ADJP (ADJ~QU pressante)))
+                             (PP (PREP di)
+                                 (S
+                                     (VP (VMA~IN riconquistare)
+                                         (NP
+                                             (NP (ADJ~QU specifici) (NOU~CP spazi))
+                                             (PP (PREP di)
+                                                 (NP (NOU~CA umanita')))
+                                              (PRN
+                                                  (, ,)
+                                                  (NP
+                                                      (NP
+                                                          (NP (PRO~OR primo))
+                                                          (PP (PREP fra)
+                                                              (NP (PRO~ID tutti))))
+                                                        (NP (PRO~DE quello))
+                                                        (PP (PREP della)
+                                                            (NP (ART~DE della) (NOU~CS vita) (ADJ~QU prenatale))))
+                                                      (, ,)))
+                                                (PP (PREP alla)
+                                                    (NP
+                                                        (NP (ART~DE alla) (NOU~CS sfera))
+                                                        (PP (PREP della)
+                                                            (NP
+                                                                (NP (ART~DE della) (NOU~CS tutela))
+                                                                (PP (PREP del)
+                                                                    (NP (ART~DE del) (NOU~CS diritto))))))))
+                                                  (NP-SBJ (-NONE- *)))))))
+                                   (NP-SBJ (-NONE- *-833)))))
+                          (. .)) )
+
+
+************** FRASE NEWS-194 **************
+
+ ( (NP
+    (NP (NOU~CA VIA_LIBERA))
+    (PP (PREP DALLA)
+        (NP
+            (NP (ART~DE DALLA) (NOU~CS CORTE))
+            (PP (PREP DEI)
+                (NP (ART~DE DEI) (NOU~CP CONTI)))))
+       (PP (PREP al)
+           (NP
+               (NP (ART~DE al) (NOU~PR Dpcm))
+               (PP (PREP di)
+                   (NP (NOU~CS adozione))
+                   (PP (PREP del)
+                       (NP
+                           (NP (ART~DE del) (NOU~CS piano))
+                           (PP (PREP di)
+                               (NP (NOU~CP interventi))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-195 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS ratifica))
+        (PP (PREP del)
+            (NP (ART~DE del) (NOU~CS decreto))))
+      (VP (VMA~RE consente)
+          (PP (PREP di)
+              (S
+                  (VP (VMA~IN trasferire)
+                      (NP (NUMR 3.500) (NOU~CP miliardi))
+                      (PP (PREP per)
+                          (S
+                              (VP (VMA~IN realizzare)
+                                  (NP (ART~DE le) (NOU~CP opere))
+                                  (PP-LOC
+                                      (PP (PREP a)
+                                          (NP (NOU~PR Roma)))
+                                       (CONJ e)
+                                       (PP (PREP nel)
+                                           (NP (ART~DE nel) (NOU~PR Lazio)))))
+                                  (NP-SBJ (-NONE- *)))))
+                         (NP-SBJ (-NONE- *)))))
+                (. .)) )
+
+
+************** FRASE NEWS-196 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE LA) (NOU~CS GUERRA))
+        (PP (PREP DEL)
+            (NP (ART~DE DEL) (NOU~CS LATTE))))
+      (VP (VMO~CO potrebbe)
+          (ADVP-TMP (ADVB presto))
+          (S
+              (VP (VMA~IN aprire)
+                  (NP (ART~IN un) (ADJ~DI altro) (NOU~CS fronte)))
+               (NP-SBJ (-NONE- *-133))))
+         (. .)) )
+
+
+************** FRASE NEWS-197 **************
+
+ ( (S
+    (PP-LOC (PREP Alla)
+        (NP
+            (NP (ART~DE Alla) (NOU~PR Fieragricola))
+            (PP-LOC (PREP di)
+                (NP (NOU~PR Verona)))))
+       (NP-SBJ
+           (NP (ART~DE i) (NOU~CP Comitati) (ADJ~QU spontanei))
+           (PP (PREP degli)
+               (NP (ART~DE degli) (NOU~CP allevatori))))
+         (VP (VAU~RE hanno)
+             (VP (VMA~PA minacciato)
+                 (NP
+                     (NP (ART~DE il) (NOU~CS blocco))
+                     (PP
+                         (PP (PREP delle)
+                             (NP
+                                 (NP (ART~DE delle) (NOU~CP industrie))
+                                 (PP (PREP di)
+                                     (NP (NOU~CS lavorazione)))))
+                            (CONJ e)
+                            (PP (ADVB quindi) (PREP dei)
+                                (NP
+                                    (NP (ART~DE dei) (NOU~CP rifornimenti))
+                                    (PP (PREP di)
+                                        (NP (NOU~CP latte)))
+                                     (PP (PREP ai)
+                                         (NP (ART~DE ai) (NOU~CP punti)
+                                             (NP (NOU~CS vendita))))))))
+                           (, ,)
+                           (PP-TMP (ADVB gia') (PREP dalla)
+                               (NP (ART~DE dalla) (ADJ~DI prossima) (NOU~CS settimana)))))
+                      (. .)) )
+
+
+************** FRASE NEWS-198 **************
+
+ ( (PRN
+    (-LRB- -LRB-)
+    (NP
+        (NP
+            (NP (NOU~CP Servizi))
+            (PP (PREP a)
+                (NP
+                    (NP (NOU~CA pag.))
+                    (NP (NUMR 14)))))
+           (PRN
+               (-RRB- -RRB-)
+               (. .)))) )
+
+
+************** FRASE NEWS-199 **************
+
+ ( (S
+    (PP-TMP (PREP IN)
+        (NP (NOU~CS FEBBRAIO)))
+     (NP-SBJ (ART~DE LA) (NOU~CS PRODUZIONE) (ADJ~QU INDUSTRIALE))
+     (VP (VMA~RE frena)
+         (NP (ART~DE il) (NOU~CS passo)))
+      (. .)) )
+
+
+************** FRASE NEWS-200 **************
+
+ ( (S (PHRASP (PHRAS Si')
+        (S
+            (VP (VMA~RE e')
+                (ADJP-PRD (ADJ~QU vero)))
+             (NP-SBJ (-NONE- *))))
+       (PUNCT -)
+       (VP (VMA~RE ammette)
+           (NP-EXTPSBJ-633 (ART~DE il) (NOU~CS ministro) (ADJ~QU albanese)))
+        (NP-SBJ (-NONE- *-633))
+        (PUNCT -)
+        (. .)) )
+
+
+************** FRASE NEWS-201 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Irs))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA stimato)
+            (NP
+                (NP (ART~IN un) (NOU~CS aumento) (ADJ~QU tendenziale))
+                (PP (PREP dello)
+                    (NP (ART~DE dello) (NUMR 0,2) (SPECIAL %)))
+                 (PP (PREP della)
+                     (NP (ART~DE della) (NOU~CS produzione) (ADJ~QU media) (ADJ~QU giornaliera))))))
+         (: ;)) )
+
+
+************** FRASE NEWS-202 **************
+
+ ( (S
+    (PP (PREP rispetto)
+        (PP (PREP a)
+            (NP (NOU~CS gennaio))))
+      (VP (VAU~RE e')
+          (VP (VMA~PA attesa)
+              (NP-EXTPSBJ-633
+                  (NP (ART~IN una) (NOU~CS flessione))
+                  (PP (PREP dello)))))
+         (NP-SBJ (-NONE- *-633))
+         (. .)) )
+
+
+************** FRASE NEWS-203 **************
+
+ ( (S
+    (NP (PRO~RI Si))
+    (VP (VMA~RE ferma)
+        (ADVP-TMP (ADVB intanto))
+        (NP-EXTPSBJ-433
+            (NP (ART~DE la) (NOU~CS ripresina))
+            (PP-TMP (PREP d')
+                (NP (NOU~CS autunno)))
+             (PP (PREP della)
+                 (NP (ART~DE della) (NOU~CS chimica)))))
+        (NP-SBJ (-NONE- *-433))
+        (. .)) )
+
+
+************** FRASE NEWS-204 **************
+
+ ( (NP
+    (NP (NOU~CS OTTIMISMO))
+    (PP-LOC (PREP ALLA)
+        (NP (ART~DE ALLA) (NOU~PR WTO)
+            (, ,)
+            (SBAR
+                (S
+                    (NP-LOC (PRO~LO dove))
+                    (NP-SBJ-633
+                        (NP (ART~DE l') (ADJ~QU importante) (NOU~CS intesa))
+                        (PP (PREP sulla)
+                            (NP
+                                (NP (ART~DE sulla) (NOU~CS liberalizzazione))
+                                (PP (PREP del)
+                                    (NP
+                                        (NP (ART~DE del) (NOU~CS mercato) (ADJ~QU mondiale))
+                                        (PP (PREP delle)
+                                            (NP (ART~DE delle) (NOU~CP telecomunicazioni)))))))
+                             (PRN
+                                 (, ,)
+                                 (NP
+                                     (NP (ART~IN un) (NOU~CS affare))
+                                     (PP (PREP da)
+                                         (NP
+                                             (NP (NUMR 600) (NOU~CP miliardi))
+                                             (PP (PREP di)
+                                                 (NP (NOU~CP dollari))))))
+                                     (, ,)))
+                               (VP (VMA~RE sembra)
+                                   (ADVP-TMP (ADVB ormai))
+                                   (S-PRD
+                                       (VP (VMA~PA raggiunta))
+                                       (NP-SBJ (-NONE- *-633))))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-205 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS annuncio))
+    (VP (VAU~RE e')
+        (VP (VMA~PA atteso)
+            (PP-TMP (PREP per) (ADVB oggi))))
+      (. .)) )
+
+
+************** FRASE NEWS-206 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~IN UNA)
+        (NP (NOU~CS BRIGATA) (ADJ~QU congiunta))
+        (ADJP
+            (ADJP (ADJ~QU italo))
+            (PUNCT -)
+            (ADJP
+                (ADJP (ADJ~QU sloveno))
+                (PUNCT -)
+                (ADJP (ADJ~QU ungherese)))))
+       (VP (VAU~FU sara')
+           (VP (VMA~PA costituita)
+               (PP (PREP per)
+                   (S
+                       (VP (VMA~IN favorire)
+                           (NP
+                               (NP (ART~DE l') (NOU~CS armonizzazione))
+                               (PP (PREP degli)
+                                   (NP
+                                       (NP (ART~DE degli) (NOU~CA standard) (ADJ~QU operativi))
+                                       (PP (PREP di)
+                                           (NP (NOU~CS difesa)))))))
+                            (NP-SBJ (-NONE- *-133))))))
+                (. .)) )
+
+
+************** FRASE NEWS-207 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS idea))
+    (VP (VAU~RE e')
+        (VP (VMA~PA emersa)
+            (PP-LOC (PREP nella)
+                (NP
+                    (NP (ART~DE nella) (NOU~CS riunione))
+                    (PP-LOC (PREP alla)
+                        (NP (ART~DE alla) (NOU~PR Farnesina)))
+                     (PP (PREP dei)
+                         (NP
+                             (NP (ART~DE dei) (NOU~CP sottosegretari))
+                             (PP (PREP degli)
+                                 (NP (ART~DE degli) (NOU~CP Esteri)))
+                              (PP (PREP della)
+                                  (NP (ART~DE della) (NOU~PR Trilaterale)))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-208 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE IL) (NOU~CS PRESIDENTE))
+        (PP (PREP DELLA)
+            (NP (ART~DE DELLA) (NOU~CS CONSULTA)))
+         (NP (NOU~PR Renato) (NOU~PR Granata)))
+      (VP (VAU~RE ha)
+          (VP (VMA~PA difeso)
+              (ADVP-TMP (ADVB ieri))
+              (PRN
+                  (, ,)
+                  (PP-LOC (PREP nell')
+                      (NP
+                          (NP (ART~DE nell') (ADJ~QU annuale) (NOU~CS CONFERENZA_STAMPA))
+                          (PP (PREP della)
+                              (NP (ART~DE della) (NOU~CS Corte)))))
+                     (, ,))
+                  (NP
+                      (NP (ART~DE le) (NOU~CP sentenze))
+                      (PP (PREP sui)
+                          (NP (ART~DE sui) (NOU~CA referendum)))
+                       (, ,)
+                       (SBAR
+                           (NP-2333 (PRO~RE che))
+                           (S
+                               (NP-SBJ (-NONE- *-2333))
+                               (ADVP (ADVB non))
+                               (VP (VAU~RE sono)
+                                   (VP (VMA~PA state)
+                                       (NP-PRD
+                                           (NP (NOU~CS frutto))
+                                           (PP
+                                               (PP (PREP di)
+                                                   (NP (NOU~CP scelte) (ADJ~QU politiche)))
+                                                (CONJ ne')
+                                                (PP (PREP di)
+                                                    (NP (NOU~CP pressioni))))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-209 **************
+
+ ( (S
+    (VP (VMA~PA CHIESTE)
+        (PP-LOC (PREP IN)
+            (NP (NOU~PR ALBANIA)))
+         (NP-EXTPSBJ-433
+             (NP (ART~DE LE) (NOU~CP DIMISSIONI))
+             (PP (PREP del)
+                 (NP-733 (ART~DE del)
+                     (NP (NOU~CS Governo)) (NOU~PR Meksi)
+                     (ADJP (ADJ~QU incapace)
+                         (PP (PREP di)
+                             (S
+                                 (VP (VMA~IN fronteggiare)
+                                     (NP
+                                         (NP (ART~DE la) (NOU~CS protesta))
+                                         (PP (PREP per)
+                                             (NP
+                                                 (NP (ART~DE lo) (NOU~CS scandalo))
+                                                 (PP (PREP delle)
+                                                     (NP (ART~DE delle) (NOU~CP finanziarie)
+                                                         (NP (NOU~CS pirata))))))))
+                                       (NP-SBJ (-NONE- *-733)))))))))
+                  (NP-SBJ (-NONE- *-433))
+                  (. .)) )
+
+
+************** FRASE NEWS-210 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS richiesta))
+    (VP (VAU~RE e')
+        (VP (VAU~PA stata)
+            (VP (VMA~PA fatta))))
+      (PP-LGS (PREP da)
+          (NP (NOU~PR Gezim) (NOU~PR Zilja)
+              (, ,)
+              (NP
+                  (NP (NOU~CA leader))
+                  (PP-LOC (PREP a)
+                      (NP (NOU~PR Valona)))
+                   (PP (PREP del)
+                       (NP
+                           (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU democratico))
+                           (PP (PREP del)
+                               (NP
+                                   (NP (ART~DE del) (NOU~CS presidente))
+                                   (PP (PREP della)
+                                       (NP (ART~DE della) (NOU~CS Repubblica)))
+                                    (, ,)
+                                    (NP (NOU~PR Sali) (NOU~PR Berisha)))))))))
+               (. .)) )
+
+
+************** FRASE NEWS-211 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~IN Un) (NOU~CS piano))
+        (PP (PREP di)
+            (NP (NOU~CS assistenza)))
+         (PRN
+             (-LRB- -LRB-)
+             (NP (NUMR 50)
+                 (PUNCT -)
+                 (NP
+                     (NP (NUMR 100) (NOU~CP milioni))
+                     (PP (PREP di)
+                         (NP (NOU~CP dollari)))))
+                (-RRB- -RRB-)))
+          (VP (VMA~FU cerchera')
+              (PP (PREP di)
+                  (S
+                      (VP (VMA~IN attutire)
+                          (NP
+                              (NP (ART~DE il) (NOU~CA crack))
+                              (PP (PREP delle)
+                                  (NP (ART~DE delle) (NOU~CP piramidi)))))
+                         (NP-SBJ (-NONE- *-133)))))
+                (. .)) )
+
+
+************** FRASE NEWS-212 **************
+
+ ( (NP (ART~DE La)
+    (NP
+        (NP (NOU~CS Banca) (ADJ~QU mondiale))
+        (PP (PREP in)
+            (NP (NOU~CS aiuto))
+            (PP (PREP dell')
+                (NP (ART~DE dell') (NOU~PR Albania)))))
+       (. .)) )
+
+
+************** FRASE NEWS-213 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE I) (NOU~CP finanzieri))
+        (PP (PREP d')
+            (NP (NOU~CS assalto)))
+         (ADJP (ADVB piu') (ADJ~QU fantasiosi))
+         (PP (PREP dei)
+             (NP (ART~DE dei) (NOU~PR Balcani))))
+       (ADVP (ADVB forse))
+       (VP (VMO~FU dovranno)
+           (S
+               (VP (VMA~IN cambiare)
+                   (NP (NOU~CS mestiere)))
+                (NP-SBJ (-NONE- *-133))))
+          (. .)) )
+
+
+************** FRASE NEWS-214 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ
+            (NP (ART~DE Le) (NOU~CP pressioni))
+            (PP (PREP della)
+                (NP (ART~DE della) (NOU~CS piazza))))
+          (, ,)
+          (NP
+              (NP
+                  (NP (ART~DE la) (NOU~CS rivolta))
+                  (PP-LOC (PREP nella)
+                      (NP
+                          (NP (ART~DE nella)
+                              (" ") (NOU~CS Repubblica) (ADJ~QU indipendente)
+                              (" "))
+                           (PP (PREP di)
+                               (NP (NOU~PR Valona))))))
+                   (, ,)
+                   (NP
+                       (NP
+                           (NP (ART~DE i) (NOU~CP contrasti))
+                           (PP (PREP dentro)
+                               (PP (PREP a)
+                                   (NP (ART~IN un)
+                                       (NP (NOU~CS Governo))
+                                       (SBAR
+                                           (NP-2333 (PRO~RE che))
+                                           (S
+                                               (NP-SBJ (-NONE- *-2333))
+                                               (VP (VMA~RE annaspa)
+                                                   (PP-LOC (PREP nelle)
+                                                       (NP (ART~DE nelle)
+                                                           (NP (NOU~CP lotte))
+                                                           (ADJP (ADJ~QU interne)
+                                                               (PP (PREP al)
+                                                                   (NP (ART~DE al) (NOU~CS Partito) (ADJ~QU democratico)))))))))))))
+                                  (, ,)
+                                  (NP
+                                      (NP (NOU~CP accuse))
+                                      (CONJ e)
+                                      (NP
+                                          (NP (NOU~CP sospetti))
+                                          (PP (PREP di)
+                                              (NP (ADJ~IN ogni) (NOU~CS genere)))
+                                           (PP (PREP sulle)
+                                               (NP
+                                                   (NP (ART~DE sulle) (NOU~CP collusioni))
+                                                   (PP (PREP tra)
+                                                       (NP
+                                                           (NP (NOU~CP politici))
+                                                           (CONJ e)
+                                                           (NP (NOU~CP traffici) (ADJ~QU illegali)))))))))))
+                                (, ,)
+                                (VP (VMA~RE costringono)
+                                    (NP-4633 (NOU~PR Tirana))
+                                    (PP (PREP a)
+                                        (S
+                                            (VP (VMA~IN venire)
+                                                (PP (PREP a)
+                                                    (NP (NOU~CP patti)))
+                                                 (PP (PREP con)
+                                                     (NP
+                                                         (NP
+                                                             (NP (ART~DE la) (NOU~CA contabilita'))
+                                                             (PP (PREP dei)
+                                                                 (NP (ART~DE dei) (NOU~CP bilanci))))
+                                                           (CONJ e)
+                                                           (NP (ART~DE le) (NOU~CP istituzioni) (ADJ~QU internazionali)))))
+                                                  (NP-SBJ (-NONE- *-4633)))))
+                                         (. .)) )
+
+
+************** FRASE NEWS-215 **************
+
+ ( (S
+    (PP-LOC (PREP Nella)
+        (NP (ART~DE Nella) (NOU~CS capitale) (ADJ~QU albanese)))
+     (VP (VAU~RE sta)
+         (VP (VMA~GE arrivando)
+             (NP-EXTPSBJ-633
+                 (NP (ART~IN una) (NOU~CS missione))
+                 (PP (PREP della)
+                     (NP (ART~DE della) (NOU~CS Banca) (ADJ~QU mondiale))))
+               (PP (PREP con)
+                   (NP
+                       (NP (ART~DE l') (NOU~CS obiettivo))
+                       (PP (PREP di)
+                           (S
+                               (VP (VMA~IN mettere)
+                                   (PP (PREP a)
+                                       (NP (NOU~CS punto)))
+                                    (NP
+                                        (NP (ART~IN un) (NOU~CS piano))
+                                        (PP (PREP di)
+                                            (NP
+                                                (NP (NOU~CS assistenza))
+                                                (ADJP
+                                                    (ADJP (ADJ~QU tecnica))
+                                                    (CONJ e)
+                                                    (ADJP (ADJ~QU finanziaria)))))
+                                           (VP (VMA~PA destinato)
+                                               (NP (-NONE- *))
+                                               (PP (PREP ad)
+                                                   (S
+                                                       (VP (VMA~IN attutire)
+                                                           (NP
+                                                               (NP (ART~DE il) (NOU~CA crack))
+                                                               (PP (PREP delle)
+                                                                   (NP (ART~DE delle)
+                                                                       (' ') (NOU~CP piramidi)
+                                                                       (' ')))))
+                                                           (NP-SBJ (-NONE- *-25.1033)))))))
+                                            (NP-SBJ (-NONE- *-633))))))))
+                          (NP-SBJ (-NONE- *-633))
+                          (. .)) )
+
+
+************** FRASE NEWS-216 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS decisione))
+    (VP (VAU~RE e')
+        (VP (VAU~PA stata)
+            (VP (VMA~PA presa))))
+      (PP-TMP (PREP dopo)
+          (NP
+              (NP (ART~IN una) (NOU~CS riunione))
+              (PP-LOC (PREP a)
+                  (NP (NOU~PR Washington)))
+               (PP (PREP tra)
+                   (NP
+                       (NP (ART~DE le) (NOU~CP organizzazioni) (ADJ~QU internazionali))
+                       (CONJ e)
+                       (NP (ART~DE i) (ADJ~QU principali) (NOU~CP Paesi)
+                           (NP (NOU~CP donatori)))))))
+            (. .)) )
+
+
+************** FRASE NEWS-217 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L')
+        (NP (NOU~CS iniziativa))
+        (, ,)
+        (VP (VMA~PA appoggiata)
+            (NP (-NONE- *))
+            (PP-LGS (ADVB anche) (PREP dagli)
+                (NP (ART~DE dagli) (NOU~PR Usa)))))
+       (, ,)
+       (VP (VAU~RE e')
+           (VP (VMA~PA promossa)
+               (PP-LGS (PREP dall')
+                   (NP (ART~DE dall') (NOU~PR UNIONE_EUROPEA)
+                       (SBAR
+                           (NP-1333 (PRO~RE che))
+                           (S
+                               (NP-SBJ (-NONE- *-1333))
+                               (NP (ART~DE il) (NUMR 24) (NOU~CS febbraio))
+                               (PP (PREP in)
+                                   (NP
+                                       (NP (ART~IN una) (NOU~CS riunione))
+                                       (PP (PREP dei)
+                                           (NP
+                                               (NP (ART~DE dei) (NOU~CP ministri))
+                                               (PP (PREP degli)
+                                                   (NP (ART~DE degli) (NOU~CP Esteri)))))))
+                                    (VP (VMA~FU avra')
+                                        (PP-LOC (PREP IN_CIMA_A)
+                                            (NP (ART~DE all') (NOU~CS agenda)))
+                                         (NP
+                                             (NP (ART~DE la) (NOU~CS discussione))
+                                             (PP (PREP della)
+                                                 (NP (ART~DE della) (NOU~CA crisi) (ADJ~QU albanese)))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-218 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE L') (NOU~CS intervento)
+        (PRN
+            (PUNCT -)
+            (S
+                (PP (PREP tra)
+                    (NP (ART~DE i) (ADJ~PO suoi) (NOU~CP sostenitori)))
+                 (VP (-NONE- *)
+                     (NP-EXTPSBJ-833 (ART~DE il) (NOU~CS ministro)
+                         (NP (NOU~PR Lamberto) (NOU~PR Dini))))
+                   (NP-SBJ (-NONE- *-833)))
+                (PUNCT -)))
+          (VP (VAU~FU sara')
+              (VP (VMA~PA mirato)
+                  (PP (ADVB soprattutto) (PREP ad)
+                      (S
+                          (VP (VMA~IN attenuare)
+                              (NP
+                                  (NP (ART~DE gli) (NOU~CP effetti))
+                                  (PP (PREP dei)
+                                      (NP (ART~DE dei) (NOU~CP fallimenti)))
+                                   (PP (PREP sulla)
+                                       (NP
+                                           (NP (ART~DE sulla) (NOU~CS massa))
+                                           (ADJP (ADVB piu') (ADJ~QU povera))
+                                           (PP (PREP della)
+                                               (NP (ART~DE della) (NOU~CS popolazione)))))))
+                                (NP-SBJ (-NONE- *-133))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-219 **************
+
+ ( (S
+    (VP
+        (ADVP (ADVB Non))
+        (NP-LOC (PRO~LO c'))
+        (VP (VMA~RE e')
+            (ADVP-TMP (ADVB ancora))
+            (NP-EXTPSBJ-533
+                (NP (ART~IN una) (NOU~CS valutazione) (ADJ~QU precisa))
+                (PP (PREP sull')
+                    (NP
+                        (NP (ART~DE sull') (NOU~CA entita'))
+                        (PP (PREP del)
+                            (NP (ART~DE del) (NOU~CS piano)))))))
+             (CONJ ma)
+             (S
+                 (PP-LOC (PREP nei)
+                     (NP
+                         (NP (ART~DE nei) (NOU~CP corridoi))
+                         (PP (PREP della)
+                             (NP (ART~DE della) (NOU~CS diplomazia) (ADJ~QU internazionale)))))
+                    (NP (PRO~RI si))
+                    (VP (VMA~RE pensa)
+                        (PP (PREP a)
+                            (NP-2133
+                                (NP (ART~IN un) (NOU~CS programma))
+                                (PP (PREP da)
+                                    (NP
+                                        (PUNCT -)
+                                        (NP (NUMR 50) (NUMR 100) (NOU~CP milioni))
+                                        (PP (PREP di)
+                                            (NP (NOU~CP dollari)))))
+                                   (, ,)
+                                   (VP (VMA~PA rivolto)
+                                       (NP (-NONE- *))
+                                       (PP (ADVB soprattutto) (PREP a)
+                                           (S
+                                               (VP (VMA~IN ossigenare)
+                                                   (NP
+                                                       (NP (ART~DE le) (NOU~CP riserve))
+                                                       (PP (PREP della)
+                                                           (NP (ART~DE della)
+                                                               (NP (NOU~CS Banca) (ADJ~QU centrale))
+                                                               (VP (VMA~PA impegnata)
+                                                                   (NP (-NONE- *))
+                                                                   (PP (PREP nella)
+                                                                       (NP
+                                                                           (NP (ART~DE nella) (NOU~CS difesa))
+                                                                           (PP (PREP del)
+                                                                               (NP (ART~DE del) (NOU~CA lek))))))))))
+                                                       (NP-SBJ (-NONE- *-2133))))))))))
+                               (NP-SBJ (-NONE- *-533))
+                               (. .)) )
+
+
+************** FRASE NEWS-220 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE Il) (NOU~CS crollo))
+        (PP (PREP della)
+            (NP-3.133 (ART~DE della) (NOU~CS moneta)))
+         (PRN
+             (PUNCT -)
+             (S
+                 (PP-TMP (PREP nelle)
+                     (NP (ART~DE nelle) (ADJ~OR ultime) (NOU~CP settimane)))
+                  (VP (VAU~RE ha)
+                      (VP (VMA~PA perso)
+                          (NP
+                              (NP (ART~DE il) (NUMR 30) (SPECIAL %))
+                              (PP (PREP sul)
+                                  (NP (ART~DE sul) (NOU~CS dollaro))))))
+                      (NP-SBJ (-NONE- *-3.133)))
+                   (PUNCT -)))
+             (VP (VMA~CO sarebbe)
+                 (NP-PRD (ART~DE il) (NOU~CS tocco) (ADJ~QU finale))
+                 (PP (PREP per)
+                     (S
+                         (VP (VMA~IN aprire)
+                             (NP
+                                 (NP (ART~IN un') (ADJ~DI altra) (NOU~CS voragine))
+                                 (PP-LOC (PREP nei)
+                                     (NP
+                                         (NP (ART~DE nei) (NOU~CP conti))
+                                         (PP (PREP dell')
+                                             (NP (ART~DE dell') (NOU~PR Albania)))))))
+                              (NP-SBJ (-NONE- *-133)))))
+                     (. .)) )
+
+
+************** FRASE NEWS-221 **************
+
+ ( (S
+    (CONJ E)
+    (PP (PREP per)
+        (NP
+            (NP (NOU~CP motivi))
+            (PP (PREP di)
+                (NP (NOU~CS ordine) (ADJ~QU pubblico)))))
+       (ADVP (ADVB forse))
+       (VP (VAU~FU saranno)
+           (VP (VMA~PA salvate)
+               (NP-EXTPSBJ-1033
+                   (NP (ART~DE le) (ADJ~DI altre) (NOU~CP finanziarie))
+                   (PP (PREP in)
+                       (NP (NOU~CA difficolta'))))))
+           (NP-SBJ (-NONE- *-1033))
+           (. .)) )
+
+
+************** FRASE NEWS-222 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (PRO~PE loro)))
+     (VP (VMO~CO potrebbe)
+         (S
+             (VP (VMA~IN esserci)
+                 (NP-LOC (PRO~LO esserci)))
+              (NP-SBJ (-NONE- *-533)))
+           (NP-EXTPSBJ-533
+               (NP (ART~IN una) (NOU~CS sorta))
+               (PP (PREP di)
+                   (' ')
+                   (NP (NOU~CS amministrazione) (ADJ~QU controllata))
+                   (' '))))
+          (NP-SBJ (-NONE- *-533))
+          (. .)) )
+
+
+************** FRASE NEWS-223 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CP Migliaia))
+        (PP (PREP di)
+            (NP
+                (NP (ADJ~QU piccoli) (NOU~CP risparmiatori))
+                (VP (VMA~PA truffati)
+                    (NP (-NONE- *)))
+                 (PP (PREP con)
+                     (NP (ART~DE le) (NOU~CP tasche) (ADJ~QU vuote))))))
+         (VP (VAU~RE sono)
+             (VP (VMA~PA diventati)
+                 (NP-PRD
+                     (NP (ART~DE la) (NOU~CS massa))
+                     (PP (PREP di)
+                         (NP (NOU~CS manovra)))
+                      (PP (PREP della)
+                          (NP (ART~DE della) (NOU~CS protesta))))))
+              (. .)) )
+
+
+************** FRASE NEWS-224 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS malcontento))
+        (VP (VMA~PA sfruttato)
+            (NP (-NONE- *))
+            (PP-LGS
+                (PP
+                    (ADVP (ADVB non) (ADVB solo)) (PREP dall')
+                    (NP (ART~DE dall') (NOU~CS opposizione)))
+                 (, ,)
+                 (CONJ ma)
+                 (PP (PREP da)
+                     (NP (ADVB anche)
+                         (NP (NOU~CP organizzazioni))
+                         (ADJP
+                             (ADJP (ADJ~QU criminali))
+                             (CONJ e)
+                             (ADJP (ADJ~QU malavitose)))
+                          (PP (PREP con)
+                              (NP
+                                  (NP (NOU~CP investimenti))
+                                  (PP-LOC (PREP nelle)
+                                      (NP (ART~DE nelle)
+                                          (' ') (NOU~CP piramidi)
+                                          (' ')))
+                                    (PP (PREP da)
+                                        (NP
+                                            (NP (NOU~CP milioni))
+                                            (PP (PREP di)
+                                                (NP (NOU~CP dollari)))
+                                             (, ,)
+                                             (NP
+                                                 (NP (NOU~CP proventi))
+                                                 (PP (PREP del)
+                                                     (NP
+                                                         (NP (ART~DE del) (NOU~CS traffico))
+                                                         (PP
+                                                             (PP (PREP di)
+                                                                 (NP (NOU~CS droga)))
+                                                              (, ,)
+                                                              (PP
+                                                                  (PP (PREP dei)
+                                                                      (NP (ART~DE dei) (NOU~CP clandestini)))
+                                                                   (, ,)
+                                                                   (PP
+                                                                       (PP (PREP della)
+                                                                           (NP (ART~DE della) (NOU~CS prostituzione)))
+                                                                        (, ,)
+                                                                        (PP
+                                                                            (PP (PREP delle)
+                                                                                (NP (ART~DE delle) (NOU~CP armi)))
+                                                                             (, ,)
+                                                                             (PP (PREP del)
+                                                                                 (NP
+                                                                                     (NP (ART~DE del) (NOU~CS riciclaggio))
+                                                                                     (PP (PREP di)
+                                                                                         (NP (NOU~CS denaro) (ADJ~QU sporco)))))))))))))))))))))
+                                (. .)) )
+
+
+************** FRASE NEWS-225 **************
+
+ ( (S
+    (S
+        (S
+            (VP-SBJ (VMA~IN Svuotare)
+                (NP (ART~DE la) (NOU~CS piazza)))
+             (NP-SBJ (-NONE- *)))
+          (, ,)
+          (S
+              (VP (VMA~IN far)
+                  (S
+                      (VP (VMA~IN sbollire)
+                          (NP-733 (ART~DE la) (NOU~CS rabbia)))
+                       (NP-SBJ (-NONE- *-733))))
+                 (NP-SBJ (-NONE- *))))
+           (, ,)
+           (VP (VMA~RE e')
+               (NP-PRD
+                   (NP (ART~DE l') (NOU~CS obiettivo))
+                   (PP (PREP del)
+                       (NP (ART~DE del) (NOU~CS Governo)))))
+              (. .)) )
+
+
+************** FRASE NEWS-226 **************
+
+ ( (S
+    (VP
+        (VP (VAU~FU Saranno)
+            (ADVP (ADVB quindi))) (VMA~PA rimborsati)
+         (ADVP-TMP (ADVB subito))
+         (NP-EXTPSBJ-533
+             (NP (PRO~DE coloro))
+             (SBAR
+                 (NP-6333 (PRO~RE che))
+                 (S
+                     (NP-SBJ (-NONE- *-6333))
+                     (VP (VAU~RE hanno)
+                         (VP (VMA~PA perduto)
+                             (NP
+                                 (NP (NOU~CP capitali))
+                                 (PP (PREP da)
+                                     (NP (NUMR 1.000)
+                                         (PUNCT -) (NUMR 2.000) (NOU~CP dollari))))))))))
+              (NP-SBJ (-NONE- *-533))
+              (. .)) )
+
+
+************** FRASE NEWS-227 **************
+
+ ( (S
+    (NP-133 (NOU~PR Tirana))
+    (PUNCT -)
+    (VP (VMA~RE dichiara)
+        (NP-EXTPSBJ-433
+            (NP (ART~DE il) (NOU~CS ministro))
+            (PP (PREP degli)
+                (NP (ART~DE degli) (NOU~CP Esteri)))
+             (NP (NOU~PR Tritan) (NOU~PR Shehu)))
+          (PUNCT -)
+          (S
+              (VP (VMA~FU chiedera')
+                  (NP (NOU~CS aiuto))
+                  (PP (PREP all')
+                      (NP (ART~DE all') (NOU~PR UNIONE_EUROPEA)))
+                   (PP (PREP per)
+                       (NP
+                           (NP (ART~IN un) (NOU~CS pacchetto))
+                           (PP (PREP di)
+                               (NP
+                                   (NP (NOU~CP misure))
+                                   (VP (VMA~PA destinate)
+                                       (NP (-NONE- *))
+                                       (PP (PREP a)
+                                           (S
+                                               (VP (VMA~IN sostenere)
+                                                   (NP
+                                                       (NP (ART~DE le) (NOU~CP fasce))
+                                                       (PP (PREP di)
+                                                           (NP (NOU~CS popolazione)))
+                                                        (ADJP (ADVB piu') (ADJ~QU vulnerabili))))
+                                                  (NP-SBJ (-NONE- *-21.1033))))))))))
+                          (NP-SBJ (-NONE- *-133))))
+                    (NP-SBJ (-NONE- *-433))
+                    (. .)) )
+
+
+************** FRASE NEWS-228 **************
+
+ ( (NP
+    (NP
+        (NP (NOU~CP Linee))
+        (PP (PREP di)
+            (NP (NOU~CS credito)))
+         (PP (PREP per)
+             (S
+                 (VP (VMA~IN assorbire)
+                     (NP (NOU~CS disoccupazione)))
+                  (NP-SBJ (-NONE- *)))))
+         (CONJ e)
+         (NP
+             (NP (NOU~CP finanziamenti))
+             (PP (PREP sulle)
+                 (NP (ART~DE sulle) (NOU~CP infrastrutture))))
+           (. .)) )
+
+
+************** FRASE NEWS-229 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Shehu)
+        (PRN
+            (, ,)
+            (VP (VMA~PA sfuggito)
+                (NP (-NONE- *))
+                (NP-TMP (NUMR tre) (NOU~CP settimane) (ADJ~DI fa))
+                (PP (PREP a)
+                    (NP (ART~IN un) (NOU~CS linciaggio)))
+                 (PP (PREP nella)
+                     (NP
+                         (NP (ART~DE nella) (NOU~CS rivolta))
+                         (PP (PREP di)
+                             (NP (NOU~PR Lushnja))))))
+                 (, ,)))
+           (VP (VMA~RE promette)
+               (ADVP-TMP (ADVB intanto))
+               (NP (NOU~CP querele))
+               (PP (PREP alla)
+                   (NP (ART~DE alla)
+                       (NP (NOU~CS stampa) (ADJ~QU internazionale))
+                       (SBAR
+                           (NP-2333 (PRO~RE che))
+                           (S
+                               (NP-SBJ (-NONE- *-2333))
+                               (NP-2233 (PRO~PE lo))
+                               (VP (VAU~RE ha)
+                                   (VP (VMA~PA accusato)
+                                       (PP (PREP di)
+                                           (S
+                                               (VP (VAU~IN essere)
+                                                   (VP (VMA~PA coinvolto)
+                                                       (PP (PREP nel)
+                                                           (NP
+                                                               (NP (ART~DE nel) (NOU~CS contrabbando))
+                                                               (PP (PREP di)
+                                                                   (NP
+                                                                       (NP (NOU~CS petrolio))
+                                                                       (, ,)
+                                                                       (ADJP (ADJ~QU fiorentissimo)
+                                                                           (PP-TMP (PREP durante)
+                                                                               (NP
+                                                                                   (NP (ART~DE la) (NOU~CS guerra) (ADJ~QU bosniaca))
+                                                                                   (PP (PREP tra)
+                                                                                       (NP (NOU~PR Albania)
+                                                                                           (CONJ ed)
+                                                                                           (NP (ADJ~QU ex) (NOU~PR Jugoslavia)))))))))))))
+                                                          (NP-SBJ (-NONE- *-2233)))))))))))
+                               (. .)) )
+
+
+************** FRASE NEWS-230 **************
+
+ ( (S
+    (S
+        (S
+            (NP-SBJ-133 (ART~DE Il) (NOU~CS ministro))
+            (VP (VMA~RE vive)
+                (PP-LOC (PREP in)
+                    (NP (ART~IN un) (ADJ~QU modesto) (NOU~CS appartamento)))))
+           (, ,)
+           (S
+               (S
+                   (ADVP (ADVB non))
+                   (VP (VMA~RE possiede)
+                       (NP (ADVB neppure) (ART~DE l') (NOU~CS automobile)))
+                    (NP-SBJ-10.1033 (-NONE- *-133)))
+                 (CONJ ed)
+                 (S
+                     (VP (VMA~RE e')
+                         (ADJP-PRD (ADJ~QU estraneo)
+                             (PP (PREP a)
+                                 (NP (ADJ~IN ogni) (NOU~CA attivita') (ADJ~QU illecita)))))
+                        (NP-SBJ (-NONE- *-10.1033)))))
+               (, ,)
+               (VP (VMA~RE dicono)
+                   (PP-LOC (PREP a)
+                       (NP (NOU~PR Tirana)))
+                    (NP-EXTPSBJ-2533
+                        (NP (PRO~DE quelli))
+                        (SBAR
+                            (NP-2333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-2333))
+                                (NP (PRO~PE lo))
+                                (VP (VMA~RE conoscono)
+                                    (ADVP (ADVB bene)))))))
+                     (NP-SBJ (-NONE- *-2533))
+                     (. .)) )
+
+
+************** FRASE NEWS-231 **************
+
+ ( (S
+    (NP-SBJ (PRO~ID Nessuno))
+    (ADVP-TMP (ADVB finora))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA mostrato)
+            (NP
+                (NP (NOU~CP prove) (ADJ~QU concrete))
+                (PP
+                    (PP (PREP contro)
+                        (PP (PREP di)
+                            (NP (PRO~PE lui))))
+                      (CONJ o)
+                      (PP (PREP contro)
+                          (NP
+                              (NP (ART~DE il) (NOU~CS presidente)
+                                  (NP (NOU~PR Sali) (NOU~PR Berisha)))
+                               (CONJ e)
+                               (NP
+                                   (NP (ADJ~DI altri) (NOU~CP membri))
+                                   (PP
+                                       (PP (PREP del)
+                                           (NP (ART~DE del) (NOU~CS Governo)))
+                                        (CONJ o)
+                                        (PP (PREP del)
+                                            (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU democratico)))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-232 **************
+
+ ( (S
+    (PP-LOC (PREP Nella)
+        (NP (ART~DE Nella) (NOU~CS capitale) (ADJ~QU albanese)))
+     (VP (VMA~RE abbondano)
+         (NP-EXTPSBJ-3133
+             (NP-533 (NOU~CP spie))
+             (, ,)
+             (NP
+                 (NP (NOU~CP informatori))
+                 (, ,)
+                 (NP
+                     (NP (NOU~CA dossier))
+                     (CONJ e)
+                     (NP (ADJ~IN molte) (NOU~CP voci) (ADJ~QU incontrollate))))))
+         (NP-SBJ (-NONE- *-533))
+         (. .)) )
+
+
+************** FRASE NEWS-233 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Una) (NOU~CS cosa))
+    (VP (VMA~RE e')
+        (ADJP-PRD
+            (ADJP (ADJ~QU sicura))
+            (, ,)
+            (ADJP (ADJ~QU tangibile)
+                (PP (ADVB anche) (PREP al)
+                    (NP (ART~DE al))))))
+        (. .)) )
+
+
+************** FRASE NEWS-234 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Qui))
+    (VP (VAU~RE e')
+        (VP (VMA~PA circolata)
+            (NP-EXTPSBJ-433
+                (NP (ART~IN una) (NOU~CA quantita'))
+                (PP (PREP di)
+                    (NP
+                        (NP (NOU~CS denaro))
+                        (ADJP (ADVB decisamente) (ADJ~QU sproporzionata)
+                            (PP (PREP alla)
+                                (NP
+                                    (NP (ART~DE alla) (NOU~CS ricchezza))
+                                    (PRN
+                                        (, ,)
+                                        (S
+                                            (VP (VMA~CO sarebbe)
+                                                (ADVP (ADVB meglio))
+                                                (S-EXTPSBJ-3133
+                                                    (VP-1533 (VMA~IN dire)
+                                                        (PP (PREP alla)
+                                                            (NP
+                                                                (NP (ART~DE alla) (NOU~CA poverta'))
+                                                                (PP (-NONE- *-1933)))))
+                                                       (NP-SBJ (-NONE- *))))
+                                                 (VP-SBJ (-NONE- *-1533)))
+                                              (, ,))
+                                           (PP-1933 (PREP del)
+                                               (NP (ART~DE del)
+                                                   (NP (NOU~CS Paese))
+                                                   (, ,)
+                                                   (SBAR
+                                                       (NP-2333 (PRO~RE che))
+                                                       (S
+                                                           (NP-SBJ (-NONE- *-2333))
+                                                           (VP (VMA~RE ha)
+                                                               (NP
+                                                                   (NP (ART~IN un) (NOU~CS Prodotto) (ADJ~QU interno) (ADJ~QU lordo))
+                                                                   (PP (PREP di)
+                                                                       (NP
+                                                                           (NP (NUMR 1,5) (NOU~CP miliardi))
+                                                                           (PP (PREP di)
+                                                                               (NP (NOU~CP dollari)))))))))))))))))))
+                            (NP-SBJ (-NONE- *-433))
+                            (. .)) )
+
+
+************** FRASE NEWS-235 **************
+
+ ( (S
+    (PP-LOC (PREP Nel)
+        (NP (ART~DE Nel)
+            (NP (NOU~CS sistema))
+            (PUNCT -) (NOU~PR Albania)
+            (VP
+                (VP (VMA~PA drogato)
+                    (PP-LGS (PREP dalle)
+                        (NP
+                            (NP (ART~DE dalle) (NOU~CP violazioni))
+                            (PP (PREP dell')
+                                (NP
+                                    (NP (ART~DE dell') (NOU~CS embargo))
+                                    (PP (PREP contro)
+                                        (NP (ART~DE la) (ADJ~QU ex) (NOU~PR Jugoslavia))))))))
+                      (NP (-NONE- *))
+                      (, ,)
+                      (S
+                          (VP (VMA~PA innaffiato)
+                              (PP-LGS
+                                  (PP (PREP dal)
+                                      (NP (ART~DE dal) (NOU~CS narcotraffico)))
+                                   (CONJ e)
+                                   (PP (PREP da)
+                                       (NP
+                                           (NP (NOU~CA attivita') (ADJ~QU illecite))
+                                           (PP (PREP di)
+                                               (NP (ADJ~IN ogni) (NOU~CS genere)))))))
+                                (NP-SBJ (-NONE- *-5.1033))))))
+                    (, ,)
+                    (VP (VAU~RE e')
+                        (VP (VMA~PA passata)
+                            (NP-EXTPSBJ-2833
+                                (NP (ADJ~IN qualche) (NOU~CS decina))
+                                (PP (PREP di)
+                                    (NP
+                                        (NP (NOU~CP miliardi))
+                                        (PP (PREP di)
+                                            (NP (NOU~CP dollari))))))
+                                (PP-TMP (PREP negli)
+                                    (NP (ART~DE negli) (ADJ~OR ultimi)
+                                        (NP (NUMR tre)
+                                            (PUNCT -)
+                                            (NP (NUMR quattro))) (NOU~CP anni)))))
+                             (NP-SBJ (-NONE- *-2833))
+                             (. .)) )
+
+
+************** FRASE NEWS-236 **************
+
+ ( (S
+    (ADVP (ADVB Certo))
+    (NP-SBJ (ART~DE l') (NOU~PR Albania))
+    (ADVP (ADVB non))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP
+                (ADVP (ADVB soltanto)) (PRO~DE questo))
+             (CONJ ma)
+             (NP
+                 (NP
+                     (NP (ADVB anche) (NOU~CP rimesse))
+                     (PP (PREP degli)
+                         (NP (ART~DE degli) (NOU~CP immigrati))))
+                   (, ,)
+                   (NP
+                       (NP (NOU~CP investimenti) (ADJ~QU stranieri))
+                       (PP (PREP in)
+                           (NP
+                               (NP (NOU~CA attivita') (ADJ~QU produttive))
+                               (SBAR
+                                   (NP-1333 (PRO~RE che))
+                                   (S
+                                       (NP-SBJ (-NONE- *-1333))
+                                       (VP (VAU~RE hanno)
+                                           (VP (VMA~PA generato)
+                                               (NP
+                                                   (NP (NOU~CS occupazione))
+                                                   (CONJ ed)
+                                                   (NP (NOU~CS entusiasmo)))
+                                                (PP-LOC (PREP in)
+                                                    (NP (ART~IN un)
+                                                        (NP (NOU~CS Paese))
+                                                        (VP (VMA~PA uscito)
+                                                            (NP (-NONE- *))
+                                                            (PP (PREP da)
+                                                                (NP
+                                                                    (NP (NUMR cinquant') (NOU~CP anni))
+                                                                    (PP (PREP di)
+                                                                        (NP
+                                                                            (NP (NOU~CS stalinismo))
+                                                                            (VP (VMA~PA pietrificato)
+                                                                                (NP (-NONE- *))))))))))))))))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-237 **************
+
+ ( (S
+    (CONJ Eppure)
+    (NP-SBJ-233 (PRO~ID qualcuno))
+    (VP (VMO~IM doveva)
+        (ADVP (ADVB pure))
+        (S
+            (VP (VMA~IN accorgersi)
+                (NP (PRO~RI accorgersi))
+                (PP (PREP della)
+                    (NP
+                        (NP (ART~DE della) (NOU~CS faccia))
+                        (ADJP (ADVB piu') (ADJ~QU inquietante))
+                        (PP (PREP di)
+                            (NP (ADJ~DE questo) (ADJ~QU tumultuoso) (NOU~CS sviluppo))))))
+                (NP-SBJ (-NONE- *-233)))
+             (, ,)
+             (CONJ perche')
+             (S
+                 (S
+                     (NP-SBJ-1633 (ART~DE il) (ADJ~PO suo) (NOU~CS volto) (ADJ~QU ingombrante))
+                     (ADVP (ADVB non))
+                     (VP (VAU~IM era)
+                         (VP (VMA~PA nascosto)
+                             (PP-LGS (PREP da)
+                                 (NP (ART~IN una) (NOU~CS maschera))))))
+                     (CONJ ma)
+                     (S
+                         (NP (PRO~RI si))
+                         (VP (VMA~IM presentava)
+                             (PP (PREP in)
+                                 (NP (PRDT tutta) (ART~DE la) (ADJ~PO sua) (NOU~CS evidenza))))
+                           (NP-SBJ (-NONE- *-1633)))))
+                  (. .)) )
+
+
+************** FRASE NEWS-238 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Adesso))
+    (NP (PRO~RI si))
+    (VP (VMA~RE fanno)
+        (NP (ART~DE i)
+            (NP (NOU~CP conti))
+            (, ,)
+            (ADJP
+                (' ') (ADJ~QU ballerini)
+                (' ')
+                (CONJ perche')
+                (S
+                    (ADVP-LOC (ADVB qui))
+                    (VP (VMA~RE saltano)
+                        (NP-EXTPSBJ-1433
+                            (NP (PRDT tutti) (ART~DE i) (NOU~CP criteri))
+                            (PP (PREP di)
+                                (NP (NOU~CS calcolo)))))
+                       (NP-SBJ (-NONE- *-1433))))))
+           (. .)) )
+
+
+************** FRASE NEWS-239 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Le)
+        (' ') (NOU~CP piramidi)
+        (' '))
+     (VP (VAU~RE hanno)
+         (VP (VMA~PA lasciato)
+             (NP
+                 (NP (ART~IN un) (NOU~CS buco))
+                 (PP (PREP da)
+                     (NP
+                         (NP (NUMR due) (NOU~CP miliardi))
+                         (PP (PREP di)
+                             (NP (NOU~CP dollari))))))))
+           (. .)) )
+
+
+************** FRASE NEWS-240 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Dove))
+    (VP (VAU~RE sono)
+        (VP (VMA~PA finiti)))
+     (NP-SBJ (-NONE- *))
+     (. ?)) )
+
+
+************** FRASE NEWS-241 **************
+
+ ( (S
+    (NP-SBJ
+        (ADVP (ADVB Ben)) (PRO~ID poco))
+     (VP (VMA~RE e')
+         (PP-LOC (PREP in)
+             (NP (NOU~PR Albania)
+                 (, ,)
+                 (SBAR
+                     (S
+                         (NP-LOC (PRO~LO dove))
+                         (PP (PREP con)
+                             (NP (ART~DE le)
+                                 (' ') (NOU~CP piramidi)
+                                 (' ')))
+                           (VP (VAU~RE sono)
+                               (VP (VAU~PA stati)
+                                   (VP (VMA~PA ripuliti))))
+                             (NP-SBJ (-NONE- *-1633))
+                             (NP-EXTPSBJ-1633 (ADJ~IN molti) (NOU~CP soldi) (ADJ~QU sporchi)))))))
+              (. .)) )
+
+
+************** FRASE NEWS-242 **************
+
+ ( (S
+    (CONJ Ma) ( lontano
+        (PP (PREP da)
+            (NP (NOU~PR Tirana))))
+      (NP-LOC (PRO~LO c'))
+      (VP (VMA~RE e')
+          (ADVP (ADVB probabilmente))
+          (NP-EXTPSBJ-833
+              (NP (PRO~ID qualcuno))
+              (PRN
+                  (PUNCT -)
+                  (CONJ come)
+                  (S
+                      (VP (VMA~IM diceva)
+                          (NP-EXTPSBJ-1233 (ART~DE il) (NOU~CS pamphlettista) (ADJ~QU svizzero)
+                              (NP (NOU~PR Jean) (NOU~PR Ziegler))))
+                        (NP-SBJ (-NONE- *-1233)))
+                     (PUNCT -))
+                  (SBAR
+                      (NP-1333 (PRO~RE che))
+                      (S
+                          (NP-SBJ (-NONE- *-1333))
+                          (VP (VMA~RE lava)
+                              (ADVP-TMP (ADVB sempre))
+                              (ADJP (ADVB piu') (ADJ~QU bianco)))))))
+               (NP-SBJ (-NONE- *-833))
+               (. .)) )
+
+
+************** FRASE NEWS-243 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE La) (NOU~PR Vefa)
+        (PRN
+            (, ,)
+            (NP
+                (NP (PRO~ID una))
+                (PP (PREP delle)
+                    (NP (ART~DE delle)
+                        (NP (ADJ~OR ultime) (NOU~CA societa') (ADJ~QU finanziarie))
+                        (VP (VMA~PA rimaste)
+                            (NP (-NONE- *))
+                            (ADVP-TMP (ADVB ancora))
+                            (ADJP-PRD (ADJ~QU operative))
+                            (PP-LOC (PREP in)
+                                (NP (NOU~PR Albania)))))))
+                 (, ,)))
+           (VP (VAU~RE ha)
+               (VP (VMA~PA deciso)
+                   (ADVP-TMP (ADVB ieri))
+                   (PP
+                       (PP (PREP di)
+                           (S
+                               (VP (VMA~IN bloccare)
+                                   (NP
+                                       (NP (ART~DE il) (NOU~CS pagamento))
+                                       (PP (PREP degli)
+                                           (NP (ART~DE degli) (NOU~CP interessi)))
+                                        (PP (PREP ai)
+                                            (NP (ART~DE ai)
+                                                (NP (NOU~CP risparmiatori))
+                                                (SBAR
+                                                    (NP-2333 (PRO~RE che))
+                                                    (S
+                                                        (NP-SBJ (-NONE- *-2333))
+                                                        (NP (PRO~PE le))
+                                                        (VP (VAU~IM avevano)
+                                                            (VP (VMA~PA affidato)
+                                                                (NP (ART~DE i) (ADJ~PO propri) (NOU~CP capitali))))))))))
+                                        (NP-SBJ-19.1033 (-NONE- *-133))))
+                                  (CONJ e)
+                                  (PP (PREP di)
+                                      (S
+                                          (VP (VMA~IN cominciare)
+                                              (NP
+                                                  (NP (ART~DE la) (NOU~CS restituzione))
+                                                  (PP (PREP dei)
+                                                      (NP (ART~DE dei) (NOU~CP depositi)))
+                                                   (PP (PREP a)
+                                                       (NP
+                                                           (NP (PRO~RE-4133 chi))
+                                                           (SBAR
+                                                               (S
+                                                                   (VP (VAU~RE ha)
+                                                                       (VP (VMA~PA investito)
+                                                                           (PP (PREP fino)
+                                                                               (PP (PREP a) (NUMR 20)))))
+                                                                      (NP-SBJ (-NONE- *-4333)))
+                                                                   (NP-4333 (-NONE- *-4133)))))))
+                                                    (NP-SBJ (-NONE- *-19.1033)))))))
+                                     (. .)) )
+
+
+************** FRASE NEWS-244 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE I) (PRO~OR primi))
+        (PP (PREP a)
+            (S
+                (VP (VAU~IN venire)
+                    (VP (VMA~PA rimborsati)))
+                 (NP-SBJ (-NONE- *-133)))))
+        (PRN
+            (PUNCT -)
+            (S
+                (NP-SBJ (ART~DE l') (NOU~CS operazione))
+                (VP (VMA~FU iniziera')
+                    (ADVP-TMP (ADVB oggi))))
+              (PUNCT -))
+           (VP (VMA~FU saranno)
+               (NP-PRD
+                   (NP (PRO~DE coloro))
+                   (SBAR
+                       (NP-1333 (PRO~RE che))
+                       (S
+                           (NP-SBJ (-NONE- *-1333))
+                           (VP (VAU~RE hanno)
+                               (VP (VMA~PA investito)
+                                   (PP (PREP fino)
+                                       (PP (PREP a)
+                                           (NP (NUMR cinquemila) (NOU~CP dollari))))))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-245 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Successivamente))
+    (VP (VMA~FU verra')
+        (NP-EXTPSBJ-333
+            (NP (ART~DE il) (NOU~CS turno))
+            (PP (PREP di)
+                (NP
+                    (NP (PRO~RE-633 chi))
+                    (SBAR
+                        (S
+                            (VP (VMA~RE ha)
+                                (NP
+                                    (NP (ART~IN un) (NOU~CS capitale))
+                                    (VP (VMA~PA investito)
+                                        (NP (-NONE- *)))
+                                     (PP (PREP di)
+                                         (NP
+                                             (NP
+                                                 (NP (ART~IN un) (NOU~CS massimo))
+                                                 (PP (PREP di) (NUMR 10)))
+                                              (CONJ e)
+                                              (PRN
+                                                  (, ,)
+                                                  (ADVP-TMP (ADVB infine))
+                                                  (, ,))
+                                               (PP (PREP tra)
+                                                   (NP
+                                                       (NP (ART~DE i) (-NONE- *-2933)
+                                                           (NP (NUMR 10) (-NONE- *-2833)))
+                                                        (CONJ e)
+                                                        (NP (ART~DE i)
+                                                            (NP (NUMR 20) (NUMR-2833 mila)) (NOU~CP2 dollari))))))))
+                                       (NP-SBJ (-NONE- *-7333)))
+                                    (NP-7333 (-NONE- *-633)))))))
+                     (NP-SBJ (-NONE- *-333))
+                     (. .)) )
+
+
+************** FRASE NEWS-246 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE L') (NOU~CS annuncio)
+        (PRN
+            (, ,)
+            (VP (VMA~PA dato)
+                (NP (-NONE- *))
+                (PP-LOC (PREP a)
+                    (NP (NOU~PR Tirana)))
+                 (PP-LGS (PREP dal)
+                     (NP
+                         (NP (ART~DE dal) (NOU~CS presidente))
+                         (PP (PREP del)
+                             (NP (ART~DE del) (NOU~CS gruppo)))
+                          (, ,)
+                          (NP (NOU~PR Wehbi) (NOU~PR Alimucaj)))))
+                 (, ,)))
+           (VP (VAU~RE e')
+               (VP (VMA~PA sembrato)
+                   (S-PRD
+                       (VP (VMA~IN segnare)
+                           (NP
+                               (NP (ART~DE la) (NOU~CS fine))
+                               (PP (PREP delle)
+                                   (NP
+                                       (NP (ART~DE delle) (NOU~CA attivita'))
+                                       (PP (PREP della)
+                                           (NP (ART~DE della) (NOU~PR Vefa)))
+                                        (PP (PREP nel)
+                                            (NP (ART~DE nel) (NOU~CS ramo)
+                                                (NP (NOU~CP investimenti))))))))
+                              (NP-SBJ (-NONE- *-133)))))
+                     (. .)) )
+
+
+************** FRASE NEWS-247 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE La) (NOU~CA societa'))
+    (VP (VMA~RE opera)
+        (PP (PREP in)
+            (NP (ADJ~IN numerosi)
+                (NP (ADJ~DI altri) (NOU~CP settori))
+                (ADJP
+                    (ADJP (ADJ~QU commerciali))
+                    (CONJ e)
+                    (ADJP (ADJ~QU industriali)))))
+           (, ,)
+           (S
+               (VP (VMA~GE annoverando)
+                   (PP (PREP tra)
+                       (NP (ART~DE le) (ADJ~PO sue) (NOU~CA proprieta')))
+                    (NP
+                        (NP
+                            (NP (ART~IN una) (NOU~CS catena))
+                            (PP (PREP di)
+                                (NP (NUMR 20) (NOU~CP supermercati))))
+                          (, ,)
+                          (NP
+                              (NP (NOU~CP centri) (ADJ~QU turistici))
+                              (CONJ e)
+                              (NP (ART~IN una) (NOU~CS miniera)))))
+                     (NP-SBJ (-NONE- *-133))))
+               (. .)) )
+
+
+************** FRASE NEWS-248 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (PRO~DE questo)))
+     (NP-SBJ
+         (NP (ART~DE il) (NOU~CS fondo))
+         (NP (NOU~CP investimenti))
+         (PP (PREP della)
+             (NP (ART~DE della) (NOU~CA societa'))))
+       (VP (VAU~IM era)
+           (VP (VMA~PA rimasto)
+               (ADJP-PRD (ADJ~QU solvibile))
+               (, ,)
+               (CONJ mentre)
+               (S
+                   (VP (VAU~IM erano)
+                       (VP (VMA~PA fallite)
+                           (NP-EXTPSBJ-1533 (ART~DE le)
+                               (NP (ADJ~DI altre) (NOU~CP finanziarie))
+                               (, ,)
+                               (ADJP (ADJ~QU fondate)
+                                   (PP (PREP su)
+                                       (NP (NOU~CP schemi) (ADJ~QU piramidali) (ADJ~QU truffaldini)))))))
+                        (NP-SBJ (-NONE- *-1533)))))
+               (. .)) )
+
+
+************** FRASE NEWS-249 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE La) (NOU~CS decisione))
+        (VP (VAU~RE e')
+            (VP (VMA~PA giunta)
+                (ADJP-PRD (ADJ~QU inaspettata)))))
+       (CONJ e)
+       (S
+           (VP (VAU~RE ha)
+               (VP (VMA~PA rappresentato)
+                   (NP-PRD
+                       (NP (ART~DE l') (ADJ~OR ennesimo) (NOU~CS segnale))
+                       (PP (PREP di)
+                           (NP (NOU~CA crisi))
+                           (PP (PREP della)
+                               (NP (ART~DE della)
+                                   (NP (ADJ~QU potente) (NOU~CA holding))
+                                   (SBAR
+                                       (NP-1333 (ART~DE il)
+                                           (NP (PRO~RE cui)) (NOU~CS fallimento) (-NONE- *-))
+                                        (S
+                                            (NP-SBJ-1733 (-NONE- *-1333))
+                                            (VP (VMA~CO rischierebbe)
+                                                (PP (PREP di)
+                                                    (S
+                                                        (VP (VMA~IN far)
+                                                            (S
+                                                                (VP (VMA~IN riesplodere)
+                                                                    (NP-2433 (ART~DE le) (NOU~CP tensioni) (ADJ~QU latenti))
+                                                                    (PP-LOC (PREP in)
+                                                                        (NP (NOU~PR Albania))))
+                                                                  (NP-SBJ (-NONE- *-2433))))
+                                                            (NP-SBJ (-NONE- *-1733)))))))))))))
+                           (NP-SBJ (-NONE- *-133)))
+                        (. .)) )
+
+
+************** FRASE NEWS-250 **************
+
+ ( (S
+    (PP-TMP (PREP Nelle)
+        (NP (ART~DE Nelle) (ADJ~DI scorse) (NOU~CP settimane)))
+     (NP-SBJ-433 (ART~DE la) (NOU~PR Vefa))
+     (VP (VAU~IM aveva)
+         (VP (VMA~PA imboccato)
+             (NP (ART~DE la) (NOU~CS strada) (ADJ~QU opposta))
+             (PP (PREP per)
+                 (S
+                     (VP (VMA~IN provare)
+                         (PP (PREP a)
+                             (S
+                                 (VP (VMA~IN superare)
+                                     (NP
+                                         (NP (ART~DE la) (NOU~CA crisi))
+                                         (PP (PREP di)
+                                             (NP (NOU~CA liquidita')))))
+                                    (NP-SBJ (-NONE- *-12.1033)))))
+                           (NP-SBJ-12.1033 (-NONE- *-433))))
+                     (, ,)
+                     (S
+                         (S
+                             (VP (VMA~GE bloccando)
+                                 (ADVP (ADVB cioe'))
+                                 (NP
+                                     (NP (ART~DE la) (NOU~CS restituzione))
+                                     (PP (PREP di)
+                                         (NP (NOU~CP capitali)))))
+                                (NP-SBJ-20.1033 (-NONE- *-433)))
+                             (CONJ e)
+                             (S
+                                 (VP (VMA~GE garantendo)
+                                     (PP (PREP ai)
+                                         (NP (ART~DE ai) (NOU~CP risparmiatori)))
+                                      (NP (ADVB soltanto) (ART~DE gli)
+                                          (NP (NOU~CP interessi))
+                                          (, ,)
+                                          (VP (VMA~PA ridotti)
+                                              (NP (-NONE- *))
+                                              (ADVP (ADVB pero'))
+                                              (ADVP-TMP (ADVB NEL_FRATTEMPO))
+                                              (PP (PREP dal)
+                                                  (NP (ART~DE dal) (NUMR 60))
+                                                  (PP (PREP al)
+                                                      (NP (ART~DE al) (NUMR 36) (SPECIAL %)
+                                                          (NP (ART~DE l') (NOU~CS anno))))))))
+                                        (NP-SBJ (-NONE- *-20.1033))))))
+                            (. .)) )
+
+
+************** FRASE NEWS-251 **************
+
+ ( (S
+    (VP
+        (PP-TMP (PREP Nella)
+            (NP
+                (NP (ART~DE Nella) (NOU~CS serata))
+                (PP (PREP di)
+                    (NP (NOU~CA martedi')))))
+           (VP (VAU~IM erano)
+               (VP (VMA~PA giunti)
+                   (PP-LOC (PREP a)
+                       (NP (NOU~PR Tirana)))
+                    (NP-EXTPSBJ-933 (ART~DE i)
+                        (NP (NOU~CP legali) (ADJ~QU italiani))
+                        (SBAR
+                            (NP-1333 (PRO~RE che) (-NONE- *-))
+                            (S
+                                (NP-SBJ-1233 (-NONE- *-1333))
+                                (VP (VAU~RE hanno)
+                                    (VP (VMA~PA avuto)
+                                        (NP
+                                            (NP (ART~DE l') (NOU~CS incarico))
+                                            (PP (PREP di)
+                                                (S
+                                                    (VP (VMA~IN assistere)
+                                                        (NP (NOU~PR Vefa))
+                                                        (PP (PREP nel)
+                                                            (NP
+                                                                (NP (ART~DE nel) (NOU~CS risanamento))
+                                                                (PP (PREP del)
+                                                                    (NP (ART~DE del) (NOU~CS gruppo))))))
+                                                        (NP-SBJ (-NONE- *-1233))))))))))))
+                          (, ,)
+                          (CONJ ma)
+                          (S
+                              (ADVP (ADVB non))
+                              (VP (VMA~RE e')
+                                  (ADJP-PRD (ADJ~QU chiaro))
+                                  (CONJ se)
+                                  (S
+                                      (NP-SBJ (ART~DE la)
+                                          (NP (NOU~CS decisione))
+                                          (VP (VMA~PA adottata)
+                                              (NP (-NONE- *))
+                                              (ADVP-TMP (ADVB ieri))
+                                              (PP-LGS (PREP dal)
+                                                  (NP (ART~DE dal) (NOU~CS presidente) (NOU~PR Alimucay)))))
+                                         (VP (VAU~CG sia)
+                                             (VP (VMA~PA stato)
+                                                 (NP-PRD
+                                                     (NP (ART~DE il) (ADJ~OR primo) (NOU~CS risultato))
+                                                     (PP (PREP di)
+                                                         (NP (ADJ~DE questa) (NOU~CS consulenza))))))))))
+                                 (NP-SBJ (-NONE- *-933))
+                                 (. .)) )
+
+
+************** FRASE NEWS-252 **************
+
+ ( (S
+    (ADVP-TMP (ADVB NEL_FRATTEMPO))
+    (PP-LOC (PREP nella)
+        (NP (ART~DE nella) (NOU~CS capitale)))
+     (NP-SBJ (ART~DE la) (NOU~CS Banca) (ADJ~QU mondiale))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA smentito)
+             (NP
+                 (NP (ART~DE la) (NOU~CS notizia))
+                 (PP (PREP dell')
+                     (NP
+                         (NP (ART~DE dell') (NOU~CS esistenza))
+                         (PP (PREP di)
+                             (NP
+                                 (NP (ART~IN un) (NOU~CS piano))
+                                 (PP (PREP di)
+                                     (NP (NOU~CS salvataggio)))
+                                  (VP (VMA~PA proposto)
+                                      (NP (-NONE- *))
+                                      (PP (PREP al)
+                                          (NP
+                                              (NP (ART~DE al) (NOU~CS Governo))
+                                              (PP (PREP di)
+                                                  (NP (NOU~PR Tirana)))))
+                                         (PP (PREP per)
+                                             (S
+                                                 (VP (VMA~IN fronteggiare)
+                                                     (NP
+                                                         (NP (ART~DE il) (NOU~CA crack))
+                                                         (PP (PREP delle)
+                                                             (NP (ART~DE delle) (NOU~CP finanziarie)))))
+                                                    (NP-SBJ (-NONE- *))))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-253 **************
+
+ ( (S
+    (VP (VMA~RE Riesplode)
+        (NP-EXTPSBJ-233 (ART~DE la) (NOU~CS questione) (ADJ~QU albanese)))
+     (NP-SBJ (-NONE- *-233))
+     (. .)) )
+
+
+************** FRASE NEWS-254 **************
+
+ ( (S
+    (PP-TMP (PREP Da)
+        (NP-233
+            (NP (PRO~RE quando))
+            (SBAR
+                (S
+                    (VP (VAU~RE e')
+                        (VP (VMA~PA finita)
+                            (NP-TMP (-NONE- *-233))
+                            (NP-EXTPSBJ-533 (ART~DE la) (NOU~CS guerra) (ADJ~QU bosniaca))))
+                      (NP-SBJ (-NONE- *-533))))))
+          (PP-LOC (PREP nei)
+              (NP
+                  (NP (ART~DE nei) (NOU~CP corridoi))
+                  (PP (PREP della)
+                      (NP (ART~DE della) (NOU~CS diplomazia) (ADJ~QU balcanica)))))
+             (NP (PRO~RI si))
+             (VP (VMA~RE sente)
+                 (NP
+                     (ADVP (ADVB soltanto))
+                     (NP (ART~IN una) (NOU~CS frase))
+                     (, ,)
+                     (VP (VMA~PA ripetuta)
+                         (NP (-NONE- *))
+                         (PP (PREP senza)
+                             (NP
+                                 (NP (NOU~CS tregua))
+                                 (, ,)
+                                 (ADVP
+                                     (ADVP (ADVB incessantemente))
+                                     (, ,)
+                                     (PP (PREP come)
+                                         (NP (ART~IN un) (ADJ~QU inquietante) (NOU~CA mantra) (ADJ~QU politico)))))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-255 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE Il) (NOU~CS conflitto) (ADJ~QU jugoslavo))
+        (VP (VAU~RE e')
+            (VP (VMA~PA iniziato)
+                (PP-LOC (PREP in)
+                    (NP (NOU~PR Kosovo))))))
+        (CONJ ed)
+        (S
+            (VP (VMA~RE e')
+                (ADVP-PRD-CLEFT (ADVB la'))
+                (CONJ che)
+                (S
+                    (VP (VMO~RE deve)
+                        (S
+                            (VP (VMA~IN finire))
+                            (NP-SBJ (-NONE- *-12.1033))))
+                      (NP-SBJ-12.1033 (-NONE- *-133)))))
+             (. .)) )
+
+
+************** FRASE NEWS-256 **************
+
+ ( (S
+    (S
+        (CONJ Mentre)
+        (S
+            (NP-SBJ-233 (NOU~PR Tirana))
+            (NP (PRO~RI si))
+            (VP (VMA~RE risveglia)
+                (S
+                    (VP (VMA~GE recriminando)
+                        (PP (PREP con)
+                            (NP (NOU~CS rabbia))))
+                      (NP-SBJ (-NONE- *-233)))
+                   (PP (PREP dal)
+                       (NP
+                           (NP (ART~DE dal) (NOU~CS sogno))
+                           (VP (VMA~PA drogato)
+                               (NP (-NONE- *)))
+                            (PP (PREP delle)
+                                (NP (ART~DE delle)
+                                    (' ') (NOU~CP piramidi) (ADJ~QU finanziarie)
+                                    (' ')))))))
+                  (, ,)
+                  (PP-LOC (PREP in)
+                      (NP
+                          (NP (PRO~ID uno))
+                          (PP (PREP dei)
+                              (NP
+                                  (NP (NUMR cento))
+                                  (NP (ART~DE dei) (NOU~CA caffe'))
+                                  (PP (PREP del)
+                                      (NP
+                                          (NP (ART~DE del) (NOU~CA boulevard) (ADJ~QU principale))
+                                          (PP (PREP della)
+                                              (NP (ART~DE della) (NOU~CS capitale) (ADJ~QU albanese)))))))))
+                         (NP-SBJ-2833 (NOU~PR Mehemet)
+                             (PRN
+                                 (, ,)
+                                 (NP
+                                     (NP (NOU~CS nome))
+                                     (PP (PREP di)
+                                         (NP (NOU~CS battaglia)))
+                                      (PP (PREP di)
+                                          (NP
+                                              (NP (ART~IN un) (NOU~CS rappresentante))
+                                              (PP (PREP dell')
+                                                  (NP
+                                                      (NP (ART~DE dell') (NOU~CS Esercito))
+                                                      (PP (PREP di)
+                                                          (NP (NOU~CS liberazione))
+                                                          (PP (PREP del)
+                                                              (NP (ART~DE del) (NOU~PR Kosovo))))
+                                                        (PRN
+                                                            (-LRB- -LRB-)
+                                                            (NP (NOU~PR Uck))
+                                                            (-RRB- -RRB-)))))))
+                                          (, ,)))
+                                    (VP (VMA~RE ripete)
+                                        (NP (ART~DE le) (ADJ~DI stesse) (NOU~CP parole) (ADJ~QU minacciose))))
+                                  (CONJ e)
+                                  (S
+                                      (NP (PRO~PE le))
+                                      (VP (VMA~RE accompagna)
+                                          (S
+                                              (VP (VMA~GE mostrando)
+                                                  (NP
+                                                      (NP (ART~DE il) (NOU~CS giornale) (ADJ~QU clandestino)
+                                                          (NP (NOU~PR Clirimi)
+                                                              (PRN
+                                                                  (-LRB- -LRB-)
+                                                                  (NP (NOU~PR Liberazione))
+                                                                  (-RRB- -RRB-))))
+                                                         (CONJ e)
+                                                         (NP
+                                                             (NP (ART~DE i) (NOU~CP bollettini))
+                                                             (PP (PREP di)
+                                                                 (NP (NOU~CS rivendicazione))
+                                                                 (PP (PREP di)
+                                                                     (NP (ADJ~IN alcune) (ADJ~QU recenti) (ADJ~QU sanguinose) (NOU~CP azioni) (ADJ~QU terroristiche)))))))
+                                                      (NP-SBJ (-NONE- *-53.1033))))
+                                                (NP-SBJ-53.1033 (-NONE- *-2833)))
+                                             (. .)) )
+
+
+************** FRASE NEWS-257 **************
+
+ ( (S
+    (PP (PREP Tra)
+        (NP (PRO~DE queste)))
+     (VP (-NONE- *)
+         (NP-LOC (-NONE- *))
+         (NP-EXTPSBJ-333 (ART~DE l')
+             (NP (NOU~CS attentato) (ADJ~QU dinamitardo))
+             (SBAR
+                 (S
+                     (PP (PREP in)
+                         (NP (PRO~RE cui)))
+                      (VP (VAU~RE e')
+                          (VP (VMA~PA rimasto)
+                              (S-PRD
+                                  (ADVP (ADVB gravemente))
+                                  (VP (VMA~PA ferito))
+                                  (NP-SBJ (-NONE- *-1233)))
+                               (NP-EXTPSBJ-1233 (NOU~PR Radivoje) (NOU~PR Papovic)
+                                   (, ,)
+                                   (NP (ART~DE il)
+                                       (NP
+                                           (NP (NOU~CS rettore) (ADJ~QU serbo))
+                                           (PP (PREP dell')
+                                               (NP
+                                                   (NP (ART~DE dell') (NOU~CA Universita'))
+                                                   (PP-LOC (PREP di)
+                                                       (NP (NOU~PR Pristina))))))
+                                           (, ,)
+                                           (NP
+                                               (NP (NOU~CS sostenitore))
+                                               (PP (PREP della)
+                                                   (NP
+                                                       (NP (ART~DE della) (NOU~CS linea) (ADJ~QU dura))
+                                                       (PP (PREP contro)
+                                                           (NP (ART~DE gli) (NOU~CP albanesi)
+                                                               (, ,)
+                                                               (NP (ADVB oltre) (ART~DE il) (NUMR 90) (SPECIAL %)
+                                                                   (PP (PREP della)
+                                                                       (NP (ART~DE della) (NOU~CS popolazione) (ADJ~QU kosovara)
+                                                                           (PRN
+                                                                               (-LRB- -LRB-)
+                                                                               (NP (NUMR 1,8) (NOU~CP milioni))
+                                                                               (-RRB- -RRB-))))))))))))))
+                                        (NP-SBJ (-NONE- *-1233))))))
+                            (NP-SBJ (-NONE- *-333))
+                            (. .)) )
+
+
+************** FRASE NEWS-258 **************
+
+ ( (S
+    (NP-PRD (PRO~IN Chi))
+    (VP (VMA~RE sono)
+        (NP-EXTPSBJ-333
+            (NP (ART~DE gli) (NOU~CP uomini))
+            (PP (PREP di)
+                (NP (ADJ~DE questa) (ADJ~QU misteriosa)
+                    (' ') (NOU~CS armata)
+                    (' ')))))
+        (NP-SBJ (-NONE- *-333))
+        (. ?)) )
+
+
+************** FRASE NEWS-259 **************
+
+ ( (S
+    (S
+        (ADVP (ADVB Non))
+        (VP (VMA~RE ho)
+            (NP (ADJ~IN alcuna) (NOU~CS informazione))
+            (PP (PREP su)
+                (PP (PREP di)
+                    (NP (PRO~PE loro)))))
+           (NP-SBJ (-NONE- *)))
+        (, ,)
+        (VP (VMA~IM dichiarava)
+            (PP-TMP (PREP in)
+                (NP (ADJ~DE questi) (NOU~CP giorni)))
+             (PP (PREP a)
+                 (NP (NOU~PR Le) (NOU~PR Monde)))
+              (NP-EXTPSBJ-1633 (ART~DE lo) (NOU~CS scrittore)
+                  (NP (NOU~PR Ibrahim) (NOU~PR Rugova))
+                  (, ,)
+                  (NP
+                      (NP
+                          (NP (NOU~CS presidente))
+                          (PP (PREP dell')
+                              (NP
+                                  (NP (ART~DE dell') (ADJ~QU autoproclamata) (NOU~CS Repubblica))
+                                  (PP (PREP del)
+                                      (NP (ART~DE del) (NOU~PR Kosovo))))))
+                          (, ,)
+                          (CONJ e)
+                          (NP
+                              (NP (NOU~CA leader))
+                              (PP (PREP del)
+                                  (NP (ART~DE del) (ADJ~QU maggiore) (NOU~CS partito)
+                                      (, ,)
+                                      (NP (ART~DE la)
+                                          (NP (NOU~CS Lega) (ADJ~QU democratica))
+                                          (PRN
+                                              (-LRB- -LRB-)
+                                              (NP (NOU~PR Ldk))
+                                              (-RRB- -RRB-))
+                                           (, ,)
+                                           (SBAR
+                                               (NP-4333 (PRO~RE che))
+                                               (S
+                                                   (NP-SBJ (-NONE- *-4333))
+                                                   (VP (VAU~RE ha)
+                                                       (VP (VMA~PA scelto)
+                                                           (NP
+                                                               (NP (ART~DE la) (NOU~CS via))
+                                                               (PP (PREP della)
+                                                                   (NP
+                                                                       (NP (ART~DE della) (NOU~CS resistenza) (ADJ~QU pacifica))
+                                                                       (PP (PREP al)
+                                                                           (NP (ART~DE al) (NOU~CS potere) (ADJ~QU serbo)))))))))))))))))
+                              (NP-SBJ (-NONE- *-1633))
+                              (. .)) )
+
+
+************** FRASE NEWS-260 **************
+
+ ( (S
+    (S
+        (S
+            (NP-SBJ-133
+                (NP (ART~DE La) (NOU~CS rabbia))
+                (PP (PREP dei)
+                    (NP (ART~DE dei) (NOU~CP kosovari)))) (ADVB non)
+              (VP-SBJ (VMO~RE puo')
+                  (S
+                      (VP (VAU~IN essere)
+                          (VP (VMA~PA incanalata)
+                              (PP-LOC (PREP in)
+                                  (NP (ART~IN un) (NOU~CS ambito) (ADJ~QU istituzionale)))))
+                         (NP-SBJ (-NONE- *-133)))))
+                (, ,)
+                (S
+                    (ADVP (ADVB allora))
+                    (VP (VMA~RE cercano)
+                        (PP (PREP di)
+                            (S
+                                (VP (VMA~IN esprimersi)
+                                    (NP (PRO~RI esprimersi))
+                                    (PP (PREP in)
+                                        (NP (NOU~CS modo) (ADJ~QU diverso))))
+                                  (NP-SBJ (-NONE- *-15.1033)))))
+                         (NP-SBJ-15.1033 (-NONE- *))))
+                   (, ,)
+                   (VP (VMA~RE e')
+                       (NP-PRD
+                           (NP (ART~DE l') (NOU~CS opinione) (ADJ~QU prudente))
+                           (PP (PREP del)
+                               (NP
+                                   (NP (ART~DE del) (NOU~CS rivale))
+                                   (PP (PREP di)
+                                       (NP (NOU~PR Rugova)))
+                                    (PRN
+                                        (, ,)
+                                        (NP (NOU~PR Adem) (NOU~PR Demaci))
+                                        (, ,))
+                                     (NP
+                                         (NP (NOU~CS capo))
+                                         (PP (PREP del)
+                                             (NP (ART~DE del) (NOU~CS partito) (ADJ~QU parlamentare)
+                                                 (PRN
+                                                     (-LRB- -LRB-)
+                                                     (NP (NOU~PR Ppk))
+                                                     (-RRB- -RRB-)))))
+                                         (, ,)
+                                         (ADJP (ADJ~QU contrario)
+                                             (PP
+                                                 (PP (PREP a)
+                                                     (NP
+                                                         (NP (ART~IN una) (NOU~CS guerra) (ADJ~QU aperta))
+                                                         (PP (PREP contro)
+                                                             (NP (NOU~PR Belgrado)))))
+                                                    (, ,)
+                                                    (CONJ ma)
+                                                    (PP (ADVB anche) (PREP a)
+                                                        (NP (ART~IN una)
+                                                            (NP (NOU~CS politica) (ADJ~QU passiva))
+                                                            (SBAR
+                                                                (NP-5333 (PRO~RE che))
+                                                                (S
+                                                                    (NP-SBJ (-NONE- *-5333))
+                                                                    (VP (VMA~RE porta)
+                                                                        (ADVP (ADVB diritto))
+                                                                        (PP-LOC (PREP alla)
+                                                                            (NP (ART~DE alla) (NOU~CS capitolazione))))))))))))))
+                                        (. .)) )
+
+
+************** FRASE NEWS-261 **************
+
+ ( (S
+    (PP (PREP Sui)
+        (NP (ART~DE Sui) (NOU~CP combattenti) (ADJ~QU kosovari)))
+     (NP-SBJ-433
+         (NP (ART~DE gli) (NOU~CP uomini))
+         (PP (PREP di)
+             (NP (NOU~PR Slobodan) (NOU~PR Milosevic)
+                 (PRN
+                     (PUNCT -)
+                     (ADVP-TMP (ADVB sempre))
+                     (VP (VMA~PA sospettato)
+                         (NP (-NONE- *))
+                         (PP (PREP di)
+                             (S
+                                 (VP (VMO~IN voler)
+                                     (S
+                                         (VP (VMA~IN alimentare)
+                                             (NP (ART~DE la) (NOU~CS tensione))
+                                             (PP-LOC (PREP a)
+                                                 (NP (NOU~PR Pristina)))
+                                              (PP (PREP per)
+                                                  (S
+                                                      (VP (VMA~IN distogliere)
+                                                          (NP (ART~DE l') (NOU~CS attenzione))
+                                                          (PP (PREP dai)
+                                                              (NP
+                                                                  (NP (ART~DE dai) (NOU~CP problemi) (ADJ~QU interni))
+                                                                  (PP (PREP di)
+                                                                      (NP (NOU~PR Belgrado))))))
+                                                          (NP-SBJ (-NONE- *-14.1033)))))
+                                                 (NP-SBJ-14.1033 (-NONE- *-13.1033))))
+                                           (NP-SBJ-13.1033 (-NONE- *-11.1033)))))
+                                  (PUNCT -)))))
+                      (VP (VMA~RE sembrano)
+                          (S
+                              (VP (VMA~IN avere)
+                                  (NP
+                                      (NP (NOU~CP informazioni))
+                                      (ADJP (ADVB piu') (ADJ~QU dettagliate))))))
+                          (NP-SBJ (-NONE- *-433))
+                          (. .)) )
+
+
+************** FRASE NEWS-262 **************
+
+ ( (S
+    (VP
+        (PRN
+            (S
+                (NP-SBJ (ART~DE I) (NOU~CP simpatizzanti))
+                (VP (VMA~RE sono) (NUMR 40)
+                    (VP-PRD (-NONE- *-933))))
+              (, ,) (VMA~RE dicono)
+              (, ,)
+              (S
+                  (VP-933 (VMA~PA addestrati)
+                      (PP-LOC
+                          (PP (PREP in)
+                              (NP (NOU~CS territorio) (ADJ~QU albanese)))
+                           (, ,)
+                           (PP
+                               (PP (PREP in)
+                                   (NP (NOU~PR Iran)))
+                                (CONJ e)
+                                (PP (PREP in)
+                                    (NP (NOU~PR Pakistan))))))
+                        (NP-SBJ (-NONE- *-233)))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-263 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE I) (NOU~CP fondi))
+        (PP (PREP della)
+            (NP (ART~DE della) (NOU~CS guerriglia))))
+      (VP (VMA~RE arrivano)
+          (PP
+              (PP (PREP dai)
+                  (NP
+                      (NP (ART~DE dai) (NOU~CP gruppi) (ADJ~QU islamici) (ADJ~QU radicali))
+                      (PP (PREP del)
+                          (NP (ART~DE del) (NOU~PR MEDIO_ORIENTE)))))
+                 (CONJ e)
+                 (PP (PREP dalla)
+                     (NP
+                         (NP (ART~DE dalla) (NOU~CS diaspora) (ADJ~QU albanese))
+                         (PP-LOC (PREP in)
+                             (NP (NOU~PR Europa)))))))
+              (. .)) )
+
+
+************** FRASE NEWS-264 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Una) (NOU~CS cosa))
+    (VP (VMA~RE e')
+        (ADJP-PRD (ADJ~QU certa)))
+     (. .)) )
+
+
+************** FRASE NEWS-265 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP (ART~DE I) (NOU~CP comunicati))
+            (PP (PREP via)
+                (NP (NOU~CA fax))))
+          (VP (VAU~RE sono)
+              (VP (VMA~PA diffusi)
+                  (PP-LGS (PREP da)
+                      (NP
+                          (NP (ART~IN un) (NOU~CS terminale))
+                          (PP-LOC (PREP nella)
+                              (NP (ART~DE nella) (NOU~CS Confederazione) (ADJ~QU svizzera))))))))
+            (CONJ e)
+            (S
+                (NP-SBJ (PRO~DE questa))
+                (ADVP (ADVB forse))
+                (VP (VMA~RE e')
+                    (ADVP (ADVB anche))
+                    (NP-PRD (ART~DE la)
+                        (NP (ADJ~OR prima) (NOU~CS volta))
+                        (CONJ che)
+                        (S
+                            (VP (VMA~RE accettano)
+                                (NP
+                                    (NP (ART~IN un') (NOU~CS intervista))
+                                    (PP (PREP con)
+                                        (NP (ART~IN un) (NOU~CS giornale) (ADJ~QU occidentale)))))
+                               (NP-SBJ (-NONE- *))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-266 **************
+
+ ( (S
+    (NP-PRD (PRO~IN Qual))
+    (VP (VMA~RE e')
+        (NP-EXTPSBJ-333
+            (NP (ART~DE l') (NOU~CS obiettivo))
+            (PP (PREP dell')
+                (NP (ART~DE dell') (NOU~PR Uck)))))
+       (NP-SBJ (-NONE- *-333))
+       (. ?)) )
+
+
+************** FRASE NEWS-267 **************
+
+ ( (NP
+    (NP (ART~DE La) (NOU~CS liberazione))
+    (PP (PREP del)
+        (NP (ART~DE del) (NOU~PR Kosovo)))
+     (PP (PREP con)
+         (NP (ART~DE la) (NOU~CS lotta) (ADJ~QU armata)))
+      (, ,)
+      (. .)) )
+
+
+************** FRASE NEWS-268 **************
+
+ ( (S
+    (S
+        (NP-SBJ (PRO~PE Noi))
+        (ADVP (ADVB non))
+        (VP (VMA~RE siamo)
+            (PP-PRD (PREP contro)
+                (NP (NOU~PR Rugova)))))
+       (CONJ ma)
+       (S
+           (CONJ se)
+           (S
+               (VP
+                   (VP (VMA~RE continua)
+                       (PP (PREP a)
+                           (S
+                               (VP (VMA~IN ignorarci)
+                                   (NP (PRO~PE ignorarci)))
+                                (NP-SBJ (-NONE- *-8.1033)))))
+                       (CONJ e)
+                       (S
+                           (ADVP (ADVB non))
+                           (NP (PRO~PE ci))
+                           (VP (VMA~RE appoggia))
+                           (NP-SBJ (-NONE- *-8.1033))))
+                     (NP-SBJ-8.1033 (-NONE- *-1733)))
+                  (VP (VMA~FU diventera')
+                      (NP-EXTPSBJ-1733
+                          (ADVP (ADVB anche)) (PRO~PE lui))
+                       (NP-PRD (ART~IN un) (NOU~CS bersaglio)))
+                    (NP-SBJ (-NONE- *-1733)))
+                 (. .)) )
+
+
+************** FRASE NEWS-269 **************
+
+ ( (S
+    (VP (VMO~RE Vogliamo)
+        (S
+            (VP (VMA~IN sostituire)
+                (NP (ART~DE il) (ADJ~PO suo) (NOU~CS movimento) (ADJ~QU pacifico))
+                (PP (PREP con)
+                    (NP
+                        (NP (ART~IN un') (NOU~CS ondata))
+                        (PP (PREP di)
+                            (NP (NOU~CS sollevazione) (ADJ~QU popolare) (ADJ~QU antiserba))))))
+                (NP-SBJ (-NONE- *-1.1033))))
+          (NP-SBJ-1.1033 (-NONE- *))
+          (. .)) )
+
+
+************** FRASE NEWS-270 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Dayton))
+    (ADVP (ADVB non))
+    (NP (PRO~PE ci))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA reso)
+            (NP (NOU~CS giustizia))))
+      (. .)) )
+
+
+************** FRASE NEWS-271 **************
+
+ ( (S
+    (ADVP (ADVB Perche'))
+    (VP (VAU~RE avete)
+        (VP (VMA~PA ucciso)
+            (NP (ADJ~DI altri) (NOU~CP albanesi))))
+      (NP-SBJ (-NONE- *))
+      (. ?)) )
+
+
+************** FRASE NEWS-272 **************
+
+ ( (S
+    (VP (VMA~IM Erano)
+        (NP-PRD
+            (NP (ART~IN dei) (NOU~CA maliq))
+            (, ,)
+            (CONJ cioe')
+            (NP (ART~IN dei) (NOU~CP traditori))))
+      (NP-SBJ (-NONE- *))
+      (. .)) )
+
+
+************** FRASE NEWS-273 **************
+
+ ( (S
+    (VP (VAU~FU Verranno)
+        (VP (VMA~PA uccisi)
+            (NP-EXTPSBJ-433 (PRDT tutti) (ART~DE i) (NOU~CP collaborazionisti) (ADJ~QU albanesi)
+                (, ,)
+                (NP
+                    (NP
+                        (NP (PRO~DE quelli))
+                        (SBAR
+                            (NP-9333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-9333))
+                                (VP (VMA~RE lavorano)
+                                    (PP-LOC (PREP nei)
+                                        (NP (ART~DE nei) (NOU~CP servizi) (ADJ~QU civili)))
+                                     (PP (PREP con)
+                                         (NP (ART~DE i) (NOU~CP serbi)))))))
+                          (CONJ ma)
+                          (NP
+                              (NP (ADVB anche) (PRO~DE coloro))
+                              (SBAR
+                                  (NP-2333 (PRO~RE che))
+                                  (S
+                                      (NP-SBJ (-NONE- *-2333))
+                                      (VP (VMA~RE intrattengono)
+                                          (ADVP (ADVB semplicemente))
+                                          (NP (NOU~CP rapporti))
+                                          (PP (PREP con)
+                                              (NP
+                                                  (NP (ART~DE l') (NOU~CA autorita'))
+                                                  (PP (PREP di)
+                                                      (NP (NOU~PR Belgrado)))))))))))))
+                     (NP-SBJ (-NONE- *-433))
+                     (. .)) )
+
+
+************** FRASE NEWS-274 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE Il) (ADJ~PO vostro) (NOU~CS gruppo))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA rivendicato)
+                (NP
+                    (NP (ART~IN una) (NOU~CS decina))
+                    (PP (PREP di)
+                        (NP (NOU~CP attentati) (ADJ~QU mortali)))))))
+         (CONJ ma)
+         (S
+             (NP-SBJ (ART~DE la) (NOU~CS struttura))
+             (VP (VMA~RE e')
+                 (ADVP (ADVB DEL_TUTTO))
+                 (ADJP-PRD (ADJ~QU sconosciuta))))
+           (. .)) )
+
+
+************** FRASE NEWS-275 **************
+
+ ( (S
+    (ADVP (ADVB Come))
+    (VP (VMA~RE siete)
+        (ADJP-PRD (ADJ~QU organizzati)))
+     (NP-SBJ (-NONE- *))
+     (. ?)) )
+
+
+************** FRASE NEWS-276 **************
+
+ ( (S
+    (NP-LOC (PRO~LO C'))
+    (VP (VMA~RE e')
+        (NP-EXTPSBJ-333 (-NONE- *-)
+            (NP-333 (ART~IN una)
+                (NP (NOU~CS struttura)) (-NONE- *-)
+                (VP (VMA~PA costituita)
+                    (NP (-NONE- *))
+                    (PP-LGS (PREP da)
+                        (NP
+                            (NP (NOU~CP militanti))
+                            (' ')
+                            (VP (VMA~PA coperti)
+                                (NP (-NONE- *))
+                                (' ')
+                                (PP-LGS (PREP da)
+                                    (NP (NOU~CA attivita') (ADJ~QU legali))))))))
+                  (CONJ e)
+                  (NP (ART~IN un') (PRO~ID altra) (ADJ~QU illegale)
+                      (, ,)
+                      (NP
+                          (NP
+                              (NP (NOU~CP cellule))
+                              (PP (PREP di)
+                                  (NP (NOU~CP guerriglieri))))
+                            (CONJ e)
+                            (NP (NOU~CS appoggio) (ADJ~QU logistico))))))
+                (NP-SBJ (-NONE- *-333))
+                (. .)) )
+
+
+************** FRASE NEWS-277 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (NOU~CP combattenti))
+    (VP (VMA~RE sono)
+        (NP-PRD
+            (NP (NOU~CP uomini))
+            (VP (VMA~PA addestrati)
+                (NP (-NONE- *))
+                (PP-LGS (PREP dalle)
+                    (NP (ART~DE dalle) (NOU~CP milizie) (ADJ~QU islamiche))))))
+        (. ?)) )
+
+
+************** FRASE NEWS-278 **************
+
+ ( (S
+    (VP (VMA~RE Sono)
+        (NP-EXTPSBJ-233 (PRO~ID tutti))
+        (NP-PRD (NOU~CP professionisti)))
+     (NP-SBJ (-NONE- *-233))
+     (. .)) )
+
+
+************** FRASE NEWS-279 **************
+
+ ( (S
+    (NP-SBJ (PRO~PE Io))
+    (PRN
+        (, ,)
+        (ADVP (ADVB PER_ESEMPIO))
+        (, ,))
+     (VP (VAU~RE ho)
+         (VP (VMA~PA combattuto)
+             (PP-LOC (PREP nell')
+                 (NP (ART~DE nell')
+                     (NP (NOU~CS esercito) (ADJ~QU federale))
+                     (VP (VMA~PA impegnato)
+                         (NP (-NONE- *))
+                         (PP-LOC (PREP nella)
+                             (NP (ART~DE nella) (NOU~PR Krajina)))
+                          (PP (PREP contro)
+                              (NP (ART~DE i) (NOU~CP croati))))))))
+            (. .)) )
+
+
+************** FRASE NEWS-280 **************
+
+ ( (S
+    (S
+        (VP (VAU~RE Ho))
+        (NP-SBJ-1.1033 (-NONE- *)))
+     (VP (VMO~PA dovuto)
+         (S
+             (VP (VMA~IN farlo)
+                 (NP (PRO~PE farlo)))
+              (NP-SBJ (-NONE- *-1.1033)))
+           (CONJ perche')
+           (S
+               (NP (PRO~PE mi))
+               (VP (VAU~RE hanno)
+                   (VP (VMA~PA arruolato)
+                       (PP (PREP con)
+                           (NP (ART~DE la) (NOU~CS forza)))))
+                  (NP-SBJ (-NONE- *))))
+            (. .)) )
+
+
+************** FRASE NEWS-281 **************
+
+ ( (S
+    (S
+        (ADVP-TMP (ADVB Poi))
+        (VP (VAU~RE ho)
+            (VP (VMA~PA disertato)
+                (PP-TMP (PREP nel)
+                    (NP (ART~DE nel) (DATE '93)))))
+           (NP-SBJ-3.1033 (-NONE- *)))
+        (, ,)
+        (S
+            (VP
+                (VP (VAU~RE sono)
+                    (VP (VAU~PA stato)
+                        (VP (VMA~PA catturato))))
+                  (CONJ e)
+                  (S
+                      (ADVP (ADVB quindi))
+                      (VP (VMA~PA condannato)
+                          (PP (PREP a)
+                              (NP
+                                  (NP (NUMR sei) (NOU~CP mesi))
+                                  (PP (PREP di)
+                                      (NP (NOU~CS carcere)))))
+                             (PP-LGS (PREP da)
+                                 (NP (NOU~PR Belgrado))))
+                           (NP-SBJ (-NONE- *-9.1033))))
+                     (NP-SBJ-9.1033 (-NONE- *-3.1033)))
+                  (. .)) )
+
+
+************** FRASE NEWS-282 **************
+
+ ( (S
+    (CONJ Ma)
+    (VP (VMA~RE ripeto)
+        (, ,)
+        (S
+            (NP-SBJ (ART~DE l') (NOU~CS Esercito))
+            (VP (VAU~RE e')
+                (VP (VMA~PA costituito)
+                    (PP-LGS (PREP da)
+                        (NP
+                            (NP (NOU~CS gente))
+                            (SBAR
+                                (NP-1333 (PRO~RE che))
+                                (S
+                                    (NP-SBJ (-NONE- *-1333))
+                                    (VP (VMA~RE sa)
+                                        (NP (ART~DE il) (NOU~CS fatto) (ADJ~PO suo)))))))))))
+             (NP-SBJ (-NONE- *))
+             (. .)) )
+
+
+************** FRASE NEWS-283 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE L') (NOU~CS attentato))
+        (PP (PREP al)
+            (NP
+                (NP (ART~DE al) (NOU~CS rettore))
+                (PP (PREP dell')
+                    (NP
+                        (NP (ART~DE dell') (NOU~CA Universita'))
+                        (PP (PREP di)
+                            (NP (NOU~PR Pristina))))))))
+          (VP (VAU~RE e')
+              (VP (VAU~PA stato)
+                  (VP (VMA~PA eseguito))))
+            (PP (PREP con)
+                (NP (ART~IN una)
+                    (NP (NOU~CS bomba))
+                    (VP (VMA~PA telecomandata)
+                        (NP (-NONE- *)))))
+               (. .)) )
+
+
+************** FRASE NEWS-284 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Le) (NOU~CP armi))
+    (VP (VMA~RE vengono)
+        (PP-LOC (PREP dall')
+            (NP (ART~DE dall') (NOU~PR Albania))))
+      (. ?)) )
+
+
+************** FRASE NEWS-285 **************
+
+ ( (PP
+    (PP (ADVB Anche) (PREP dal)
+        (NP (ART~DE dal) (NOU~CS Nord)))
+     (. .)) )
+
+
+************** FRASE NEWS-286 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE È)
+            (ADJP-PRD (ADVB piu') (ADJ~QU facile))
+            (S-EXTPSBJ-333
+                (VP (VMA~IN-433 far)
+                    (S
+                        (VP (VMA~IN-533 passare)
+                            (NP-633 (ART~IN un) (NOU~CS carico))
+                            (PP-LOC (PREP dalla)
+                                (NP (ART~DE dalla) (NOU~PR Germania))))
+                          (NP-SBJ (-NONE- *-633)))) (-NONE- *-)
+                    (NP-SBJ (-NONE- *))))
+              (VP-SBJ (-NONE- *-433)))
+           (CONJ che)
+           (S
+               (ADVP (ADVB non))
+               (VP (-NONE- *-433)
+                   (S
+                       (VP (-NONE- *-533)
+                           (PP-LOC (PREP dai)
+                               (NP (ART~DE dai) (NOU~CP confini) (ADJ~QU albanesi))))
+                         (NP-SBJ (-NONE- *-633))))
+                   (NP-SBJ (-NONE- *)))
+                (. .)) )
+
+
+************** FRASE NEWS-287 **************
+
+ ( (S
+    (NP-SBJ (PRO~RI Si))
+    (VP (VMA~RE dice)
+        (CONJ che)
+        (S
+            (VP (VAU~RE siete)
+                (VP (VMA~PA finanziati)
+                    (PP-LGS (PREP da)
+                        (NP (NOU~CP gruppi) (ADJ~QU mediorientali)))))
+               (NP-SBJ (-NONE- *))))
+         (. .)) )
+
+
+************** FRASE NEWS-288 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (NOU~CP soldi))
+    (VP (VMA~RE arrivano)
+        (PP (ADVB soprattutto) (PREP dalla)
+            (NP
+                (NP (ART~DE dalla) (NOU~CS diaspora))
+                (PP-LOC (PREP all')
+                    (NP (ART~DE all') (NOU~CS estero))))))
+        (. .)) )
+
+
+************** FRASE NEWS-289 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Gli) (NOU~CP emigrati))
+    (VP (VMA~RE versano)
+        (NP (ART~DE il) (NUMR 3) (SPECIAL %)
+            (PP (PREP dello)
+                (NP (ART~DE dello) (NOU~CS stipendio))))
+          (PP-LOC (PREP in)
+              (NP (ART~IN un)
+                  (NP (NOU~CS fondo) (ADJ~QU speciale))
+                  (SBAR
+                      (NP-1333 (PRO~RE che))
+                      (S
+                          (NP-SBJ (-NONE- *-1333))
+                          (VP (VMA~RE va)
+                              (PP
+                                  (PP (PREP al)
+                                      (NP
+                                          (NP (ART~DE al) (NOU~CS Governo) (ADJ~QU autoproclamato))
+                                          (PP (PREP del)
+                                              (NP (ART~DE del) (NOU~PR Kosovo)))))
+                                     (CONJ e)
+                                     (PP (PREP a)
+                                         (NP (ADVB anche) (PRO~PE noi))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-290 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (PRO~PE Noi))
+        (ADVP (ADVB non))
+        (VP (VMO~RE vogliamo)
+            (S
+                (VP (VMA~IN uccidere)
+                    (NP (NOU~CP civili)))
+                 (NP-SBJ (-NONE- *-133)))))
+        (PUNCT -)
+        (VP (VMA~RE conclude)
+            (NP-EXTPSBJ-833 (NOU~PR Mehemet)))
+         (NP-SBJ (-NONE- *-833))
+         (PUNCT -)
+         (. .)) )
+
+
+************** FRASE NEWS-291 **************
+
+ ( (S
+    (NP-PRD (ART~DE Il) (ADJ~PO nostro) (NOU~CS bersaglio))
+    (VP (VMA~RE sono)
+        (NP-EXTPSBJ-333 (-NONE- *-)
+            (NP-533 (ART~DE la) (NOU~CS polizia) (-NONE- *-))
+            (, ,)
+            (NP
+                (NP (ART~DE l') (NOU~CS esercito) (ADJ~QU serbo))
+                (, ,)
+                (NP
+                    (NP
+                        (NP (ART~DE gli) (NOU~CP agenti))
+                        (PP (PREP dell')
+                            (NP (ART~DE dell') (NOU~PR Udb))))
+                      (, ,)
+                      (NP
+                          (NP (ART~DE il) (NOU~CS servizio) (ADJ~QU segreto) (ADJ~QU jugoslavo))
+                          (, ,)
+                          (NP
+                              (NP (ART~DE le)
+                                  (' ') (NOU~CP tigri)
+                                  (' '))
+                               (PP (PREP di)
+                                   (NP (NOU~PR Arkan)
+                                       (, ,)
+                                       (SBAR
+                                           (NP-3333 (ART~DE le)
+                                               (NP (PRO~RE cui)) (NOU~CP milizie))
+                                            (S
+                                                (NP-SBJ (-NONE- *-3333))
+                                                (VP (VMA~RE sono)
+                                                    (ADJP-PRD (ADJ~QU acquartierate)
+                                                        (PP-LOC (PREP all')
+                                                            (NP
+                                                                (NP (ART~DE all') (NOU~PR Hotel) (NOU~PR Grand))
+                                                                (PP (PREP di)
+                                                                    (NP (NOU~PR Pristina)))))))))))))))))
+                       (NP-SBJ (-NONE- *-533))
+                       (. .)) )
+
+
+************** FRASE NEWS-292 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (NP-SBJ (NOU~PR Belgrado))
+        (NP (PRO~PE ci))
+        (VP (VMA~RE da')
+            (NP (ART~DE l') (NOU~CS indipendenza))))
+      (NP-SBJ (ADJ~DE questa) (NOU~CS storia))
+      (VP (VMA~FU finira'))
+      (. .)) )
+
+
+************** FRASE NEWS-293 **************
+
+ ( (S
+    (S
+        (NP-SBJ (NOU~PR Liri) (NOU~PR Avdekie)
+            (PRN
+                (, ,)
+                (NP
+                    (NP (NOU~CA Liberta'))
+                    (CONJ o)
+                    (NP (NOU~CS Morte)))
+                 (, ,)))
+           (VP (VMA~RE e')
+               (NP-PRD
+                   (NP (ART~DE il) (NOU~CS motto))
+                   (PP (PREP in)
+                       (NP (NOU~CS albanese)))
+                    (PP (PREP dell')
+                        (NP (ART~DE dell') (NOU~CS esercito) (ADJ~QU kosovaro))))))
+            (CONJ ma)
+            (S
+                (PP-LOC (PREP in)
+                    (NP (NOU~PR Serbia)))
+                 (NP-SBJ
+                     (NP-1933
+                         (NP (ART~DE i) (NOU~CP nazionalisti)) (-NONE- *-)
+                         (PP (PREP di)
+                             (NP (NOU~PR Milosevic))))
+                       (CONJ e)
+                       (NP (ADVB anche) (ART~DE l')
+                           (NP (NOU~CS opinione) (ADJ~QU pubblica))))
+                     (VP (VMA~RE sono)
+                         (ADJP-PRD (ADJ~QU concordi)))
+                      (NP-SBJ (-NONE- *-1933)))
+                   (. .)) )
+
+
+************** FRASE NEWS-294 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (NOU~PR Kosovo)
+        (, ,)
+        (NP
+            (NP (NOU~CS testimone))
+            (PP (PREP della)
+                (NP
+                    (NP (ART~DE della) (NOU~CS battaglia))
+                    (PP (PREP del)
+                        (NP
+                            (NP (ART~DE del) (NOU~CS Campo))
+                            (PP (PREP dei)
+                                (NP (ART~DE dei) (NOU~CP Merli)))))
+                       (PP-TMP (PREP del)
+                           (NP (ART~DE del) (NOU~CS giugno)
+                               (NP (NUMR 1389))))
+                         (PP (PREP contro)
+                             (NP (ART~DE i) (NOU~PR Turchi)))))))
+              (, ,)
+              (VP (VMO~RE deve)
+                  (S
+                      (VP (VMA~IN restare)
+                          (PP-LOC (PREP a)
+                              (NP (NOU~PR Belgrado))))
+                        (NP-SBJ (-NONE- *-133))))
+                  (. .)) )
+
+
+************** FRASE NEWS-295 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ
+            (NP (ART~DE Il) (NOU~CS crollo))
+            (PP (PREP del)
+                (NP (ART~DE del) (NOU~CS comunismo))))
+          (CONJ e)
+          (NP
+              (NP (ART~DE l') (NOU~CS esplosione))
+              (PP (PREP della)
+                  (NP (ART~DE della) (NOU~PR Jugoslavia)))))
+         (VP (VAU~RE hanno)
+             (VP (VMA~PA fatto)
+                 (S
+                     (VP (VMA~IN rinascere)
+                         (NP-1333
+                             (NP (ART~IN un) (PRO~ID altro))
+                             (PP (PREP degli)
+                                 (NP (ART~DE degli) (ADJ~QU antichi) (NOU~CP demoni) (ADJ~QU balcanici)))
+                              (, ,)
+                              (NP-2133 (ART~DE la)
+                                  (NP (NOU~CS questione) (ADJ~QU albanese))
+                                  (, ,) (S+REDUC
+                                      (S
+                                          (S
+                                              (VP (VMA~PA trattata)
+                                                  (NP-TMP (ART~IN un) (NOU~CS secolo) (ADJ~DI fa))
+                                                  (PP (PREP con)
+                                                      (NP (NOU~CS mano) (ADJ~QU pesante)))
+                                                   (PP-LGS (PREP dalle)
+                                                       (NP (ART~DE dalle) (ADJ~QU grandi) (NOU~CP potenze))))
+                                                 (NP-SBJ-24.1033 (-NONE- *-2133))))
+                                           (, ,)
+                                           (S
+                                               (S
+                                                   (VP (VMA~PA risorta)
+                                                       (PP (PREP in)
+                                                           (NP (NOU~CS modo) (ADJ~QU effimero)))
+                                                        (PP (PREP con)
+                                                            (NP
+                                                                (NP (ART~DE la) (NOU~CS vittoria))
+                                                                (PP (PREP dell')
+                                                                    (NP (ART~DE dell') (NOU~CS Asse)))
+                                                                 (PP-LOC (PREP nei)
+                                                                     (NP (ART~DE nei) (NOU~PR Balcani))))))
+                                                         (NP-SBJ-35.1033 (-NONE- *-24.1033)))
+                                                      (CONJ e)
+                                                      (S
+                                                          (ADVP-TMP (ADVB poi))
+                                                          (ADVP (ADVB nuovamente))
+                                                          (VP (VMA~PA oscurata)
+                                                              (PP-TMP (PREP nel)
+                                                                  (NP (ART~DE nel) (NOU~CA dopoguerra))))
+                                                            (NP-SBJ (-NONE- *-35.1033))))))))
+                                          (NP-SBJ (-NONE- *-1333)))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-296 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Oggi))
+    (NP-SBJ
+        (NP (ART~IN un) (NOU~CS albanese))
+        (PP (PREP su)
+            (NP (NUMR due))))
+      (VP (VMA~RE vive)
+          (PP-LOC (PREP fuori)
+              (PP (PREP dai)
+                  (NP
+                      (NP (ART~DE dai) (NOU~CP confini))
+                      (PP (PREP della)
+                          (NP
+                              (NP (ART~DE della) (NOU~CS Repubblica))
+                              (PP (PREP di)
+                                  (NP (NOU~PR Tirana)))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-297 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CS Merito) (ADJ~QU innegabile))
+        (PP (PREP del)
+            (NP-3.133 (ART~DE del) (NOU~CS presidente)
+                (NP (NOU~PR Sali) (NOU~PR Berisha))
+                (PRN
+                    (, ,)
+                    (SBAR
+                        (NP-8333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-8333))
+                            (PP (PREP per)
+                                (NP (ADVB proprio) (PRO~DE questo)))
+                             (VP (VAU~RE ha)
+                                 (VP (VMA~PA ottenuto)
+                                     (PP-TMP (PREP fino)
+                                         (PP (PREP a) (ADVB oggi)))
+                                      (NP (ART~DE l') (NOU~CS appoggio) (ADJ~QU occidentale))))))
+                          (, ,)))))
+              (VP (VAU~RE e')
+                  (VP (VMA~PA stato)
+                      (NP-PRD
+                          (NP (PRO~DE quello))
+                          (PP (PREP di)
+                              (S
+                                  (VP (VMA~IN moderare)
+                                      (PP-TMP (PREP durante)
+                                          (NP (ART~DE la) (NOU~CS guerra) (ADJ~QU bosniaca)))
+                                       (NP
+                                           (NP (ART~DE le) (NOU~CP aspirazioni) (ADJ~QU irredentiste))
+                                           (PP (PREP degli)
+                                               (NP
+                                                   (NP (ART~DE degli) (NOU~CP albanesi))
+                                                   (PP-LOC
+                                                       (PP (PREP del)
+                                                           (NP (ART~DE del) (NOU~PR Kosovo)))
+                                                        (CONJ e)
+                                                        (PP (PREP della)
+                                                            (NP (ART~DE della) (NOU~CS Macedonia)))))))
+                                             (, ,)
+                                             (S
+                                                 (VP (VMA~GE accordandosi)
+                                                     (NP (PRO~RI accordandosi))
+                                                     (ADVP-TMP (ADVB poi))
+                                                     (PP (ADVB anche) (PREP con)
+                                                         (NP (ART~DE la) (NOU~PR Grecia)))
+                                                      (PP (PREP sulla)
+                                                          (NP
+                                                              (NP (ART~DE sulla) (NOU~CS questione))
+                                                              (PP (PREP dell')
+                                                                  (NP (ART~DE dell') (NOU~PR Epiro))))))
+                                                      (NP-SBJ (-NONE- *-25.1033))))
+                                                (NP-SBJ-25.1033 (-NONE- *-3.133)))))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-298 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ (PRO~IN cosa))
+    (VP (VMA~FU accadra')
+        (ADVP-TMP (ADVB domani))
+        (CONJ mentre)
+        (S
+            (PP-LOC
+                (PP (PREP a)
+                    (NP (NOU~PR Belgrado)))
+                 (CONJ e)
+                 (PP (PREP a)
+                     (NP (NOU~PR Tirana))))
+               (NP-SBJ (NOU~PR Milosevic)
+                   (CONJ e) (NOU~PR Berisha))
+                (VP (VMA~RE appaiono)
+                    (ADJP-PRD
+                        (ADVP (ADVB sempre) (ADVB piu')) (ADJ~QU deboli)))
+                  (NP-SBJ (-NONE- *-1133))))
+            (. ?)) )
+
+
+************** FRASE NEWS-299 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE Il) (NOU~CA mantra))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~PR Balcani))))
+      (VP (VMA~RE rischia)
+          (PP (PREP di)
+              (S
+                  (VP (VMA~IN diventare)
+                      (NP-PRD (ART~IN una) (ADJ~QU tragica) (NOU~CA realta')))
+                   (NP-SBJ (-NONE- *-133)))))
+          (. .)) )
+
+
+************** FRASE NEWS-300 **************
+
+ ( (S
+    (VP (VMA~RE SALE)
+        (PP (PREP DI)
+            (NP (NUMR 200) (NOU~CP LIRE)))
+         (NP-EXTPSBJ-533
+             (NP (ART~DE IL) (NOU~CS PREZZO))
+             (PP (PREP di)
+                 (NP
+                     (NP (ART~IN un) (NOU~CS pacchetto))
+                     (PP (PREP di)
+                         (NP (NOU~CP sigarette)))))))
+          (NP-SBJ (-NONE- *-533))
+          (. .)) )
+
+
+************** FRASE NEWS-301 **************
+
+ ( (S
+    (NP (PRO~PE Lo))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA deciso)
+            (NP-EXTPSBJ-433
+                (NP (ART~DE il) (NOU~CS ministro))
+                (PP (PREP delle)
+                    (NP (ART~DE delle) (NOU~CP Finanze))))
+              (, ,)
+              (S
+                  (VP (VMA~GE firmando)
+                      (NP (ART~DE i)
+                          (NP (NOU~CP decreti))
+                          (SBAR
+                              (NP-1333 (PRO~RE che))
+                              (S
+                                  (NP-SBJ (-NONE- *-1333))
+                                  (VP (VMA~RE aumentano)
+                                      (PP (PREP di)
+                                          (NP (ART~IN un) (NOU~CS punto) (ADJ~QU percentuale)))
+                                       (PRN
+                                           (-LRB- -LRB-)
+                                           (PP (PREP dal)
+                                               (NP (ART~DE dal) (NUMR 57))
+                                               (PP (PREP al)
+                                                   (NP (ART~DE al) (NUMR 58) (SPECIAL %)))
+                                                (, ,)
+                                                (PP (PREP IN_LINEA_CON)
+                                                    (NP (ART~DE la) (NOU~CS media) (ADJ~QU europea))))
+                                              (-RRB- -RRB-))
+                                           (NP
+                                               (NP (ART~DE l') (NOU~CS accisa))
+                                               (PP (PREP sui)
+                                                   (NP (ART~DE sui) (NOU~CP tabacchi)))))))))
+                              (NP-SBJ (-NONE- *-433)))))
+                     (NP-SBJ (-NONE- *-433))
+                     (. .)) )
+
+
+************** FRASE NEWS-302 **************
+
+ ( (S
+    (S
+        (PP-LOC (PREP A)
+            (NP (NOU~PR VALONA)))
+         (NP-SBJ (NUMR TRE) (NOU~CP MANIFESTANTI))
+         (VP (VAU~RE SONO)
+             (VP (VMA~PA MORTI))))
+       (CONJ e)
+       (S
+           (NP-SBJ (ART~IN una) (NOU~CS ventina))
+           (VP (VAU~RE sono)
+               (VP (VMA~PA rimasti)
+                   (ADJP-PRD (ADJ~QU feriti))
+                   (PP (PREP per)
+                       (NP (NOU~CP colpi))
+                       (PP (PREP d')
+                           (NP (NOU~CS ARMA_DA_FUOCO))))
+                     (PP-LOC (PREP nei)
+                         (NP
+                             (NP (ART~DE nei) (ADJ~QU violenti) (NOU~CP scontri))
+                             (PP (PREP con)
+                                 (NP (ART~DE la) (NOU~CS polizia)))
+                              (VP (VMA~PA scoppiati)
+                                  (NP (-NONE- *))
+                                  (ADVP-TMP (ADVB ieri)
+                                      (NP-TMP (NOU~CS sera)))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-303 **************
+
+ ( (S
+    (ADJP-PRD (ADJ~QU Altissima))
+    (VP (-NONE- *)
+        (NP-EXTPSBJ-233
+            (NP (ART~DE la) (NOU~CS tensione))
+            (PP-LOC (PREP in)
+                (NP (PRDT tutta) (ART~DE l') (NOU~PR Albania)))))
+       (NP-SBJ (-NONE- *-233))
+       (. .)) )
+
+
+************** FRASE NEWS-304 **************
+
+ ( (S
+    (NP-SBJ
+        (ADJP (ADVB PIU') (ADJ~QU INGENTE))
+        (NP (ART~DE IL) (NOU~CS SCHIERAMENTO))
+        (PP (PREP DI)
+            (NP (NOU~CS POLIZIA)))
+         (PP (PREP del)
+             (NP (ART~DE del) (NOU~CA dopoguerra)))
+          (PP-LOC (PREP in)
+              (NP (NOU~PR Germania))))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA accompagnato)
+                (ADVP-TMP (ADVB ieri))
+                (NP
+                    (NP (ART~DE la) (ADJ~OR prima) (NOU~CS tappa))
+                    (PP (PREP del)
+                        (NP
+                            (NP (ART~DE del) (ADJ~QU controverso) (NOU~CS trasporto))
+                            (PP (PREP di)
+                                (NP (NOU~CP scorie) (ADJ~QU nucleari)))
+                             (PP-LOC (PREP verso)
+                                 (NP
+                                     (NP (ART~DE il) (NOU~CS deposito))
+                                     (PP (PREP di)
+                                         (NP (NOU~PR Gorleben)
+                                             (PP-LOC (PREP in)
+                                                 (NP (NOU~PR Sassonia))))))))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-305 **************
+
+ ( (S
+    (NP
+        (NP (NOU~CP Proteste))
+        (CONJ e)
+        (NP (NOU~CP fermi)))
+     (NP (PRO~RI si))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA segnalati)
+             (PP-LOC (PREP lungo)
+                 (NP (ART~DE la)
+                     (NP (NOU~CS strada))
+                     (VP (VMA~PA percorsa)
+                         (NP (-NONE- *))
+                         (PP-LGS (PREP dal)
+                             (NP (ART~DE dal) (NOU~CS convoglio))))))))
+           (. .)) )
+
+
+************** FRASE NEWS-306 **************
+
+ ( (S
+    (NP-SBJ (ART~DE LA) (NOU~PR RUSSIA))
+    (VP (VAU~RE HA)
+        (VP (VMA~PA ABOLITO)
+            (NP
+                (NP (ART~DE LA) (NOU~CS PENA))
+                (PP (PREP DI)
+                    (NP (NOU~CS MORTE))))))
+        (. .)) )
+
+
+************** FRASE NEWS-307 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Ieri))
+    (NP-SBJ (ART~DE il) (NOU~CS presidente)
+        (NP (NOU~PR Boris) (NOU~PR Eltsin)))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA ordinato)
+             (PP (PREP al)
+                 (NP-8.133
+                     (NP (ART~DE al) (NOU~CS ministro))
+                     (PP (PREP degli)
+                         (NP (ART~DE degli) (NOU~CP esteri)))))
+                (PP (PREP di)
+                    (S
+                        (VP (VMA~IN sottoscrivere)
+                            (NP
+                                (NP (ART~DE il) (NOU~CS Protocollo) (NOU~PR IV))
+                                (PP (PREP sull')
+                                    (NP
+                                        (NP (ART~DE sull') (NOU~CS abolizione))
+                                        (PP (PREP della)
+                                            (NP (ART~DE della) (NOU~CS pena) (ADJ~QU capitale)))))
+                                   (, ,)
+                                   (VP (VMA~PA allegato)
+                                       (NP (-NONE- *))
+                                       (PP (PREP alla)
+                                           (NP
+                                               (NP (ART~DE alla) (NOU~CS Convenzione)) (NOU~PR Onu)
+                                               (PP (PREP dei)
+                                                   (NP
+                                                       (NP (ART~DE dei) (NOU~CP diritti) (ADJ~QU umani))
+                                                       (CONJ e)
+                                                       (NP (ART~DE le) (NOU~CA liberta') (ADJ~QU fondamentali)))))))))
+                                  (NP-SBJ (-NONE- *-8.133))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-308 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR BELGIO)
+        (CONJ E) (NOU~PR FRANCIA))
+     (VP (-NONE- *)
+         (ADJP-PRD (ADJ~QU AI_FERRI_CORTI))
+         (PP-TMP (PREP dopo)
+             (NP
+                 (NP (ART~DE l') (ADJ~QU improvvisa) (NOU~CS decisione))
+                 (PP (PREP della)
+                     (NP-11.133 (ART~DE della) (NOU~PR Renault)))
+                  (PP (PREP di)
+                      (S
+                          (VP (VMA~IN chiudere)
+                              (NP
+                                  (NP (ART~IN una) (NOU~CS fabbrica))
+                                  (PP (PREP di)
+                                      (NP (NOU~CA auto)))
+                                   (PP-LOC (PREP alle)
+                                       (NP
+                                           (NP (ART~DE alle) (NOU~CP porte))
+                                           (PP (PREP di)
+                                               (NP (NOU~PR Bruxelles))))))
+                                   (PP (PREP con)
+                                       (NP
+                                           (NP (ART~DE la) (NOU~CS perdita))
+                                           (PRN
+                                               (, ,)
+                                               (PP (PREP per)
+                                                   (NP (ART~DE il) (NOU~PR Belgio)))
+                                                (, ,))
+                                             (PP (PREP di)
+                                                 (NP
+                                                     (NP (ADVB circa) (NUMR 3100) (NOU~CP posti))
+                                                     (PP (PREP di)
+                                                         (NP (NOU~CS lavoro))))))))
+                                       (NP-SBJ (-NONE- *-11.133)))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-309 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE LA) (NOU~CS CRESCITA))
+        (PP (PREP DEL)
+            (NP (ART~DE DEL) (NOU~PR PIL) (NOU~PR USA)))
+         (PP (PREP del)
+             (NP (ART~DE del) (ADJ~OR quarto) (NOU~CS trimestre)
+                 (NP (DATE '96)))))
+        (VP (VAU~RE e')
+            (VP (VAU~PA stata)
+                (VP (VMA~PA rivista))))
+          (PP (PREP al)
+              (NP (ART~DE al) (NOU~CS ribasso)))
+           (PP (PREP dal)
+               (NP (ART~DE dal) (NUMR 4,7))
+               (PP (PREP al)
+                   (NP (ART~DE al) (NUMR 3,9) (SPECIAL %))))
+             (PRN
+                 (, ,)
+                 (PP (PREP A_CAUSA_DI)
+                     (NP
+                         (NP (ART~DE del) (NOU~CS dimezzamento))
+                         (PP (PREP delle)
+                             (NP
+                                 (NP (ART~DE delle) (NOU~CP scorte))
+                                 (PP (PREP di)
+                                     (NP (NOU~CS magazzino)))))))
+                      (, ,))
+                   (S
+                       (VP (VMA~GE portando)
+                           (PP (PREP al)
+                               (NP (ART~DE al) (NUMR 2,4) (SPECIAL %)))
+                            (NP
+                                (NP (ART~DE l') (NOU~CS aumento))
+                                (PP (PREP dell')
+                                    (NP (ART~DE dell') (ADJ~QU intero) (NOU~CS anno)))))
+                           (NP-SBJ (-NONE- *-133)))
+                        (. .)) )
+
+
+************** FRASE NEWS-310 **************
+
+ ( (S
+    (VP (VMA~RE SCATTA)
+        (NP-EXTPSBJ-233
+            (NP (ART~DE L') (NOU~CS AUMENTO))
+            (PP (PREP DEL)
+                (NP (ART~DE DEL)
+                    (NP (NOU~CS CANONE)) (NOU~PR TELECOM)
+                    (, ,)
+                    (ADJP
+                        (PP-TMP (PREP da) (ADVB oggi)) (ADJ~QU pari)
+                        (PP (PREP a)
+                            (NP
+                                (NP (NUMR 2.500) (NOU~CP lire))
+                                (PP (PREP a)
+                                    (NP (NOU~CS bimestre)))))))))
+               (CONJ mentre)
+               (S
+                   (NP-SBJ (ART~DE gli) (NOU~CP sconti))
+                   (VP (VMA~FU partiranno)
+                       (PP-TMP (PREP entro)
+                           (NP (ADJ~IN pochissimi) (NOU~CP giorni)))
+                        (, ,)
+                        (CONJ come)
+                        (S
+                            (VP (VMA~RE assicurano)
+                                (PP (PREP al)
+                                    (NP
+                                        (NP (ART~DE al) (NOU~CS ministero))
+                                        (PP (PREP delle)
+                                            (NP (ART~DE delle) (NOU~CP Poste))))))
+                                (NP-SBJ (-NONE- *))))))
+                    (NP-SBJ (-NONE- *-233))
+                    (. .)) )
+
+
+************** FRASE NEWS-311 **************
+
+ ( (NP
+    (PP-TMP (PREP DA) (ADVB OGGI))
+    (NP (NOU~CP BIGLIETTI))
+    (PP (PREP DELLE)
+        (NP (ART~DE DELLE) (NOU~PR FS)))
+     (ADJP (ADVB PIU') (ADJ~QU CARI))
+     (PP (PREP con)
+         (NP
+             (NP (NOU~CP aumenti) (ADJ~QU medi))
+             (PP (PREP del)
+                 (NP (ART~DE del) (NUMR 2,5) (SPECIAL %)
+                     (PP
+                         (PP (PREP della)
+                             (NP (ART~DE della) (NOU~CS tariffa)
+                                 (NP (NOU~CS base))))
+                           (CONJ e)
+                           (PP (PREP del)
+                               (NP (ART~DE del) (NOU~CS supplemento)
+                                   (NP (NOU~PR Intercity)
+                                       (CONJ e) (NOU~PR Pendolino)))))))))
+               (. .)) )
+
+
+************** FRASE NEWS-312 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (NOU~CP rincari))
+    (VP (VAU~RE sono)
+        (VP (VMA~PA distribuiti)
+            (PP (PREP per)
+                (NP (ART~DE le) (NOU~CP tratte)))
+             (PP (PREP secondo)
+                 (NP
+                     (NP (ART~DE la) (NOU~CS lunghezza) (ADJ~QU chilometrica))
+                     (CONJ e)
+                     (NP
+                         (NP (ART~DE la) (NOU~CS frequenza))
+                         (PP (PREP dei)
+                             (NP (ART~DE dei) (NOU~CP passeggeri))))))))
+           (. .)) )
+
+
+************** FRASE NEWS-313 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE IL) (NOU~CS PRESIDENTE))
+        (PP (PREP DELL')
+            (NP (ART~DE DELL') (NOU~PR INTER)))
+         (PRN
+             (, ,)
+             (NP (NOU~PR Massimo) (NOU~PR Moratti))
+             (, ,)))
+       (VP (VAU~RE ha)
+           (VP (VMA~PA acquistato)
+               (NP (ART~DE il) (NUMR 4,9) (SPECIAL %)
+                   (PP (PREP della)
+                       (NP (ART~DE della) (NOU~PR Camfin)
+                           (, ,)
+                           (NP (ART~DE la) (NOU~CA holding)
+                               (NP
+                                   (NP
+                                       (NP (NOU~CS azionista))
+                                       (PP (PREP di)
+                                           (NP (NOU~CS riferimento)))
+                                        (PP (PREP del)
+                                            (NP (ART~DE del) (NOU~CS gruppo) (NOU~PR Pirelli))))
+                                      (CONJ e)
+                                      (S
+                                          (NP-SBJ (PRO~RE che))
+                                          (VP (VMA~RE fa)
+                                              (NP (NOU~CS capo))
+                                              (PP (PREP alla)
+                                                  (NP (ART~DE alla) (NOU~CS famiglia)
+                                                      (NP (NOU~PR Tronchetti) (NOU~PR Provera)))))))))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-314 **************
+
+ ( (NP
+    (NP (NOU~CA VIA_LIBERA))
+    (PP (PREP DALLA)
+        (NP (ART~DE DALLA) (NOU~CS CAMERA)))
+     (PP (PREP al)
+         (NP
+             (NP (ART~DE al) (NOU~CS maxiemendamento))
+             (PP (PREP con)
+                 (NP
+                     (NP (NUMR 208))
+                     (NP (ART~DE i) (NOU~CP miliardi))
+                     (PP (PREP di)
+                         (NP
+                             (NP (NOU~CP agevolazioni))
+                             (PP (PREP per)
+                                 (NP (ART~DE il) (NOU~CS settore)))))))
+                  (SBAR
+                      (S
+                          (PP-LOC (PREP su)
+                              (NP (PRO~RE cui)))
+                           (NP-SBJ (ART~DE il) (NOU~CS Governo))
+                           (VP (VAU~RE ha)
+                               (VP (VMA~PA posto)
+                                   (NP (ART~DE la) (NOU~CS fiducia))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-315 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CS PAPA))
+        (NP (NOU~PR GIOVANNI)
+            (NP (NOU~PR PAOLO) (ADJ~OR II))))
+      (VP (VMA~FU visitera')
+          (NP (NOU~PR Cuba))
+          (PP-TMP (PREP dal)
+              (NP (ART~DE dal) (NUMR 21))
+              (PP (PREP al)
+                  (NP
+                      (NP (ART~DE al) (NUMR 25))
+                      (PP (PREP del)
+                          (NP (ART~DE del) (ADJ~DI prossimo) (NOU~CS anno)))))))
+           (. .)) )
+
+
+************** FRASE NEWS-316 **************
+
+ ( (NP
+    (NP (NOU~CP Lampi))
+    (PP (PREP di)
+        (NP (NOU~CS guerra) (ADJ~QU civile)))
+     (PP-LOC (PREP dai)
+         (NP (ART~DE dai) (NOU~PR Balcani)))
+      (. .)) )
+
+
+************** FRASE NEWS-317 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (NUMR 40) (NOU~CP giorni))
+            (PP (PREP di)
+                (NP
+                    (NP (NOU~CS protesta))
+                    (PP (PREP per)
+                        (NP
+                            (NP (ART~DE il) (NOU~CS crollo))
+                            (PP (PREP delle)
+                                (NP (ART~DE delle)
+                                    (' ') (NOU~CP piramidi)
+                                    (' ') (ADJ~QU finanziarie)))))))))
+            (, ,)
+            (NP-SBJ (ART~DE l') (NOU~PR Albania))
+            (VP (VAU~RE e')
+                (VP (VMA~PA passata)
+                    (PP-LOC (PREP dal)
+                        (NP
+                            (NP (ART~DE dal) (NOU~CS lancio))
+                            (PP (PREP dei)
+                                (NP (ART~DE dei) (NOU~CP sassi)))))
+                       (PP-LOC (PREP alle)
+                           (NP (ART~DE alle) (NOU~CP mitragliatrici)))))
+                  (. .)) )
+
+
+************** FRASE NEWS-318 **************
+
+ ( (NP
+    (NP
+        (NP (ART~IN Una) (NOU~CS decina))
+        (PP (PREP di)
+            (NP (NOU~CP morti))))
+      (, ,)
+      (NP
+          (NP (NUMR 30) (NOU~CP feriti))
+          (, ,)
+          (NP
+              (NP (ART~DE il) (NOU~CS Sud))
+              (PP-LOC (PREP nell')
+                  (NP (ART~DE nell') (NOU~CS anarchia)))
+               (VP (VMA~PA isolato)
+                   (NP (-NONE- *))
+                   (PP (PREP dal)
+                       (NP
+                           (NP (ART~DE dal) (NOU~CS resto))
+                           (PP (PREP del)
+                               (NP (ART~DE del) (NOU~CS Paese))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-319 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Valona)))
+     (NP-SBJ (ART~DE la) (NOU~CS violenza))
+     (VP (VAU~RE e')
+         (VP (VMA~PA esplosa)
+             (PP (PREP con)
+                 (NP
+                     (NP
+                         (NP (NOU~CP assalti))
+                         (PP (PREP alle)
+                             (NP (ART~DE alle) (NOU~CP caserme))))
+                       (CONJ e)
+                       (NP
+                           (NP (NOU~CP scontri))
+                           (PP (PREP a)
+                               (NP (NOU~CS fuoco)))
+                            (PP (PREP con)
+                                (NP
+                                    (NP (ART~DE i) (NOU~CP servizi))
+                                    (PP (PREP di)
+                                        (NP (NOU~CS sicurezza))))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-320 **************
+
+ ( (S
+    (S
+        (NP-SBJ (NUMR Sei) (NOU~CP-233 agenti))
+        (VP (VAU~RE-333 sono)
+            (VP (VAU~PA-433 stati)
+                (VP (VMA~PA uccisi)))))
+       (, ,)
+       (S
+           (S
+               (NP-SBJ (NUMR due) (-NONE- *-233))
+               (VP (-NONE- *-333)
+                   (VP
+                       (VP (VMA~PA bruciati)) (-NONE- *-433)))
+                 (PP-LOC (PREP tra)
+                     (NP
+                         (NP (ART~DE le) (NOU~CP fiamme))
+                         (PP (PREP del)
+                             (NP (ART~DE del)
+                                 (NP (ADJ~PO loro) (NOU~CS ufficio))
+                                 (VP (VMA~PA incendiato)
+                                     (NP (-NONE- *))
+                                     (PP-LGS (PREP dai)
+                                         (NP (ART~DE dai) (NOU~CP rivoltosi)))))))))
+                    (, ,)
+                    (S
+                        (S
+                            (NP-SBJ (ART~DE gli) (PRO~ID altri))
+                            (VP
+                                (VP
+                                    (VP (VMA~PA linciati))))
+                              (PP-LGS (PREP dalla)
+                                  (NP (ART~DE dalla) (NOU~CS folla) (ADJ~QU inferocita))))
+                            (, ,)
+                            (S
+                                (NP-SBJ (NUMR due) (NOU~CP manifestanti))
+                                (VP (-NONE- *-21.1033)
+                                    (VP
+                                        (VP (VMA~PA freddati)) (-NONE- *-21.1133)))
+                                  (PP (PREP a)
+                                      (NP (NOU~CP colpi))
+                                      (PP (PREP di)
+                                          (NP (NOU~CS ARMA_DA_FUOCO)))))))
+                           (. .)) )
+
+
+************** FRASE NEWS-321 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP-SBJ (NOU~CP Migliaia))
+            (PP (PREP di)
+                (NP (NOU~CP persone))))
+          (VP (VAU~RE sono)
+              (VP (VMA~PA scese)
+                  (PP-LOC (PREP in)
+                      (NP (NOU~CS piazza)))
+                   (PP-LOC (PREP nelle)
+                       (NP
+                           (NP (ART~DE nelle) (ADJ~DI altre) (NOU~CA citta'))
+                           (PP (PREP del)
+                               (NP (ART~DE del) (NOU~CS Sud))))))))
+             (, ,)
+             (S
+                 (PP-LOC (PREP a)
+                     (NP (NOU~PR Tirana)))
+                  (NP-SBJ
+                      (NP (NOU~CP studenti))
+                      (CONJ e)
+                      (NP (NOU~CS polizia)))
+                   (NP (PRO~RI si))
+                   (VP (VAU~RE sono)
+                       (VP (VMA~PA scontrati)
+                           (PP-LOC (PREP vicino)
+                               (PP (PREP all')
+                                   (NP (ART~DE all')
+                                       (NP (NOU~CA universita'))
+                                       (SBAR
+                                           (S
+                                               (NP-LOC (PRO~LO dove))
+                                               (PP-TMP (PREP nel)
+                                                   (NP (ART~DE nel) (DATE '90)))
+                                                (VP (VMA~RA scoppio')
+                                                    (NP-EXTPSBJ-2933
+                                                        (NP (ART~DE la) (NOU~CS rivolta))
+                                                        (PP (PREP contro)
+                                                            (NP (ART~DE il) (NOU~CS regime) (ADJ~QU comunista)))))
+                                                   (NP-SBJ (-NONE- *-2933))))))))))
+                           (. .)) )
+
+
+************** FRASE NEWS-322 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Intanto))
+    (NP-SBJ (ART~DE il) (ADJ~OR primo) (NOU~CS ministro)
+        (NP (NOU~PR Aleksander) (NOU~PR Meksi)))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA presentato)
+             (NP
+                 (NP (ART~DE le) (NOU~CP dimissioni))
+                 (PP (PREP del)
+                     (NP (ART~DE del) (NOU~CS Governo))))
+               (PP (PREP al)
+                   (NP (ART~DE al) (NOU~CS presidente)
+                       (NP (NOU~PR Sali) (NOU~PR Berisha))))))
+           (. .)) )
+
+
+************** FRASE NEWS-323 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CP Manifestanti))
+        (CONJ e)
+        (NP
+            (NP (NOU~CS opposizione))
+            (PRN
+                (, ,)
+                (SBAR
+                    (NP-5333 (PRO~RE che))
+                    (S
+                        (NP-SBJ (-NONE- *-5333))
+                        (PP-TMP
+                            (PP (PREP da)
+                                (NP (NOU~CP mesi)))
+                             (, ,)
+                             (CONJ cioe')
+                             (PP (PREP dalle)
+                                 (NP
+                                     (NP (ART~DE dalle) (NOU~CP elezioni) (ADJ~QU legislative))
+                                     (PP-TMP (PREP del)
+                                         (NP (ART~DE del) (NOU~CS maggio) (ADJ~DI scorso))))))
+                             (VP (VMA~RE boicotta)
+                                 (NP (ART~DE i) (NOU~CP lavori) (ADJ~QU parlamentari)))))
+                        (, ,))))
+               (VP (VMA~RE chiedono)
+                   (NP
+                       (NP (ART~DE le) (NOU~CP dimissioni))
+                       (PP (PREP del)
+                           (NP
+                               (NP (ART~DE del) (NOU~CS Governo))
+                               (PP (PREP del)
+                                   (NP (ART~DE del)
+                                       (NP (NOU~CS Partito) (ADJ~QU democratico))
+                                       (VP (VMA~PA ritenuto)
+                                           (NP (-NONE- *))
+                                           (ADJP-PRD (ADJ~QU responsabile)
+                                               (PP (PREP del)
+                                                   (NP
+                                                       (NP (ART~DE del) (NOU~CS fallimento))
+                                                       (PP (PREP delle)
+                                                           (NP (ART~DE delle)
+                                                               (NP (NOU~CP piramidi) (ADJ~QU finanziarie))
+                                                               (SBAR
+                                                                   (S
+                                                                       (NP-LOC (PRO~LO dove))
+                                                                       (VP (VAU~RE sono)
+                                                                           (VP (VAU~PA stati)
+                                                                               (VP (VMA~PA bruciati))))
+                                                                         (NP-SBJ (-NONE- *-4033))
+                                                                         (NP-EXTPSBJ-4033
+                                                                             (NP (NUMR due) (NOU~CP miliardi))
+                                                                             (PP (PREP di)
+                                                                                 (NP
+                                                                                     (NP (NOU~CP dollari))
+                                                                                     (PP (PREP di)
+                                                                                         (NP
+                                                                                             (NP (NOU~CP investimenti))
+                                                                                             (CONJ e)
+                                                                                             (NP (NOU~CP risparmi)))))))))))))))))))))
+                                    (. .)) )
+
+
+************** FRASE NEWS-324 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Valona)))
+     (NP-SBJ-333 (ART~DE la) (NOU~CS protesta))
+     (VP (VAU~RE e')
+         (VP (VMA~PA guidata)
+             (PP-LGS
+                 (PP (PREP dai)
+                     (NP (ART~DE dai)
+                         (NP (NOU~CA clan) (ADJ~QU locali))
+                         (VP (VMA~PA collegati)
+                             (NP (-NONE- *))
+                             (PP (PREP al)
+                                 (NP (ART~DE al) (NOU~CS narcotraffico))))))
+                     (, ,)
+                     (PP
+                         (PP (PREP dagli)
+                             (NP (ART~DE dagli) (ADJ~QU ex) (NOU~CP comunisti)))
+                          (, ,)
+                          (PP (PREP da)
+                              (NP
+                                  (NP (NOU~CP bande) (ADJ~QU criminali))
+                                  (SBAR
+                                      (NP-2333 (PRO~RE che))
+                                      (S
+                                          (NP-SBJ (-NONE- *-2333))
+                                          (ADVP-TMP (ADVB adesso))
+                                          (VP (VMA~RE sfruttano)
+                                              (NP
+                                                  (NP (ART~DE l') (NOU~CS ira))
+                                                  (PP (PREP di)
+                                                      (NP
+                                                          (NP (NOU~CP migliaia))
+                                                          (PP (PREP di)
+                                                              (NP
+                                                                  (NP (NOU~CP albanesi))
+                                                                  (VP (VMA~PA truffati)
+                                                                      (NP (-NONE- *)))
+                                                                   (SBAR
+                                                                       (NP-3333 (PRO~RE che))
+                                                                       (S
+                                                                           (NP-SBJ (-NONE- *-3333))
+                                                                           (VP (VAU~IM avevano)
+                                                                               (VP (VMA~PA creduto)
+                                                                                   (PP (PREP al)
+                                                                                       (NP
+                                                                                           (NP (ART~DE al) (NOU~CS miraggio))
+                                                                                           (PP (PREP della)
+                                                                                               (NP (ART~DE della) (NOU~CS ricchezza)))))
+                                                                                      (PP-TMP (PREP dopo)
+                                                                                          (NP
+                                                                                              (NP (ART~DE l') (NOU~CS era))
+                                                                                              (PP (PREP della)
+                                                                                                  (NP (ART~DE della) (NOU~CS dittatura) (ADJ~QU stalinista)))))))))))))))))))))))
+                                   (. .)) )
+
+
+************** FRASE NEWS-325 **************
+
+ ( (S
+    (S
+        (PP-LOC (PREP A)
+            (NP (NOU~PR Tirana)))
+         (NP-SBJ
+             (NP-333
+                 (NP (ART~DE le) (NOU~CP forze)) (-NONE- *-)
+                 (PP (PREP dell')
+                     (NP (ART~DE dell') (NOU~CS ordine))))
+               (CONJ e)
+               (NP
+                   (NP (ART~DE gli) (NOU~CP agenti))
+                   (PP (PREP della)
+                       (NP (ART~DE della) (NOU~PR Shikh)
+                           (PRN
+                               (, ,)
+                               (NP (ART~DE i)
+                                   (NP (NOU~CP servizi) (ADJ~QU segreti))
+                                   (SBAR
+                                       (NP-1333 (PRO~RE che))
+                                       (S
+                                           (NP-SBJ (-NONE- *-1333))
+                                           (VP (VAU~RE hanno)
+                                               (VP (VMA~PA ereditato)
+                                                   (NP
+                                                       (NP (ART~DE i) (NOU~CP compiti))
+                                                       (PP (PREP della)
+                                                           (NP (ART~DE della) (ADJ~QU comunista) (NOU~PR Segurimi)))))))))
+                                      (, ,))))))
+                       (ADVP-TMP (ADVB ieri))
+                       (VP (VAU~RE sono)
+                           (VP (VMA~PA riusciti)
+                               (PP (PREP a)
+                                   (S
+                                       (VP (VMA~IN soffocare)
+                                           (NP
+                                               (NP (ART~DE la) (NOU~CS protesta))
+                                               (PP (PREP di)
+                                                   (NP (NUMR quattromila) (NOU~CP studenti)))))
+                                          (NP-SBJ (-NONE- *-333))))))
+                              (NP-SBJ (-NONE- *-333)))
+                           (CONJ ma)
+                           (S
+                               (NP-SBJ (ART~DE la) (NOU~CS tensione))
+                               (VP (VMA~RE e')
+                                   (ADJP-PRD (ADJ~QU altissima))))
+                             (. .)) )
+
+
+************** FRASE NEWS-326 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE La) (NOU~CS polizia))
+        (VP (VMA~RE pattuglia)
+            (NP (ART~DE le) (NOU~CP strade))))
+      (CONJ e)
+      (S
+          (VP (VMA~RE presidia)
+              (NP (ART~DE gli)
+                  (NP (NOU~CP edifici) (ADJ~QU pubblici))
+                  (ADJP
+                      (' ') (ADJ~QU strategici)
+                      (' '))))
+             (NP-SBJ (-NONE- *-133)))
+          (. .)) )
+
+
+************** FRASE NEWS-327 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE L') (NOU~PR Albania))
+        (VP (VMA~RE appare)
+            (ADJP-PRD
+                (ADVP (ADVB sempre) (ADVB piu')) (ADJ~QU vicina)
+                (PP (PREP alla)
+                    (NP (ART~DE alla) (NOU~CS guerra) (ADJ~QU civile))))))
+        (CONJ e)
+        (S
+            (NP (PRO~RI si))
+            (VP (VMA~RE prepara)
+                (PP (PREP ad)
+                    (S
+                        (VP (VMA~IN assistere)
+                            (PRN
+                                (, ,)
+                                (PP-LOC
+                                    (PP (PREP nel)
+                                        (NP (ART~DE nel) (NOU~CS sangue)))
+                                     (CONJ e)
+                                     (PP (PREP nella)
+                                         (NP (ART~DE nella) (NOU~CS violenza))))
+                                   (, ,))
+                                (PP (PREP alla)
+                                    (NP
+                                        (NP (ART~DE alla) (NOU~CS rielezione) (ADJ~QU scontata))
+                                        (PRN
+                                            (, ,)
+                                            (PP-TMP (PREP per)
+                                                (NP (ART~DE il) (NOU~CS momento)))
+                                             (, ,))
+                                          (PP (PREP del)
+                                              (NP (ART~DE del) (NOU~CS presidente)
+                                                  (NP (NOU~PR Sali) (NOU~PR Berisha))))
+                                            (VP (VMA~PA prevista)
+                                                (NP (-NONE- *))
+                                                (ADVP-TMP (ADVB domani))
+                                                (PP-LOC (PREP in)
+                                                    (NP (NOU~CS Parlamento)))))))
+                                     (NP-SBJ (-NONE- *-12.1033)))))
+                            (NP-SBJ-12.1033 (-NONE- *-133)))
+                         (. .)) )
+
+
+************** FRASE NEWS-328 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Berisha))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP (ART~DE il) (NOU~CS candidato) (ADJ~QU unico))
+            (PP (PREP di)
+                (NP (ART~IN un)
+                    (NP (NOU~CS partito))
+                    (SBAR
+                        (NP-9333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-9333))
+                            (VP (VMA~RE detiene)
+                                (NP
+                                    (NP (ART~DE la) (ADJ~QU stragrande) (NOU~CS maggioranza))
+                                    (PP (PREP dei)
+                                        (NP (ART~DE dei) (NOU~CP seggi)))))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-329 **************
+
+ ( (VP (VMA~RE e')
+    (ADVP (ADVB davvero))
+    (NP-PRD
+        (NP (ART~IN una) (NOU~CS scommessa))
+        (PP (PREP ad)
+            (NP (ADJ~QU alto) (NOU~CS rischio))))
+      (. .)) )
+
+
+************** FRASE NEWS-330 **************
+
+ ( (NP
+    (NP (NOU~CS Assalto))
+    (PP (PREP alle)
+        (NP (ART~DE alle) (NOU~CP caserme)))
+     (PP-LOC (PREP a)
+         (NP (NOU~PR Valona)))
+      (PP (PREP per)
+          (S
+              (VP (VMA~IN procurarsi)
+                  (NP (PRO~RI procurarsi))
+                  (NP
+                      (NP (NOU~CP armi))
+                      (CONJ ed)
+                      (NP (NOU~CS esplosivo))))
+                (NP-SBJ (-NONE- *))))
+          (. .)) )
+
+
+************** FRASE NEWS-331 **************
+
+ ( (S
+    (VP (VMA~RE Continuano)
+        (PP-TMP (PREP nel)
+            (NP (ART~DE nel) (ADJ~QU post)
+                (PUNCT -) (NOU~CS comunismo)))
+          (NP-EXTPSBJ-633
+              (NP (ART~DE le) (NOU~CP lotte))
+              (PP (PREP fra)
+                  (NP (ART~DE i) (NOU~CA clan) (ADJ~QU rivali)))))
+         (NP-SBJ (-NONE- *-633))
+         (. .)) )
+
+
+************** FRASE NEWS-332 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS anarchia))
+    (VP (VMA~RE e')
+        (ADVP-TMP (ADVB ormai))
+        (PP-LOC (PREP al)
+            (NP (ART~DE al) (NOU~CS potere))))
+      (. .)) )
+
+
+************** FRASE NEWS-333 **************
+
+ ( (NP
+    (NP
+        (NP (ART~DE Il) (NOU~CS fallimento))
+        (PP (PREP delle)
+            (NP (ART~DE delle) (NOU~CP piramidi) (ADJ~QU finanziarie))))
+      (, ,)
+      (NP
+          (NP (NUMR 40)
+              (NP (NOU~CP giorni)))
+           (PP (PREP di)
+               (NP
+                   (NP (NOU~CP proteste))
+                   (PP (PREP di)
+                       (NP (NOU~CS piazza)))))
+              (, ,)
+              (NP
+                  (NP (ADVB poi) (ART~DE la) (NOU~CS rivolta) (ADJ~QU armata))
+                  (PP (PREP della)
+                      (NP
+                          (NP (ART~DE della) (NOU~CS repubblica) (ADJ~QU indipendente))
+                          (PP (PREP di)
+                              (NP (NOU~PR Valona)
+                                  (, ,)
+                                  (NP
+                                      (NP
+                                          (NP (NOU~CA citta'))
+                                          (ADJP (ADJ~QU ribelle)
+                                              (PP-TMP (PREP da) (ADVB sempre))))
+                                        (, ,)
+                                        (NP
+                                            (NP (NOU~CS regno))
+                                            (PP (PREP di)
+                                                (NP
+                                                    (NP (NOU~CP contrabbandieri))
+                                                    (, ,)
+                                                    (NP
+                                                        (NP (NOU~CP scafisti))
+                                                        (CONJ e)
+                                                        (NP (NOU~CP narcotrafficanti)))))))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-334 **************
+
+ ( (S
+    (PP-LOC (PREP Su)
+        (NP
+            (NP (ADJ~DE questa) (NOU~CS sponda))
+            (PP (PREP dell')
+                (NP (ART~DE dell') (NOU~PR Adriatico)))
+             (PRN
+                 (, ,)
+                 (PP-LOC (PREP a)
+                     (NP
+                         (NP (NUMR 40) (NOU~CP miglia))
+                         (PP-LOC (PREP dalla)
+                             (NP (ART~DE dalla) (NOU~CS costa) (ADJ~QU italiana)))))
+                    (, ,))))
+           (NP-SBJ (ART~DE l') (NOU~PR Albania))
+           (VP (VMA~RE e')
+               (PP-LOC (PREP a)
+                   (NP
+                       (NP (ART~IN un) (NOU~CS passo))
+                       (PP (PREP dalla)
+                           (NP (ART~DE dalla) (NOU~CS guerra) (ADJ~QU civile))))))
+               (: ;)) )
+
+
+************** FRASE NEWS-335 **************
+
+ ( (PP
+    (PP (PREP dalla)
+        (NP
+            (NP (ART~DE dalla) (NOU~CS fine))
+            (PRN
+                (, ,)
+                (ADJP
+                    (ADJP (ADVB PER_ORA)
+                        (ADVP-TMP (ADVB ancora)) (ADJ~QU imprevedibile))
+                     (CONJ e)
+                     (ADJP (ADVB forse) (ADJ~QU sanguinosa)))
+                  (, ,))
+               (PP (PREP del)
+                   (NP
+                       (NP (ART~DE del) (ADJ~OR primo) (NOU~CS regime) (ADJ~QU democratico))
+                       (PP-TMP (PREP dopo)
+                           (NP
+                               (NP (NUMR 45))
+                               (NP (ART~DE i) (NOU~CP anni))
+                               (PP (PREP di)
+                                   (NP
+                                       (NP (NOU~CS dittatura) (ADJ~QU stalinista))
+                                       (VP (VMA~PA simboleggiata)
+                                           (NP (-NONE- *))
+                                           (PP-LGS (PREP da)
+                                               (NP (NOU~PR Enver) (NOU~PR Hoxha))))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-336 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ (ART~DE il) (NOU~CS comunismo) (ADJ~QU albanese))
+    (PRN
+        (, ,)
+        (PP
+            (PP (PREP nei)
+                (NP (ART~DE nei) (NOU~CP metodi)))
+             (CONJ e)
+             (PP (PREP negli)
+                 (NP (ART~DE negli) (NOU~CP uomini))))
+           (, ,))
+        (VP (VAU~IM era)
+            (VP (VAU~PA stato)
+                (ADVP (ADVB davvero))
+                (VP (VMA~PA sepolto))))
+          (PP-LGS (PREP dalla)
+              (NP
+                  (NP (ART~DE dalla) (NOU~CS valanga))
+                  (PP (PREP della)
+                      (NP
+                          (NP (ART~DE della) (NOU~CS vittoria) (ADJ~QU elettorale))
+                          (PP (PREP del)
+                              (NP (ART~DE del) (NOU~CS partito) (ADJ~QU democratico)))
+                           (PP-TMP (PREP nel)
+                               (NP (ART~DE nel) (DATE '92)))))))
+                (. ?)) )
+
+
+************** FRASE NEWS-337 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Le) (NOU~CP legislative))
+        (PP-TMP (PREP del)
+            (NP (ART~DE del) (NOU~CS maggio) (ADJ~DI scorso)))
+         (, ,)
+         (VP
+             (VP (VMA~PA boicottate)
+                 (PP-LGS (PREP dall')
+                     (NP (ART~DE dall') (NOU~CS opposizione))))
+               (NP (-NONE- *))
+               (CONJ e)
+               (S
+                   (VP (VMA~PA criticate)
+                       (ADVP (ADVB aspramente))
+                       (PP-LGS (PREP dagli)
+                           (NP (ART~DE dagli) (NOU~PR STATI_UNITI)
+                               (PRN
+                                   (PUNCT -)
+                                   (NP
+                                       (NP (ART~DE il) (ADJ~OR primo) (NOU~CA sponsor))
+                                       (PP (PREP di)
+                                           (NP (NOU~PR Berisha))))
+                                     (PUNCT -)))))
+                         (NP-SBJ (-NONE- *-7.1033)))))
+                (VP (VAU~RE sono)
+                    (VP (VMA~PA state)
+                        (NP-PRD
+                            (NP (ART~DE il) (NOU~CS segnale) (ADJ~QU forte))
+                            (PP (PREP di)
+                                (NP (ART~IN un)
+                                    (NP (NOU~CS malessere))
+                                    (SBAR
+                                        (NP-3333 (PRO~RE che))
+                                        (S
+                                            (NP-SBJ (-NONE- *-3333))
+                                            (ADVP-TMP (ADVB poi))
+                                            (VP (VAU~RE e')
+                                                (VP (VMA~PA esploso)
+                                                    (PP-LOC (PREP nelle)
+                                                        (NP (ART~DE nelle) (NOU~CP piazze))))))))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-338 **************
+
+ ( (S
+    (ADVP (ADVB IN_REALTÀ))
+    (PP-TMP (PREP in)
+        (NP (ADJ~DE questi) (NOU~CP anni)))
+     (PP-LOC (PREP a)
+         (NP (NOU~PR Tirana)))
+      (NP (PRO~RI si))
+      (VP (VAU~RE sono)
+          (VP (VMA~PA scontrati)
+              (PP-LOC (PREP in)
+                  (NP
+                      (NP (ART~IN una) (ADJ~QU dura) (NOU~CS lotta))
+                      (PP (PREP di)
+                          (NP (NOU~CS potere)))))
+                 (NP-EXTPSBJ-1733 (ART~DE i)
+                     (NP (NOU~CA clan))
+                     (VP (VMA~PA legati)
+                         (NP (-NONE- *))
+                         (PP (PREP alla)
+                             (NP (ART~DE alla) (ADJ~QU vecchia) (NOU~CS nomenklatura))))
+                       (, ,)
+                       (ADJP (ADJ~QU trasversali)
+                           (PP
+                               (PP
+                                   (CONJ sia) (PREP-2633 ai)
+                                   (NP
+                                       (NP (ART~DE-26.133 ai) (NOU~CP-2733 partiti))
+                                       (PP (PREP di)
+                                           (NP (NOU~CS Governo)))))
+                                  (CONJ che)
+                                  (PP (-NONE- *-2633)
+                                      (NP
+                                          (NP (-NONE- *-26.133) (-NONE- *-2733))
+                                          (PP (PREP di)
+                                              (NP (NOU~CS opposizione))))))))))
+                      (NP-SBJ (-NONE- *-1733))
+                      (. .)) )
+
+
+************** FRASE NEWS-339 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (NOU~CS presidente)
+        (NP (NOU~PR Sali) (NOU~PR Berisha))
+        (PRN
+            (, ,)
+            (SBAR
+                (NP-6333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-6333))
+                    (PP-TMP (PREP all')
+                        (NP
+                            (NP (ART~DE all') (NOU~CS inizio))
+                            (PP (PREP della)
+                                (NP (ART~DE della) (ADJ~PO sua) (NOU~CS carriera) (ADJ~QU politica)))))
+                       (VP (VMA~IM andava)
+                           (ADVP (ADVB A_BRACCETTO))
+                           (PP-LOC (PREP ai)
+                               (NP (ART~DE ai) (NOU~CP comizi)))
+                            (PP (PREP con)
+                                (NP (ART~DE l') (NOU~CS ambasciatore) (NOU~PR Usa))))))
+                    (, ,)))
+              (VP (VAU~RE ha)
+                  (VP (VMA~PA abbandonato)
+                      (ADVP-TMP (ADVB presto))
+                      (NP (ART~DE le) (NOU~CP suggestioni) (ADJ~QU americaneggianti))
+                      (PP (PREP per)
+                          (S
+                              (VP (VMA~IN diventare)
+                                  (ADVP (ADVB sempre) (ADVB DI_PIÙ))
+                                  (NP-PRD
+                                      (NP (ART~IN un) (NOU~CA leader))
+                                      (PP (PREP dall')
+                                          (NP (ART~DE dall') (ADJ~QU accentuato) (NOU~CS profilo) (ADJ~QU balcanico)))))
+                                 (NP-SBJ (-NONE- *-133))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-340 **************
+
+ ( (S
+    (NP (PRO~RI Si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA fatto)
+            (NP-PRD
+                (NP
+                    (NP (NOU~CP portabandiera))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (ADJ~QU libero) (NOU~CS mercato))))
+                  (CONJ e)
+                  (NP
+                      (NP (ART~DE la) (NOU~CS fama))
+                      (PP (PREP di)
+                          (NP
+                              (NP (NOU~CS protettore))
+                              (PP (PREP degli)
+                                  (NP (ART~DE degli) (NOU~CP investimenti) (ADJ~QU stranieri)))))))))
+             (NP-SBJ (-NONE- *))
+             (. .)) )
+
+
+************** FRASE NEWS-341 **************
+
+ ( (S
+    (CONJ Ma)
+    (PP (PREP invece)
+        (PP (PREP di)
+            (S
+                (VP (VMA~IN andare)
+                    (PP-LOC+METAPH (PREP verso)
+                        (NP (ART~DE il) (NOU~CS capitalismo))))
+                  (NP-SBJ (-NONE- *-833)))))
+         (NP-SBJ-833 (ART~DE l') (NOU~PR Albania))
+         (VP (VAU~RE e')
+             (VP (VMA~PA rotolata)
+                 (PP (PREP senza)
+                     (NP (NOU~CP freni)))
+                  (PP-LOC (PREP nell')
+                      (NP (ART~DE nell') (NOU~CS anarchia) (ADJ~QU economica)))))
+             (. .)) )
+
+
+************** FRASE NEWS-342 **************
+
+ ( (S
+    (S
+        (PP-TMP (PREP Per)
+            (NP (ADJ~IN qualche) (NOU~CS anno)))
+         (NP-SBJ
+             (NP-433
+                 (NP (ART~DE la) (NOU~CS guerra)) (-NONE- *-)
+                 (PP-LOC (PREP nell')
+                     (NP (ART~DE nell') (ADJ~QU ex) (NOU~PR Jugoslavia))))
+               (CONJ e)
+               (NP (ART~DE il) (NOU~CS contrabbando)
+                   (PP (PREP di)
+                       (NP
+                           (NP (ADJ~IN ogni) (NOU~CS genere))
+                           (PP (PREP di)
+                               (NP
+                                   (NP (NOU~CS merce))
+                                   (, ,)
+                                   (PP (PREP da)
+                                       (NP (PRO~DE quella) (ADJ~QU umana))
+                                       (PP (PREP alla)
+                                           (NP (ART~DE alla) (NOU~CS droga))))))))
+                         (PRN
+                             (PUNCT -)
+                             (PUNCT -))))
+                    (VP (VAU~RE hanno)
+                        (VP (VMA~PA tamponato)
+                            (PRN
+                                (, ,)
+                                (PP (PREP insieme)
+                                    (PP (PREP alle)
+                                        (NP
+                                            (NP (ART~DE alle) (NOU~CP rimesse))
+                                            (PP (PREP degli)
+                                                (NP (ART~DE degli) (NOU~CP emigrati))))))
+                                    (, ,))
+                                 (NP
+                                     (NP (ART~DE le) (NOU~CP falle))
+                                     (PP (PREP del)
+                                         (NP (ART~DE del) (NOU~CS bilancio))))))
+                             (NP-SBJ (-NONE- *-433)))
+                          (CONJ e)
+                          (S
+                              (VP (VMA~PA arricchito)
+                                  (NP
+                                      (NP (ART~IN una) (NOU~CS parte))
+                                      (PP (PREP della)
+                                          (NP (ART~DE della) (NOU~CS popolazione) (ADJ~QU albanese)))))
+                                 (NP-SBJ (-NONE- *-433)))
+                              (. .)) )
+
+
+************** FRASE NEWS-343 **************
+
+ ( (S
+    (PP-LOC (PREP Dai)
+        (NP
+            (NP (ART~DE Dai) (NOU~CP confini))
+            (PP (PREP con)
+                (NP
+                    (NP (ART~DE il) (NOU~PR Montenegro))
+                    (CONJ e)
+                    (NP (ART~DE il) (NOU~PR Kosovo))))))
+        (PP-TMP (PREP durante)
+            (NP (ART~DE l') (NOU~CS embargo)))
+         (VP (VAU~RE e')
+             (VP (VMA~PA passato)
+                 (PP-EXTPSBJ-1433 (PREP di)
+                     (NP (PRO~ID tutto))
+                     (, ,)
+                     (PP (PREP dalle)
+                         (NP (ART~DE dalle) (NOU~CP armi))
+                         (PP (PREP al)
+                             (NP (ART~DE al) (NOU~CS petrolio)))))))
+              (. .)) )
+
+
+************** FRASE NEWS-344 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Scutari)))
+     (NP-LOC (PRO~LO c'))
+     (VP (VMA~IM era)
+         (NP-EXTPSBJ-533 (ART~DE la)
+             (ADJP (ADVB piu') (ADJ~QU alta))
+             (NP (NOU~CA densita')
+                 (PP (PREP di)
+                     (NP
+                         (NP (NOU~CP benzinai))
+                         (SBAR
+                             (S
+                                 (VP (-NONE- *-1733))))))
+                     (PP (PREP d')
+                         (NP (NOU~PR Europa)))
+                      (PP (PREP per)
+                          (NP (NOU~CS chilometro) (ADJ~QU quadrato)))
+                       (S
+                           (NP-SBJ (PRO~RE che))
+                           (VP-1733 (VMA~IM vendevano)
+                               (PP (PREP alla)
+                                   (NP
+                                       (NP (ART~DE alla) (NOU~CS Federazione))
+                                       (PP (PREP di)
+                                           (NP (NOU~PR Milosevic)))))
+                                  (NP
+                                      (NP (NOU~CS carburante))
+                                      (VP (VMA~PA quotato)
+                                          (NP (-NONE- *))
+                                          (NP
+                                              (NP (NUMR 20) (NOU~CP marchi))
+                                              (PP (PREP al)
+                                                  (NP (ART~DE al) (NOU~CS litro))))
+                                            (PP-LOC (PREP sulle)
+                                                (NP
+                                                    (NP (ART~DE sulle) (NOU~CP strade))
+                                                    (PP (PREP di)
+                                                        (NP (NOU~PR Belgrado))))))))))))
+                          (NP-SBJ (-NONE- *-533))
+                          (. .)) )
+
+
+************** FRASE NEWS-345 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Valona))
+    (ADVP-TMP (ADVB intanto))
+    (NP (PRO~RI si))
+    (VP (VAU~IM era)
+        (VP (VMA~PA trasformata)
+            (PP (PREP nella)
+                (NP
+                    (NP (ART~DE nella) (NOU~PR Tangeri))
+                    (PP (PREP dell')
+                        (NP (ART~DE dell') (NOU~PR Adriatico)))))))
+         (. .)) )
+
+
+************** FRASE NEWS-346 **************
+
+ ( (S
+    (ADVP-LOC (ADVB Qui))
+    (VP (VMA~IM dominava)
+        (NP (ART~DE la) (NOU~CS piazza))
+        (NP-EXTPSBJ-533 (ART~IN un)
+            (NP (NOU~CA clan))
+            (VP (VMA~PA legato)
+                (NP (-NONE- *))
+                (PP (PREP alla)
+                    (NP (ART~DE alla)
+                        (NP (ADJ~QU vecchia) (NOU~PR Segurimi))
+                        (SBAR
+                            (NP-1333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-1333))
+                                (PP (PREP del)
+                                    (NP (ART~DE del) (NOU~CS porto)))
+                                 (VP (VAU~IM aveva)
+                                     (VP (VMA~PA fatto)
+                                         (PP-TMP (ADVB gia') (PREP negli)
+                                             (NP
+                                                 (NP (ART~DE negli) (NOU~CP anni))
+                                                 (PP (PREP di)
+                                                     (NP (NOU~PR Hoxha)))))
+                                            (NP
+                                                (NP (ART~DE il) (NOU~CS punto))
+                                                (PP (PREP di)
+                                                    (NP
+                                                        (NP (NOU~CS snodo))
+                                                        (PP (PREP del)
+                                                            (NP
+                                                                (NP (ART~DE del) (NOU~CS traffico))
+                                                                (PP
+                                                                    (PP (PREP di)
+                                                                        (NP (NOU~CP armi)))
+                                                                     (CONJ e)
+                                                                     (PP (PREP di)
+                                                                         (NP (NOU~CP sigarette))))))))))))))))))
+                         (NP-SBJ (-NONE- *-533))
+                         (. .)) )
+
+
+************** FRASE NEWS-347 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (ART~DE La) (NOU~CS tradizione))
+        (CONJ e)
+        (NP (ART~DE le) (ADJ~QU antiche) (NOU~CA solidarieta')))
+     (VP
+         (VP (VAU~RE hanno)
+             (ADVP-TMP (ADVB poi))) (VMA~PA resistito)
+          (PP (PREP al)
+              (NP
+                  (NP (ART~DE al) (NOU~CS crollo))
+                  (PP (PREP del)
+                      (NP (ART~DE del) (NOU~CS regime))))))
+          (. .)) )
+
+
+************** FRASE NEWS-348 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~ID Molti))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP capi)
+                (PUNCT -)
+                (NP (NOU~CS bastone)))))
+       (PRN
+           (, ,)
+           (PP (PREP per)
+               (S
+                   (VP (VMA~IN acquisire)
+                       (NP (ADJ~QU nuova) (NOU~CA legittimita')))
+                    (NP-SBJ (-NONE- *-133))))
+              (, ,))
+           (VP (VAU~RE sono)
+               (VP (VMA~PA passati)
+                   (PP-LOC (PREP nelle)
+                       (NP
+                           (NP (ART~DE nelle) (NOU~CP file))
+                           (PP (PREP del)
+                               (NP (ART~DE del)
+                                   (NP (NOU~CS Partito) (ADJ~QU democratico))
+                                   (SBAR
+                                       (NP-1333 (PRO~RE che))
+                                       (S
+                                           (NP-SBJ (-NONE- *-1333))
+                                           (PP (ADVB proprio) (PREP attraverso)
+                                               (NP
+                                                   (NP (ART~DE la) (NOU~CS piramide) (ADJ~QU finanziaria))
+                                                   (PP (PREP di)
+                                                       (NP (NOU~PR Valona))) (NOU~PR Giallijca)))
+                                              (VP (VAU~RE ha)
+                                                  (VP (VMA~PA rastrellato)
+                                                      (NP
+                                                          (NP (ADJ~IN qualche) (NOU~CS milione))
+                                                          (PP (PREP di)
+                                                              (NP (NOU~CP dollari))))
+                                                        (PP (PREP per)
+                                                            (NP (ART~DE le) (ADJ~PO sue) (NOU~CP campagne) (ADJ~QU elettorali)))))))))))))
+                           (. .)) )
+
+
+************** FRASE NEWS-349 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CA clan))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP valonesi))))
+      (VP (VAU~RE e')
+          (VP (VMA~PA stato)
+              (NP-PRD
+                  (NP (PRO~DE quello))
+                  (SBAR
+                      (NP-8333 (PRO~RE che))
+                      (S
+                          (NP-SBJ (-NONE- *-8333))
+                          (PP-PRD (PREP per)
+                              (NP (PRO~OR primo)))
+                           (PRN
+                               (, ,)
+                               (PP (PREP grazie)
+                                   (PP
+                                       (PP (ADVB anche) (PREP all')
+                                           (NP
+                                               (NP (ART~DE all') (NOU~CA attivita'))
+                                               (PP (PREP degli)
+                                                   (NP (ART~DE degli) (NOU~CP scafisti)))))
+                                          (CONJ e)
+                                          (PP (PREP alla)
+                                              (NP
+                                                  (NP (ART~DE alla) (NOU~CS vicinanza))
+                                                  (PP (PREP con)
+                                                      (NP (ART~DE l') (NOU~PR Italia)))))))
+                                       (, ,))
+                                    (VP (VAU~RE ha)
+                                        (VP (VMA~PA approfittato)
+                                            (PP (PREP della)
+                                                (NP (ART~DE della) (NOU~CS situazione))))))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-350 **************
+
+ ( (S
+    (ADVP (ADVB Non))
+    (VP (VMA~RE e')
+        (NP-PRD (ART~IN un) (NOU~CS caso))
+        (CONJ che)
+        (S
+            (ADVP-LOC (ADVB qui))
+            (VP (VAU~CG siano)
+                (VP (VMA~PA nate)
+                    (NP-EXTPSBJ-933 (ART~DE le)
+                        (NP (ADJ~OR prime) (NOU~CP piramidi))
+                        (VP (VMA~PA destinate)
+                            (NP (-NONE- *))
+                            (PP
+                                (PP (PREP ad)
+                                    (S
+                                        (VP (VMA~IN attirare)
+                                            (PRN
+                                                (, ,)
+                                                (PP (PREP con)
+                                                    (NP
+                                                        (NP (ADJ~QU incredibili) (NOU~CP tassi))
+                                                        (PP (PREP di)
+                                                            (NP (NOU~CS rendimento)))))
+                                                   (, ,))
+                                                (NP (NOU~CP capitali) (ADJ~QU illeciti)))
+                                             (NP-SBJ-14.1033 (-NONE- *-12.1033))))
+                                       (CONJ e)
+                                       (PP (PREP a)
+                                           (S
+                                               (VP (VMA~IN riciclare)
+                                                   (NP
+                                                       (NP (NOU~CS denaro) (ADJ~QU sporco))
+                                                       (, ,)
+                                                       (ADJP
+                                                           (ADVP (ADVB DI_CERTO) (ADVB non) (ADVB soltanto)) (ADJ~QU albanese))))
+                                                  (NP-SBJ (-NONE- *-14.1033)))))))))
+                             (NP-SBJ (-NONE- *-933))))
+                       (. .)) )
+
+
+************** FRASE NEWS-351 **************
+
+ ( (S
+    (PP (PREP Ai)
+        (NP (ART~DE Ai) (NOU~CP pesci) (ADJ~QU grossi)))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA seguiti)
+             (NP-EXTPSBJ-433
+                 (NP (PRO~DE quelli) (ADJ~QU piccoli)) (-NONE- *-)
+                 (PRN
+                     (, ,)
+                     (NP
+                         (NP (NOU~CS gente) (ADJ~QU comune))
+                         (, ,)
+                         (NP
+                             (NP (NOU~CP risparmiatori))
+                             (, ,)
+                             (NP (NOU~CP emigrati))))
+                       (, ,))
+                    (VP (VMA~PA travolti)
+                        (NP (-NONE- *))
+                        (ADVP-TMP (ADVB poi))
+                        (PP-LGS (PREP da)
+                            (NP (ART~IN un)
+                                (NP (NOU~CS fallimento))
+                                (SBAR
+                                    (NP-2333 (PRO~RE che))
+                                    (S
+                                        (NP-SBJ (-NONE- *-2333))
+                                        (NP (PRO~RI si))
+                                        (VP (VAU~RE e')
+                                            (VP (VMA~PA ingoiato)
+                                                (PRN
+                                                    (, ,)
+                                                    (PP (PREP con)
+                                                        (NP
+                                                            (NP (ART~DE i) (NOU~CP sogni))
+                                                            (PP (PREP di)
+                                                                (NP (NOU~CS benessere)))))
+                                                       (, ,))
+                                                    (NP
+                                                        (NP (ADVB anche) (ART~IN un) (NOU~CS paio))
+                                                        (PP (PREP di)
+                                                            (NP
+                                                                (NP (NOU~CP miliardi))
+                                                                (PP (PREP di)
+                                                                    (NP (NOU~CP dollari))))))))))))))))
+                          (NP-SBJ (-NONE- *-633))
+                          (. .)) )
+
+
+************** FRASE NEWS-352 **************
+
+ ( (NP (ART~IN Una)
+    (NP
+        (NP (NOU~CS cifra) (ADJ~QU colossale))
+        (PP-LOC (PREP in)
+            (NP
+                (NP (ART~IN un) (NOU~CS Paese))
+                (PP (PREP di)
+                    (NP
+                        (NP (NUMR tre) (NOU~CP milioni))
+                        (PP (PREP di)
+                            (NP (NOU~CP abitanti)))))
+                   (PP (PREP con)
+                       (NP
+                           (NP
+                               (NP (ART~IN un) (NOU~CA Pil))
+                               (PP (PREP da)
+                                   (NP (NUMR 1,5) (NOU~CP miliardi))))
+                             (CONJ e)
+                             (NP
+                                 (NP (ART~IN un) (NOU~CS reddito) (ADJ~QU mensile) (ADJ~QU pro-capite))
+                                 (PP (PREP di)
+                                     (NP (NUMR 75) (NOU~CP dollari)))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-353 **************
+
+ ( (S
+    (PP (PREP Ai)
+        (NP
+            (NP (ART~DE Ai) (NOU~CP protagonisti))
+            (PP (PREP di)
+                (NP (ADJ~DE questa)
+                    (NP (NOU~CS economia))
+                    (ADJP
+                        (ADJP (ADJ~QU sommersa))
+                        (CONJ e)
+                        (ADJP (ADJ~QU tenebrosa)))))))
+         (NP-SBJ
+             (NP-933 (ART~DE il) (NOU~CS Partito) (-NONE- *-) (ADJ~QU democratico)
+                 (PRN
+                     (PUNCT -)
+                     (CONJ ma)
+                     (NP
+                         (ADVP (ADVB non) (ADVB solo)) (PRO~DE quello))
+                      (PUNCT -)))
+                (CONJ e)
+                (NP (ART~DE l') (NOU~PR Albania)))
+             (VP (VAU~RE hanno)
+                 (VP (VMA~PA pagato)
+                     (NP (ART~IN un) (ADJ~QU pesante) (NOU~CS tributo))))
+               (NP-SBJ (-NONE- *-933))
+               (. .)) )
+
+
+************** FRASE NEWS-354 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CA Illegalita'))
+        (CONJ e)
+        (NP (NOU~CS corruzione)))
+     (NP (PRO~RI si))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA infiltrate)
+             (PP-LOC (PREP in)
+                 (NP
+                     (NP (PRDT tutti) (ART~DE i) (NOU~CP settori))
+                     (PP
+                         (PP (PREP della)
+                             (NP (ART~DE della) (NOU~CA societa')))
+                          (CONJ e)
+                          (PP (PREP della)
+                              (NP (ART~DE della) (NOU~CS classe) (ADJ~QU politica))))))
+                  (, ,)
+                  (PP (PREP in)
+                      (NP
+                          (NP (ART~IN un) (NOU~CS patto))
+                          (PP (PREP di)
+                              (NP (NOU~CS tolleranza))
+                              (PRN
+                                  (, ,)
+                                  (CONJ quando)
+                                  (PP (PREP di)
+                                      (NP (ADVB non) (NOU~CP complicita')))
+                                   (, ,)))
+                             (SBAR
+                                 (NP-2333 (PRO~RE che))
+                                 (S
+                                     (NP-SBJ (-NONE- *-2333))
+                                     (VP (VAU~RE ha)
+                                         (VP (VMA~PA retto)
+                                             (PP-TMP (PREP fino)
+                                                 (PP (PREP a)
+                                                     (NP (ADJ~IN pochi) (NOU~CP mesi) (ADJ~DI fa))))))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-355 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS accordo))
+    (NP (PRO~RI si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA spezzato)
+            (PP (PREP per)
+                (NP (NUMR tre) (NOU~CP motivi) (ADJ~QU principali)))))
+       (. .)) )
+
+
+************** FRASE NEWS-356 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP (NOU~PR Dayton)
+            (CONJ e)
+            (NP
+                (NP (ART~DE la) (ADJ~QU faticosa) (NOU~CS intesa))
+                (PP (PREP di)
+                    (NP
+                        (NP (NOU~CS pace))
+                        (PP (PREP per)
+                            (NP (ART~DE la) (ADJ~QU ex) (NOU~PR Jugoslavia))))))))
+          (NP (PRO~RI si))
+          (VP (VAU~RE e')
+              (VP (VMA~PA esaurito)
+                  (NP-EXTPSBJ-1633
+                      (NP (ART~DE il) (NOU~CS filone) (ADJ~QU aureo))
+                      (PP (PREP del)
+                          (NP (ART~DE del) (NOU~CS contrabbando)))
+                       (VP (VMA~PA destinato)
+                           (NP (-NONE- *))
+                           (PP (PREP ad)
+                               (S
+                                   (VP (VMA~IN aggirare)
+                                       (NP (ART~DE le) (NOU~CP sanzioni)))
+                                    (NP-SBJ (-NONE- *-21.1033))))))))
+                  (NP-SBJ (-NONE- *-1633))
+                  (. .)) )
+
+
+************** FRASE NEWS-357 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS evento) (ADJ~QU fatale))
+        (, ,)
+        (SBAR
+            (NP-5333 (PRO~RE che))
+            (S
+                (NP-SBJ (-NONE- *-5333))
+                (VP (VAU~RE ha)
+                    (VP (VMA~PA messo)
+                        (PP (PREP in)
+                            (NP (NOU~CS ginocchio)))
+                         (NP (ADJ~DI altre)
+                             (NP (NOU~CP economie) (ADJ~QU balcaniche))
+                             (PRN
+                                 (, ,)
+                                 (PP (PREP come)
+                                     (NP (PRO~DE quella) (ADJ~QU bulgara)))
+                                  (, ,))
+                               (VP (VMA~PA ossigenate)
+                                   (NP (-NONE- *))
+                                   (PP-LGS (PREP dai)
+                                       (NP
+                                           (NP (ART~DE dai) (NOU~CP traffici))
+                                           (PP (PREP anti)
+                                               (PUNCT -)
+                                               (NP (NOU~CS embargo))))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-358 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE Il) (NOU~CS Governo))
+        (PP-LOC (PREP di)
+            (NP (NOU~PR Tirana))))
+      (PRN
+          (, ,)
+          (PP (PREP su)
+              (NP (NOU~CS richiesta) (ADJ~QU internazionale)))
+           (, ,))
+        (VP (VAU~RE e')
+            (VP (VAU~PA stato)
+                (ADVP-TMP (ADVB poi))
+                (VP (VMA~PA costretto))))
+          (PP (PREP a)
+              (S
+                  (VP (VMA~IN intervenire)
+                      (PP (PREP per)
+                          (S
+                              (VP (VMA~IN frenare)
+                                  (NP (ART~DE i) (NOU~CP canali) (ADJ~QU illeciti)))
+                               (NP-SBJ (-NONE- *-15.1033)))))
+                      (NP-SBJ-15.1033 (-NONE- *-133))))
+                (. .)) )
+
+
+************** FRASE NEWS-359 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CP Sequestri))
+        (PP (PREP di)
+            (NP (NOU~CP imbarcazioni)))
+         (CONJ e)
+         (NP (NOU~CP arresti)))
+      (VP (VAU~RE hanno)
+          (VP (VMA~PA incrinato)
+              (NP
+                  (NP (ART~DE i) (NOU~CP rapporti))
+                  (PP (PREP tra)
+                      (NP
+                          (NP
+                              (NP (ART~DE il) (NOU~CA clan))
+                              (PP (PREP dei)
+                                  (NP (ART~DE dei) (NOU~CP valonesi))))
+                            (CONJ e)
+                            (NP
+                                (NP (ADJ~IN alcuni) (NOU~CP uomini))
+                                (PP (PREP del)
+                                    (NP (ART~DE del) (NOU~CS regime)))))))))
+               (. .)) )
+
+
+************** FRASE NEWS-360 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Poi))
+    (NP-LOC (PRO~LO c'))
+    (VP (VAU~RE e')
+        (VP (VMA~PA stato)
+            (NP-EXTPSBJ-533
+                (NP (ART~DE l') (NOU~CS allarme))
+                (VP (VMA~PA lanciato)
+                    (NP (-NONE- *))
+                    (PP-TMP (PREP in)
+                        (NP (NOU~CS ottobre)))
+                     (PP-LGS (PREP dal)
+                         (NP (ART~DE dal) (NOU~CS Fondo) (ADJ~QU monetario))))
+                   (PP (PREP sulle)
+                       (NP (ART~DE sulle) (NOU~CP finanziarie) (ADJ~QU albanesi))))))
+           (NP-SBJ (-NONE- *-533))
+           (. .)) )
+
+
+************** FRASE NEWS-361 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ
+            (NP (ART~DE Il) (NOU~CS congelamento))
+            (PP (PREP dei)
+                (NP
+                    (NP (ART~DE dei) (NOU~CP fondi))
+                    (PP (PREP delle)
+                        (NP (ART~DE delle) (NOU~CP piramidi))))))
+            (CONJ e)
+            (NP (ART~DE il) (ADJ~PO loro) (NOU~CS fallimento)))
+         (VP (VAU~RE hanno)
+             (VP (VMA~PA innescato)
+                 (NP (ART~DE la) (NOU~CS protesta))))
+           (. .)) )
+
+
+************** FRASE NEWS-362 **************
+
+ ( (S
+    (PP (PREP Per)
+        (S
+            (VP (VMA~IN salvare)
+                (NP (ART~DE la) (NOU~CS situazione)))
+             (NP-SBJ (-NONE- *-633))))
+       (, ,)
+       (NP-SBJ-633 (NOU~PR Berisha))
+       (ADVP-TMP (ADVB adesso))
+       (VP (VMA~RE ha)
+           (PP-LOC (PREP in)
+               (NP (NOU~CS mano)))
+            (NP (NUMR due) (NOU~CP carte)))
+         (. .)) )
+
+
+************** FRASE NEWS-363 **************
+
+ ( (NP
+    (NP
+        (NP (ART~DE Le) (NOU~CP dimissioni))
+        (PP (PREP del)
+            (NP (ART~DE del) (ADJ~OR primo) (NOU~CS ministro)
+                (NP (NOU~PR Aleksander) (NOU~PR Meksi)))))
+       (CONJ e)
+       (NP
+           (NP (ART~DE la)
+               (ADJP (ADJ~PO propria)) (NOU~CS rielezione))
+            (PP (PREP alla)
+                (NP (ART~DE alla) (NOU~CS presidenza)))
+             (, ,)
+             (PP (PREP con)
+                 (NP (ART~DE il)
+                     (NP (NOU~CS voto))
+                     (VP (VMA~PA previsto)
+                         (NP (-NONE- *))
+                         (ADVP-TMP (ADVB domani))
+                         (PP-LOC (PREP in)
+                             (NP (NOU~CS Parlamento)))))))
+              (. .)) )
+
+
+************** FRASE NEWS-364 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (VP (VMA~FU riuscira')
+            (PP (PREP a)
+                (S
+                    (VP (VMA~IN ottenere)
+                        (NP
+                            (NP (ART~IN un) (NOU~CS accordo))
+                            (PP (PREP con)
+                                (NP (ART~DE le) (NOU~CP opposizioni)))))
+                       (NP-SBJ (-NONE- *-2.1033)))))
+              (NP-SBJ-2.1033 (-NONE- *-12.1033)))
+           (, ,)
+           (ADVP (ADVB forse))
+           (VP (VMA~FU sara')
+               (ADJP-PRD (ADJ~QU IN_GRADO)
+                   (PP (PREP di)
+                       (S
+                           (VP (VMA~IN svuotare)
+                               (NP (ART~DE le) (NOU~CP piazze))
+                               (PP (PREP dalla)
+                                   (NP (ART~DE dalla) (NOU~CS protesta) (ADJ~QU politica)))
+                                (PP (PREP per)
+                                    (S
+                                        (VP (VMA~IN affrontare)
+                                            (ADVP (ADVB quindi))
+                                            (NP
+                                                (NP (ART~DE il) (NOU~CS problema))
+                                                (PP (PREP dell')
+                                                    (NP
+                                                        (NP (ART~DE dell') (NOU~CS ordine) (ADJ~QU pubblico))
+                                                        (PP-LOC (PREP a)
+                                                            (NP (NOU~PR Valona)))))))
+                                             (NP-SBJ (-NONE- *-16.1033)))))
+                                    (NP-SBJ-16.1033 (-NONE- *-12.1033))))))
+                        (NP-SBJ-12.1033 (-NONE- *))
+                        (. .)) )
+
+
+************** FRASE NEWS-365 **************
+
+ ( (S
+    (CONJ Ma)
+    (CONJ se)
+    (S
+        (VP (VAU~FU sara')
+            (VP (VMA~PA messo)
+                (PP (PREP con)
+                    (NP
+                        (NP (ART~DE le) (NOU~CP spalle))
+                        (PP-LOC (PREP al)
+                            (NP (ART~DE al) (NOU~CS muro)))))
+                   (PP-LGS (PREP dai)
+                       (NP (ART~DE dai)
+                           (NP (NOU~CA clan))
+                           (SBAR
+                               (NP-1333 (PRO~RE che))
+                               (S
+                                   (NP-SBJ (-NONE- *-1333))
+                                   (NP (PRO~RI si))
+                                   (VP (VAU~RE stanno)
+                                       (VP (VMA~GE scontrando)
+                                           (PP-LOC (PREP nel)
+                                               (NP (ART~DE nel) (ADJ~PO suo) (NOU~CS partito)))))))))))
+                    (NP-SBJ (-NONE- *)))
+                 (, ,)
+                 (ADVP (ADVB allora))
+                 (NP-SBJ (ADVB anche) (ART~DE l') (NOU~PR Albania)
+                     (ADJP (ADVB post)
+                         (PUNCT -) (ADJ~QU comunista)))
+                   (VP (VMA~FU diventera')
+                       (NP-PRD
+                           (NP (NOU~CS vittima))
+                           (PP (PREP del)
+                               (NP
+                                   (NP (ART~DE del) (NOU~CS demone))
+                                   (PP (PREP dei)
+                                       (NP (ART~DE dei) (NOU~PR Balcani)))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-366 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ
+            (NP (ART~DE I)
+                (' ') (NOU~CP fucilieri)
+                (' '))
+             (PP (PREP del)
+                 (NP (ART~DE del) (NOU~CS mare)))
+              (PP (PREP del)
+                  (NP (ART~DE del) (NOU~CS battaglione)
+                      (NP (NOU~PR SAN_MARCO) (NOU~PR SAN_MARCO)))))
+             (CONJ e)
+             (NP
+                 (NP (ART~DE gli) (NOU~CP elicotteri))
+                 (PP (PREP dell')
+                     (NP (ART~DE dell') (NOU~CS Esercito) (ADJ~QU italiano)))))
+            (VP (VAU~RE hanno)
+                (VP (VMA~PA tratto)
+                    (ADVP-LOC (ADVB IN_SALVO))
+                    (ADVP-TMP (ADVB ieri))
+                    (NP
+                        (NP (NUMR 21) (NOU~CP-2333 cittadini) (ADJ~QU italiani))
+                        (CONJ e)
+                        (NP (NUMR 15)
+                            (NP (-NONE- *-2333)))
+                         (PP (PREP di)
+                             (NP (NOU~CP Paesi) (ADJ~QU amici)))
+                          (VP (VMA~PA concentrati)
+                              (NP (-NONE- *))
+                              (PP-LOC (PREP nell')
+                                  (NP
+                                      (NP (ART~DE nell') (NOU~CS inferno))
+                                      (PP (PREP del)
+                                          (NP
+                                              (NP (ART~DE del) (NOU~CS porto) (ADJ~QU albanese))
+                                              (PP (PREP di)
+                                                  (NP (NOU~PR Valona)))))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-367 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE L') (NOU~CS operazione))
+            (PP (PREP di)
+                (NP (NOU~CS salvataggio))))
+          (VP (VAU~RE e')
+              (VP (VMA~PA durata)
+                  (ADVP (ADVB complessivamente))
+                  (NP-TMP (NUMR 8) (NOU~CP minuti)))))
+         (CONJ ed)
+         (S
+             (VP (VAU~RE e')
+                 (VP (VAU~PA stata)
+                     (VP (VMA~PA condotta))))
+               (NP-SBJ (-NONE- *-133))
+               (PP-LGS (PREP da)
+                   (NP
+                       (NP (NOU~CP forze) (ADJ~QU congiunte))
+                       (PP (PREP della)
+                           (NP (ART~DE della)
+                               (NP (NOU~CS Marina))
+                               (, ,)
+                               (NP
+                                   (NP (NOU~CS Esercito))
+                                   (CONJ e)
+                                   (NP (NOU~CS Aviazione)))))))
+                    (PP-TMP (PREP dopo)
+                        (NP (ART~DE il)
+                            (NP (NOU~CA VIA_LIBERA))
+                            (VP (VMA~PA formulato)
+                                (NP-EXTPSBJ-933 (NOU~CA VIA_LIBERA) (-NONE- *-))
+                                (NP (-NONE- *))
+                                (ADVP-TMP (ADVB ieri))
+                                (PP (PREP in)
+                                    (NP
+                                        (NP (ART~IN un) (NOU~CS vertice) (ADJ~QU interministeriale))
+                                        (PP-LOC (PREP a)
+                                            (NP (NOU~PR Palazzo) (NOU~PR Chigi)))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-368 **************
+
+ ( (S
+    (PP-LOC (PREP In)
+        (NP (NOU~PR Albania)))
+     (ADVP-TMP (ADVB intanto))
+     (NP-SBJ
+         (NP (ART~DE la) (NOU~CS situazione))
+         (PP (PREP del)
+             (NP (ART~DE del) (NOU~CS Paese))))
+       (VP (VAU~RE sta)
+           (VP (VMA~GE precipitando)
+               (PP-LOC (PREP verso)
+                   (NP (ART~DE la) (NOU~CS guerra) (ADJ~QU civile)))))
+          (. .)) )
+
+
+************** FRASE NEWS-369 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (NOU~CS presidente) (NOU~PR Berisha)
+        (PRN
+            (, ,)
+            (VP (VMA~PA rieletto)
+                (NP (-NONE- *))
+                (ADVP-TMP (ADVB ieri))
+                (PP-TMP (PREP per)
+                    (NP (NUMR cinque) (NOU~CP anni)))
+                 (PP (PREP nella)
+                     (NP (ART~DE nella) (NOU~CS carica))))
+               (, ,)))
+         (VP (VAU~RE ha)
+             (VP (VMA~PA deciso)
+                 (PRN
+                     (, ,)
+                     (CONJ dopo)
+                     (S
+                         (VP (VAU~IN aver)
+                             (VP (VMA~PA dichiarato)
+                                 (NP (ART~DE il) (NOU~CS coprifuoco))))
+                           (NP-SBJ (-NONE- *-133)))
+                        (, ,))
+                     (PP (PREP di)
+                         (S
+                             (VP (VMA~IN inviare)
+                                 (NP
+                                     (NP (ART~DE i) (NOU~CP carri) (ADJ~QU armati))
+                                     (PP (PREP dell')
+                                         (NP (ART~DE dell') (NOU~CS esercito))))
+                                   (PP-LOC (PREP verso)
+                                       (NP (ART~DE il) (NOU~CS sud)))
+                                    (, ,)
+                                    (PP (PREP IN_DIREZIONE_DI)
+                                        (NP (NOU~PR Valona)
+                                            (SBAR
+                                                (S
+                                                    (NP-LOC (PRO~LO dove))
+                                                    (VP (VMA~RE e')
+                                                        (ADJP-PRD (ADJ~QU IN_CORSO))
+                                                        (NP-EXTPSBJ-4133
+                                                            (NP (ART~DE la) (NOU~CS rivolta) (ADJ~QU armata))
+                                                            (PP (PREP contro)
+                                                                (NP (ART~DE il) (NOU~CS potere) (ADJ~QU centrale)))))
+                                                       (NP-SBJ (-NONE- *-4133)))))))
+                                        (NP-SBJ (-NONE- *-133))))))
+                            (. .)) )
+
+
+************** FRASE NEWS-370 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS notizia))
+        (PP (PREP di)
+            (NP (NOU~CP movimenti))
+            (PP (PREP di)
+                (NP (NOU~CP truppe) (ADJ~QU corazzate)))))
+       (VP (VAU~RE e')
+           (VP (VAU~PA stata)
+               (VP (VMA~PA confermata))))
+         (PP-LGS (PREP dalla)
+             (NP
+                 (NP (ART~DE dalla) (NOU~CS televisione) (ADJ~QU albanese))
+                 (PP (PREP di)
+                     (NP (NOU~CS Stato)))))
+            (. .)) )
+
+
+************** FRASE NEWS-371 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS Governo))
+        (PP (PREP di)
+            (NP (NOU~PR Tirana))))
+      (VP (VAU~RE ha)
+          (VP (VMA~PA imposto)
+              (NP (ART~IN un) (ADJ~QU improvviso) (NOU~CA blackout))
+              (PP (PREP a)
+                  (NP
+                      (NP (PRDT tutti) (ART~DE gli) (NOU~CP organi))
+                      (PP (PREP di)
+                          (NP (NOU~CS stampa)))))))
+           (. .)) )
+
+
+************** FRASE NEWS-372 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~IN Un) (NOU~CS aquilone))
+        (VP (VMA~RE ondeggia)
+            (ADJP-PRD (ADJ~QU alto))
+            (PP-LOC (PREP nel)
+                (NP (ART~DE nel) (NOU~CS cielo)))
+             (PP-LOC (PREP sopra)
+                 (NP
+                     (NP (ART~DE le) (NOU~CP teste))
+                     (PP (PREP di)
+                         (NP
+                             (NP (ART~IN un) (NOU~CS gruppo))
+                             (PP (PREP di)
+                                 (NP
+                                     (NP (NOU~CP uomini) (ADJ~QU armati))
+                                     (VP (VMA~PA schierati)
+                                         (NP (-NONE- *))
+                                         (PP-LOC (PREP IN_MEZZO_A)
+                                             (NP
+                                                 (NP (ART~DE alla) (NOU~CS strada))
+                                                 (PP-LOC (PREP fra)
+                                                     (NP (NOU~PR Tirana)
+                                                         (CONJ e) (NOU~PR Valona))))))))))))))
+                  (, ,)
+                  (S
+                      (PP-LOC (PREP dietro)
+                          (PP (PREP a)
+                              (NP (ART~IN una)
+                                  (NP (NOU~CS curva))
+                                  (VP (VMA~PA protetta)
+                                      (NP (-NONE- *))
+                                      (PP-LGS (PREP da)
+                                          (NP (ART~IN una) (NOU~CS collina)))))))
+                           (VP (VMA~RE arriva)
+                               (NP-EXTPSBJ-3533
+                                   (NP (ART~DE l') (NOU~CA eco))
+                                   (VP (VMA~PA ravvicinata)
+                                       (NP (-NONE- *)))
+                                    (PP (PREP di)
+                                        (NP
+                                            (NP
+                                                (NP (NOU~CP raffiche))
+                                                (PP (PREP di)
+                                                    (NP (NOU~CS mitra))))
+                                              (CONJ e)
+                                              (NP
+                                                  (NP (NOU~CP colpi) (ADJ~QU isolati))
+                                                  (PP (PREP di)
+                                                      (NP (NOU~CS fucile))))))))
+                                    (NP-SBJ (-NONE- *-3533)))
+                                 (. .)) )
+
+
+************** FRASE NEWS-373 **************
+
+ ( (NP (NOU~CP Italiani)
+    (. ?)) )
+
+
+************** FRASE NEWS-374 **************
+
+ ( (S
+    (S
+        (NP-133 (PRO~PE Vi))
+        (VP (VMA~RE consiglio)
+            (PP (PREP di)
+                (S
+                    (VP (VMA~IN tornare)
+                        (ADVP-TMP (ADVB subito))
+                        (ADVP-LOC (ADVB indietro)))
+                     (NP-SBJ (-NONE- *-133)))))
+            (NP-SBJ (-NONE- *)))
+         (PUNCT -)
+         (VP (VMA~RE sibila)
+             (NP-EXTPSBJ-933
+                 (NP (PRO~ID uno))
+                 (PP (PREP degli)
+                     (NP (ART~DE degli) (NOU~CP armati))))
+               (PP (PREP all')
+                   (NP (ART~DE all') (NOU~CS autista))))
+             (NP-SBJ (-NONE- *-933))
+             (PUNCT -)
+             (. .)) )
+
+
+************** FRASE NEWS-375 **************
+
+ ( (S
+    (S
+        (NP (PRO~PE Vi))
+        (VP (VAU~RE e')
+            (VP (VMA~PA andata)
+                (ADVP (ADVB bene))))
+          (NP-SBJ (-NONE- *)))
+       (, ,)
+       (S
+           (CONJ se)
+           (S
+               (VP (VMA~IM eravate)
+                   (ADJP-PRD
+                       (ADJP (ADJ~QU inglesi))
+                       (CONJ o)
+                       (ADJP (ADJ~QU americani))))
+                 (NP-SBJ (-NONE- *)))
+              (VP (VMA~IM sapevamo)
+                  (NP-EXTPSBJ-1233 (PRO~PE noi))
+                  (CONJ come)
+                  (S
+                      (VP (VMA~IN trattarvi)
+                          (NP (PRO~PE trattarvi)))
+                       (NP-SBJ (-NONE- *-1233))))
+                 (NP-SBJ (-NONE- *-1233)))
+              (. .)) )
+
+
+************** FRASE NEWS-376 **************
+
+ ( (NP
+    (NP
+        (NP (ART~DE Il) (NOU~CS tempo))
+        (PP (PREP di)
+            (S
+                (VP (VMA~IN incrociare)
+                    (NP
+                        (NP (ART~DE la) (NOU~CS canna))
+                        (PP (PREP di)
+                            (NP (ART~IN un) (NOU~CA kalashnikov)))
+                         (VP (VMA~PA puntata)
+                             (NP (-NONE- *))
+                             (PP-LOC (PREP sul)
+                                 (NP
+                                     (NP (ART~DE sul) (NOU~CS finestrino))
+                                     (PP (PREP dell')
+                                         (NP (ART~DE dell') (NOU~CA auto))))))))
+                       (NP-SBJ (-NONE- *)))))
+              (, ,)
+              (NP
+                  (NP
+                      (NP (ART~IN un) (ADJ~OR ultimo) (NOU~CS sguardo))
+                      (PP (PREP all')
+                          (NP (ART~DE all')
+                              (NP (NOU~CS aquilone))
+                              (SBAR
+                                  (NP-2333 (PRO~RE che) (-NONE- *-))
+                                  (S
+                                      (NP-SBJ-2133 (-NONE- *-2333))
+                                      (VP (VMA~RE continua)
+                                          (ADVP (ADVB misteriosamente))
+                                          (PP (PREP a)
+                                              (S
+                                                  (VP (VMA~IN volteggiare)
+                                                      (PP-LOC (PREP in)
+                                                          (NP (NOU~CS aria))))
+                                                    (NP-SBJ (-NONE- *-2133))))))))))
+                            (CONJ e)
+                            (S
+                                (NP-SBJ-2933 (ART~DE l') (NOU~CS autista))
+                                (VP
+                                    (VP (VAU~RE ha)
+                                        (ADVP-TMP (ADVB gia'))) (VMA~PA innestato)
+                                     (NP (ART~DE la) (NOU~CS retromarcia))
+                                     (PP (PREP per)
+                                         (S
+                                             (VP (VMA~IN tornare)
+                                                 (PP-LOC (PREP a)
+                                                     (NP (NOU~PR Kavaja)
+                                                         (, ,)
+                                                         (PP-LOC (PREP a)
+                                                             (NP
+                                                                 (NP (NOU~CA meta'))
+                                                                 (NP
+                                                                     (NP (NOU~CS strada))
+                                                                     (PP-LOC (PREP per)
+                                                                         (NP
+                                                                             (NP (ART~DE il) (NOU~CS porto))
+                                                                             (PP (PREP di)
+                                                                                 (NP (NOU~PR Valona)))
+                                                                              (PP (ADVB ancora) (PREP IN_MANO_A)
+                                                                                  (NP (ART~DE ai) (NOU~CP rivoltosi))
+                                                                                  (, ,)
+                                                                                  (PP (PREP come) (ADVB DEL_RESTO)
+                                                                                      (NP
+                                                                                          (NP (PRDT tutto) (ART~DE il) (NOU~CS Sud))
+                                                                                          (PP (PREP dell')
+                                                                                              (NP (ART~DE dell') (NOU~PR Albania))))
+                                                                                        (ADVP (-NONE- *-5633))))))))))))
+                                                          (NP-SBJ (-NONE- *-2933)))))))
+                                           (. .)) )
+
+
+************** FRASE NEWS-377 **************
+
+ ( (PP
+    (PP (PREP Fino)
+        (PP (PREP a) (ADVB quando)))
+     (. ?)) )
+
+
+************** FRASE NEWS-378 **************
+
+ ( (S
+    (S
+        (S
+            (NP-SBJ (NOU~PR Valona)
+                (, ,)
+                (NP (NOU~PR Saranda)
+                    (CONJ e)
+                    (NP (ART~DE il) (NOU~CS Sud))))
+              (VP (VMA~RE sono)
+                  (PP (PREP fuori)
+                      (NP (NOU~CS controllo)))))
+             (CONJ ma)
+             (S
+                 (NP-SBJ
+                     (NP (ART~DE l') (NOU~CS operazione) (ADJ~QU militare))
+                     (PP (PREP per)
+                         (S
+                             (VP (VMA~IN riconquistarle)
+                                 (NP (PRO~PE riconquistarle)))
+                              (NP-SBJ (-NONE- *)))))
+                     (VP
+                         (VP (VAU~RE e')
+                             (ADVP-TMP (ADVB gia'))) (VMA~PA iniziata))))
+                 (, ,)
+                 (VP (VMA~RE dichiara)
+                     (NP-EXTPSBJ-2133
+                         (NP
+                             (NP (ART~DE il) (NOU~CS ministro))
+                             (PP (PREP degli)
+                                 (NP (ART~DE degli) (NOU~CP Esteri)))
+                              (NP (NOU~PR Tritan) (NOU~PR Sheu)))
+                           (, ,)
+                           (SBAR
+                               (NP-2333 (PRO~RE che))
+                               (S
+                                   (NP-SBJ (-NONE- *-2333))
+                                   (VP
+                                       (NP-2933 (PRO~RI si)) (VMA~RE fa)
+                                       (VP (VMA~IN intervistare)
+                                           (NP (-NONE- *-2933)))
+                                        (PP-TMP (ADVB poco) (PREP dopo)
+                                            (NP
+                                                (NP (ART~DE la) (ADJ~QU scontata) (NOU~CS rielezione))
+                                                (PP (PREP alla)
+                                                    (NP
+                                                        (NP (ART~DE alla) (NOU~CS presidenza))
+                                                        (PP (PREP di)
+                                                            (NP (NOU~PR Sali) (NOU~PR Berisha)
+                                                                (, ,)
+                                                                (VP (VMA~PA confermato)
+                                                                    (NP (-NONE- *))
+                                                                    (PP-TMP (PREP per)
+                                                                        (NP (ADJ~DI altri)
+                                                                            (NP (NUMR cinque)) (NOU~CP anni)))
+                                                                      (PP-LGS (PREP da)
+                                                                          (NP-5033 (ART~IN un)
+                                                                              (NP (NOU~CS Parlamento))
+                                                                              (ADJP
+                                                                                  (ADJP (ADVB freneticamente) (ADJ~QU plaudente))
+                                                                                  (CONJ e)
+                                                                                  (S
+                                                                                      (VP (VMA~PA dominato)
+                                                                                          (PP-LGS (PREP dal)
+                                                                                              (NP
+                                                                                                  (NP (ART~DE dal) (NOU~CS Partito) (ADJ~QU democratico))
+                                                                                                  (, ,)
+                                                                                                  (NP (NOU~CS vincitore))
+                                                                                                  (PP (PREP delle)
+                                                                                                      (NP (ART~DE delle)
+                                                                                                          (S
+                                                                                                              (VP (VMA~PA contestate))
+                                                                                                              (NP-SBJ (-NONE- *-6233)))
+                                                                                                           (NP-6233
+                                                                                                               (NP (NOU~CP elezioni))
+                                                                                                               (PP-TMP (PREP del)
+                                                                                                                   (NP (ART~DE del) (NOU~CS maggio) (ADJ~DI scorso)))))))))
+                                                                                              (NP-SBJ (-NONE- *-5033))))))))))))))))))
+                                              (NP-SBJ (-NONE- *-2133))
+                                              (. .)) )
+
+
+************** FRASE NEWS-379 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La)
+        (NP (ADJ~OR prima) (NOU~CS misura))
+        (SBAR
+            (S
+                (NP (PRO~RE che))
+                (VP (VAU~RE ha)
+                    (VP (VMA~PA preso)
+                        (NP-EXTPSBJ-733 (NOU~PR Berisha)
+                            (PRN
+                                (, ,)
+                                (NP
+                                    (PP (PREP secondo)
+                                        (NP (ART~DE la) (NOU~CS Costituzione)))
+                                     (NP (NOU~CS comandante) (ADJ~QU supremo))
+                                     (PP (PREP delle)
+                                         (NP (ART~DE delle) (NOU~CP Forze) (ADJ~QU armate))))
+                                   (, ,)))))
+                       (NP-SBJ (-NONE- *-733)))))
+              (VP (VAU~RE e')
+                  (VP (VMA~PA stato)
+                      (NP-PRD
+                          (NP (ART~DE il) (NOU~CS siluramento))
+                          (PP (PREP di)
+                              (NP (NOU~PR Sheme) (NOU~PR Kosovo)
+                                  (, ,)
+                                  (NP
+                                      (NP (ART~DE il) (NOU~CS capo))
+                                      (PP (PREP di)
+                                          (NP (NOU~CS Stato) (ADJ~QU maggiore)))
+                                       (SBAR
+                                           (NP-3333 (PRO~RE che) (-NONE- *-))
+                                           (S
+                                               (NP-SBJ-3133 (-NONE- *-3333))
+                                               (VP (VAU~IM aveva)
+                                                   (VP (VMA~PA evitato)
+                                                       (ADVP-TMP (ADVB finora))
+                                                       (PP (PREP di)
+                                                           (S
+                                                               (VP (VMA~IN impegnare)
+                                                                   (ADVP (ADVB apertamente))
+                                                                   (NP (ART~DE l') (NOU~CS esercito))
+                                                                   (PP (PREP per)
+                                                                       (S
+                                                                           (VP (VMA~IN soffocare)
+                                                                               (NP (ART~DE la) (NOU~CS rivolta)))
+                                                                            (NP-SBJ (-NONE- *-36.1033)))))
+                                                                   (NP-SBJ-36.1033 (-NONE- *-3133))))))))))))))
+                               (. .)) )
+
+
+************** FRASE NEWS-380 **************
+
+ ( (S
+    (PP-133 (PREP Di)
+        (NP (PRO~PE lui)))
+     (ADVP (ADVB non))
+     (NP-LOC (PRO~LO c'))
+     (VP (VMA~RE e')
+         (ADVP-TMP (ADVB piu'))
+         (NP-EXTPSBJ-733
+             (NP (NOU~CS bisogno))
+             (PP (-NONE- *-133))))
+       (NP-SBJ (-NONE- *-733))
+       (. .)) )
+
+
+************** FRASE NEWS-381 **************
+
+ ( (S
+    (NP-SBJ (PRDT Tutte) (ART~DE le)
+        (NP (NOU~CP operazioni))
+        (ADJP
+            (ADJP (ADJ~QU militari))
+            (CONJ e)
+            (PP (PREP di)
+                (NP (NOU~CS polizia)))))
+       (VP (VAU~RE sono)
+           (VP (VMA~PA dirette)
+               (PP-LGS (PREP da)
+                   (NP (NOU~PR Bashkim) (NOU~PR Gazidede)
+                       (, ,)
+                       (NP
+                           (NP (NOU~CS comandante))
+                           (PP (PREP dei)
+                               (NP (ART~DE dei) (NOU~CP Servizi) (ADJ~QU segreti))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-382 **************
+
+ ( (S
+    (NP-SBJ (PRO~DE Questo))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP (PRO~ID uno))
+            (PP (PREP degli)
+                (NP
+                    (NP (ART~DE degli) (NOU~CP effetti))
+                    (PP (PREP della)
+                        (NP
+                            (NP (ART~DE della) (NOU~CS proclamazione))
+                            (PP (PREP dello)
+                                (NP
+                                    (NP (ART~DE dello) (NOU~CS Stato))
+                                    (PP (PREP d')
+                                        (NP (NOU~CS emergenza))))))))))
+                (, ,)
+                (PP (PREP insieme)
+                    (PP
+                        (PP (PREP al)
+                            (NP (ART~DE al) (NOU~CS coprifuoco)
+                                (PRN
+                                    (-LRB- -LRB-)
+                                    (PP-TMP (PREP dalle)
+                                        (PP (PREP alle)))
+                                     (-RRB- -RRB-))))
+                            (CONJ e)
+                            (PP (PREP alla)
+                                (NP (ART~DE alla)
+                                    (NP (NOU~CS museruola))
+                                    (VP (VMA~PA infilata)
+                                        (NP (-NONE- *))
+                                        (ADVP (ADVB brutalmente))
+                                        (PP (PREP ai)
+                                            (NP
+                                                (NP (ART~DE ai) (NOU~CP mezzi))
+                                                (PP (PREP di)
+                                                    (NP (NOU~CS informazione)))))))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-383 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS sede))
+        (PP (PREP del)
+            (NP (ART~DE del) (ADJ~QU maggior) (NOU~CS quotidiano) (ADJ~QU albanese)
+                (NP (NOU~PR Koha) (NOU~PR Jone))
+                (PRN
+                    (, ,)
+                    (VP (VMA~PA sostenuto)
+                        (NP (-NONE- *))
+                        (PP-LGS (PREP dal)
+                            (NP (ART~DE dal)
+                                (NP (NOU~CS finanziere))
+                                (ADJP
+                                    (ADJP (ADJ~QU americano))
+                                    (PUNCT -)
+                                    (ADJP (ADJ~QU ungherese)))
+                                 (NP (NOU~PR George) (NOU~PR Soros)))))
+                        (, ,)))))
+            (VP (VAU~RE e')
+                (VP (VAU~PA stata)
+                    (VP (VMA~PA bruciata))))
+              (PP-TMP (PREP durante)
+                  (NP (ART~DE la) (NOU~CS notte)))
+               (PP (PREP in)
+                   (NP
+                       (NP (NUMR quattro) (ADJ~DI successivi) (NOU~CP assalti))
+                       (VP (VMA~PA portati)
+                           (NP (-NONE- *))
+                           (PP-LGS (PREP da)
+                               (NP
+                                   (NP (NOU~CP uomini) (ADJ~QU armati))
+                                   (PP (PREP in)
+                                       (NP (NOU~CP abiti) (ADJ~QU civili)))
+                                    (VP (VMA~PA appoggiati)
+                                        (NP (-NONE- *))
+                                        (PP-LGS (PREP da)
+                                            (NP
+                                                (NP (PRO~ID altri))
+                                                (PP (PREP in)
+                                                    (NP (NOU~CS divisa)))))))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-384 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (ART~IN Un)
+            (NP (NOU~CS giornalista))
+            (SBAR
+                (NP-3333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-3333))
+                    (VP (VMA~IM alloggiava)
+                        (PP-LOC (PREP nella)
+                            (NP
+                                (NP (ART~DE nella) (NOU~CS sede))
+                                (PP (PREP del)
+                                    (NP (ART~DE del) (NOU~CS quotidiano)))))))))
+               (CONJ e)
+               (NP (ART~DE il) (ADJ~PO suo) (NOU~CS autista)))
+            (VP (VAU~RE sono)
+                (VP (VMA~PA spariti)))
+             (. .)) )
+
+
+************** FRASE NEWS-385 **************
+
+ ( (S
+    (S
+        (VP (VMA~IM Cercavano)
+            (NP
+                (NP (ART~DE i) (NOU~CA dossier))
+                (PP (PREP sui)
+                    (NP
+                        (NP (ART~DE sui) (NOU~CP collegamenti))
+                        (PP (PREP tra)
+                            (NP
+                                (NP (ART~DE il) (NOU~CS Partito) (ADJ~QU democratico))
+                                (CONJ e)
+                                (NP
+                                    (NP (ART~DE la) (NOU~CS finanziaria))
+                                    (PP (PREP di)
+                                        (NP (NOU~PR Valona)
+                                            (NP
+                                                (" ") (NOU~PR Gjallica)
+                                                (" ")))))))))))
+                  (NP-SBJ (-NONE- *)))
+               (PUNCT -)
+               (VP (VMA~RE dice)
+                   (NP-EXTPSBJ-2033 (ART~DE il) (NOU~CS direttore) (NOU~PR Lesi))
+                   (, ,)
+                   (CONJ mentre)
+                   (S
+                       (NP (PRO~RI si))
+                       (VP (VMA~RE aggira)
+                           (ADVP (ADVB tristemente))
+                           (PP-LOC (PREP tra)
+                               (NP
+                                   (NP (NOU~CP scrivanie))
+                                   (VP (VMA~PA carbonizzate)
+                                       (NP (-NONE- *))))))
+                           (NP-SBJ (-NONE- *-2033))))
+                     (NP-SBJ (-NONE- *-2033))
+                     (PUNCT -)
+                     (. .)) )
+
+
+************** FRASE NEWS-386 **************
+
+ ( (S
+    (S
+        (VP
+            (VP (VAU~RE Abbiamo)
+                (ADVP-TMP (ADVB gia'))) (VMA~PA pubblicato)
+             (NP (ADJ~IN diversi) (NOU~CP documenti)))
+          (NP-SBJ (-NONE- *)))
+       (CONJ ma)
+       (S
+           (NP (ART~DE gli) (PRO~ID altri))
+           (NP (PRO~PE li))
+           (VP (VMA~RE tengo)
+               (ADVP (ADVB AL_SICURO))
+               (PP-LOC (PREP in)
+                   (NP (ART~IN un) (NOU~CS luogo) (ADJ~QU segreto))))
+             (NP-SBJ (-NONE- *)))
+          (. .)) )
+
+
+************** FRASE NEWS-387 **************
+
+ ( (S
+    (NP-SBJ
+        (ADJbar-SBJ (ADJ~IN Pochi)
+            (NP (NOU~CP quotidiani)))
+         (PRN
+             (, ,)
+             (NP (ADVB solo) (PRO~DE quelli) (ADJ~QU filogovernativi))
+             (, ,)))
+       (VP (VMA~FU saranno)
+           (ADVP-TMP (ADVB oggi))
+           (PP-PRD (PREP in)
+               (NP (NOU~CS vendita))))
+         (. .)) )
+
+
+************** FRASE NEWS-388 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE I) (NOU~CP giornalisti)
+        (, ,)
+        (NP
+            (NP (ADVB anche) (ART~DE gli) (NOU~CP avversari))
+            (PP (PREP degli)
+                (NP
+                    (NP (ART~DE degli) (ADJ~QU ex) (NOU~CP comunisti))
+                    (PP (PREP in)
+                        (NP
+                            (NP (NOU~CS dissenso))
+                            (PP (PREP con)
+                                (NP (NOU~PR Berisha)))))))
+                 (PRN
+                     (PUNCT -)
+                     (NP
+                         (NP (ADVB perfino) (PRO~DE quelli))
+                         (PP (PREP della)
+                             (NP
+                                 (NP (ART~DE della) (NOU~PR Gazeta))
+                                 (PP (PREP di)
+                                     (NP (NOU~PR Tirana)))
+                                  (, ,)
+                                  (NP
+                                      (NP (NOU~CS filiazione) (ADJ~QU albanese))
+                                      (PP (PREP della)
+                                          (NP
+                                              (NP (ART~DE della) (NOU~CS Gazzetta))
+                                              (PP (PREP del)
+                                                  (NP (ART~DE del) (NOU~CS Mezzogiorno)))))))))
+                             (PUNCT -))))
+                    (NP (PRO~RI si))
+                    (VP (VMA~RE sentono)
+                        (ADVP-TMP (ADVB adesso))
+                        (S-PRD
+                            (VP (VMA~PA minacciati))
+                            (NP-SBJ (-NONE- *-133))))
+                      (. .)) )
+
+
+************** FRASE NEWS-389 **************
+
+ ( (S
+    (S
+        (PP-TMP (PREP Dopo)
+            (NP
+                (NP (ART~DE i) (NOU~CP calci))
+                (CONJ e)
+                (NP
+                    (NP (ART~DE i) (NOU~CP pugni))
+                    (PP-TMP (PREP di)
+                        (NP (NOU~CS domenica)))
+                     (PP-LOC (PREP davanti)
+                         (PP (PREP al)
+                             (NP (ART~DE al) (NOU~CS Parlamento)))))))
+              (, ,)
+              (NP-SBJ-1333
+                  (NP (ART~DE la) (NOU~CS sede))
+                  (PP (PREP del)
+                      (NP
+                          (NP (ART~DE del) (NOU~CA Club))
+                          (PP (PREP della)
+                              (NP (ART~DE della) (NOU~CS stampa))))))
+                  (VP (VAU~RE e')
+                      (VP (VAU~PA stata)
+                          (VP (VMA~PA devastata))))
+                    (NP-SBJ (-NONE- *-1333)))
+                 (CONJ e)
+                 (S
+                     (VP (VMA~PA incendiata)))
+                  (. .)) )
+
+
+************** FRASE NEWS-390 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (ADJ~DI altro) (NOU~CS avvertimento) (ADJ~QU pesante))
+        (PP (PREP della)
+            (NP (ART~DE della) (NOU~PR Shik))))
+      (. .)) )
+
+
+************** FRASE NEWS-391 **************
+
+ ( (S
+    (PP-LOC (PREP In)
+        (NP (NOU~PR Albania)))
+     (PP-TMP (PREP dopo)
+         (NP
+             (NP
+                 (NP (ART~DE il) (NOU~CS crollo))
+                 (PP (PREP delle)
+                     (NP (ART~DE delle)
+                         (' ') (NOU~CP piramidi)
+                         (' '))))
+                (CONJ e)
+                (NP
+                    (NP (ART~DE la) (NOU~CS rivolta))
+                    (PP (PREP della)
+                        (NP (ART~DE della) (NOU~CS piazza))))))
+            (VP (VMA~RE e')
+                (ADJP-PRD (ADJ~QU IN_CORSO))
+                (NP-EXTPSBJ-1833
+                    (NP (ART~IN una) (NOU~CS resa))
+                    (PP (PREP dei)
+                        (NP (ART~DE dei) (NOU~CP conti)))
+                     (SBAR
+                         (S
+                             (NP-LOC (PRO~LO dove))
+                             (ADVP (ADVB non))
+                             (NP (PRO~RI si))
+                             (VP (VMA~RE tollerano)
+                                 (NP (NOU~CP dissensi)))))))
+                  (NP-SBJ (-NONE- *-1833))
+                  (. .)) )
+
+
+************** FRASE NEWS-392 **************
+
+ ( (S
+    (PP (ADVB Anche) (PREP per)
+        (NP-333 (ART~DE i) (NOU~CP giornalisti) (ADJ~QU stranieri)))
+     (S
+         (VP-633 (VMA~IN lavorare))
+         (NP-SBJ (-NONE- *-333)))
+      (VP (VAU~RE e')
+          (VP (VMA~PA diventato)
+              (ADJP-PRD (ADJ~QU difficile))))
+        (VP-SBJ (-NONE- *-633))
+        (. .)) )
+
+
+************** FRASE NEWS-393 **************
+
+ ( (S
+    (PP-TMP (PREP Da) (ADVB ieri))
+    (NP-SBJ (PRDT tutte) (ART~DE le) (NOU~CA Tv)
+        (PRN
+            (, ,)
+            (NP (NOU~PR Rai)
+                (VP (VMA~PA compresa)
+                    (NP (-NONE- *))))
+              (, ,)))
+        (ADVP (ADVB non))
+        (VP (VMA~RE mandano)
+            (ADVP-TMP (ADVB piu'))
+            (NP (NOU~CP immagini))
+            (CONJ perche')
+            (S
+                (VP (VAU~RE e')
+                    (VP (VAU~PA stato)
+                        (VP (VMA~PA chiuso))))
+                  (NP-SBJ (-NONE- *-1833))
+                  (NP-EXTPSBJ-1833
+                      (NP (ART~DE il) (NOU~CS centro))
+                      (PP (PREP di)
+                          (NP
+                              (NP (NOU~CS riversamento))
+                              (PP (PREP via)
+                                  (NP (NOU~CS satellite))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-394 **************
+
+ ( (S
+    (PP-LOC (PREP Sull')
+        (NP (ART~DE Sull') (ADJ~DI altro) (NOU~CS fronte)))
+     (PRN
+         (, ,)
+         (PP-LOC (PREP a)
+             (NP (NOU~PR Valona)))
+          (, ,))
+       (NP-SBJ (ART~DE le)
+           (NP (NOU~CP bande) (ADJ~QU armate))
+           (VP (VMA~PA guidate)
+               (NP (-NONE- *))
+               (PP-LGS (PREP da)
+                   (NP (NOU~CP criminali)))))
+          (ADVP-TMP (ADVB ieri))
+          (VP (VAU~RE hanno)
+              (VP (VMA~PA fatto)
+                  (ADVP (ADVB fuori))
+                  (NP
+                      (NP (ART~DE l') (ADJ~QU innocente) (NOU~CS custode))
+                      (PP (PREP di)
+                          (NP
+                              (NP (ART~IN un) (NOU~CS centro) (ADJ~QU danese))
+                              (PP (PREP dell')
+                                  (NP (ART~DE dell') (NOU~PR Unicef))))))
+                      (CONJ mentre)
+                      (S
+                          (NP-SBJ
+                              (NP (ART~DE i) (NOU~CP ribelli))
+                              (PP (PREP di)
+                                  (NP (NOU~PR Saranda)))
+                               (PRN
+                                   (, ,)
+                                   (SBAR
+                                       (NP-3333 (PRO~RE che))
+                                       (S
+                                           (NP-SBJ (-NONE- *-3333))
+                                           (PP (PREP nell')
+                                               (NP
+                                                   (NP (ART~DE nell') (NOU~CS assalto))
+                                                   (PP (PREP alle)
+                                                       (NP (ART~DE alle) (NOU~CP caserme)))))
+                                              (NP (PRO~RI si))
+                                              (VP (VAU~RE sono)
+                                                  (VP (VMA~PA portati)
+                                                      (ADVP-LOC (ADVB via))
+                                                      (NP
+                                                          (NP (NUMR 2)
+                                                              (NP (NUMR mila)) (NOU~CA kalashnikov))
+                                                           (CONJ e)
+                                                           (NP
+                                                               (NP (NOU~CP casse))
+                                                               (PP (PREP di)
+                                                                   (NP (NOU~CP munizioni)))))))))
+                                              (, ,)))
+                                        (VP (VAU~RE hanno)
+                                            (VP (VMA~PA organizzato)
+                                                (NP (ART~DE il) (ADJ~PO loro) (NOU~CS colpo) (ADJ~QU grosso)))))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-395 **************
+
+ ( (NP (ART~DE Il)
+    (NP (NOU~CS sequestro))
+    (PP (PREP di)
+        (NP (ART~IN una)
+            (NP (NOU~CS nave) (ADJ~QU militare))
+            (SBAR
+                (NP-7333 (PRO~RE che) (-NONE- *-))
+                (S
+                    (NP-SBJ-733 (-NONE- *-7333))
+                    (VP (VAU~RE ha)
+                        (VP (VMA~PA cominciato)
+                            (ADVP (ADVB lentamente))
+                            (PP (PREP a)
+                                (S
+                                    (VP (VMA~IN solcare)
+                                        (NP (ART~DE la) (NOU~CS rada))
+                                        (PP-LOC (PREP davanti)
+                                            (PP (PREP al)
+                                                (NP (ART~DE al) (NOU~CS porto))))
+                                          (S
+                                              (VP (VMA~GE sparando)
+                                                  (NP (NOU~CP colpi))
+                                                  (PP (PREP di)
+                                                      (NP (NOU~CS cannone))))
+                                                (NP-SBJ (-NONE- *-12.1033))))
+                                          (NP-SBJ-12.1033 (-NONE- *-733))))))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-396 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE La) (NOU~CS follia) (ADJ~QU anarchica))
+        (PP (PREP del)
+            (NP (ART~DE del) (NOU~CS Sud)
+                (PRN
+                    (, ,)
+                    (ADJP
+                        (ADJP (ADJ~QU inferocito)
+                            (PP (PREP per)
+                                (NP
+                                    (NP (ART~DE il) (NOU~CS crollo))
+                                    (PP (PREP delle)
+                                        (NP (ART~DE delle) (NOU~CP finanziarie))))))
+                            (CONJ e)
+                            (S
+                                (VP (VMA~PA manovrato)
+                                    (PP-LGS (PREP dalle)
+                                        (NP (ART~DE dalle)
+                                            (NP (NOU~CP mafie) (ADJ~QU locali))
+                                            (VP (VMA~RE collegate)
+                                                (NP (-NONE- *))
+                                                (PP
+                                                    (PP (PREP al)
+                                                        (NP (ART~DE al) (NOU~CS narcotraffico)))
+                                                     (CONJ e)
+                                                     (PP (PREP al)
+                                                         (NP
+                                                             (NP (ART~DE al) (NOU~CS riciclaggio))
+                                                             (PP (PREP di)
+                                                                 (NP (NOU~CS denaro) (ADJ~QU sporco))))))))))
+                                         (NP-SBJ (-NONE- *-533))))
+                                   (, ,)))))
+                       (VP (VMA~RE minaccia)
+                           (PP (PREP di)
+                               (S
+                                   (VP (VMA~IN travolgere)
+                                       (NP (ART~DE l') (NOU~PR Albania)))
+                                    (NP-SBJ (-NONE- *-133)))))
+                           (. .)) )
+
+
+************** FRASE NEWS-397 **************
+
+ ( (S
+    (S
+        (ADVP-TMP (ADVB Finora))
+        (VP (VAU~RE abbiamo)
+            (VP (VMA~PA evitato)
+                (PP (PREP di)
+                    (NP (NOU~CS proposito)))
+                 (NP (ART~DE lo) (NOU~CS scontro))))
+           (NP-SBJ (-NONE- *)))
+        (PUNCT -)
+        (VP (VMA~RE dice)
+            (NP-EXTPSBJ-1033
+                (NP (ART~DE il) (NOU~CS ministro))
+                (PP (PREP degli)
+                    (NP (ART~DE degli) (NOU~CP Esteri))) (NOU~PR Sheu)))
+           (NP-SBJ (-NONE- *-1033))
+           (PUNCT -)
+           (. .)) )
+
+
+************** FRASE NEWS-398 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (PRO~DE questo)))
+     (NP-SBJ (ART~DE la) (NOU~CS polizia))
+     (NP (PRO~RI si))
+     (VP (VAU~IM era)
+         (VP (VMA~PA ritirata)
+             (PP-TMP (PREP nelle)
+                 (NP (ART~DE nelle) (ADJ~DI scorse) (NOU~CP settimane)))
+              (PP-LOC
+                  (PP
+                      (ADVP (ADVB non) (ADVB solo)) (PREP da)
+                      (NP (NOU~PR Valona)))
+                   (CONJ ma)
+                   (PP (PREP da)
+                       (NP (ADVB anche) (NOU~PR Fier)
+                           (CONJ e) (NOU~PR Lushnja))))))
+            (. .)) )
+
+
+************** FRASE NEWS-399 **************
+
+ ( (S
+    (VP (VAU~RE Abbiamo)
+        (VP (VMA~PA ripreso)
+            (NP
+                (NP (ART~DE il) (NOU~CS controllo))
+                (PP (PREP di)
+                    (NP (ADJ~DE queste) (ADJ~OR ultime)
+                        (NP (NUMR due)) (NOU~CA citta'))))
+               (CONJ quando)
+               (S
+                   (VP (VAU~RE abbiamo)
+                       (VP (VMA~PA valutato)
+                           (CONJ che)
+                           (S
+                               (VP (VMO~IM potevamo)
+                                   (S
+                                       (VP (VMA~IN farlo)
+                                           (NP (PRO~PE farlo)))
+                                        (NP-SBJ (-NONE- *-14.1033)))
+                                     (S
+                                         (VP (VMA~GE evitando)
+                                             (NP
+                                                 (NP (ART~IN un) (NOU~CS bagno))
+                                                 (PP (PREP di)
+                                                     (NP (NOU~CS sangue)))))
+                                            (NP-SBJ (-NONE- *-14.1033))))
+                                      (NP-SBJ-14.1033 (-NONE- *-12.1033)))))
+                             (NP-SBJ-12.1033 (-NONE- *-2.1033)))))
+                    (NP-SBJ-2.1033 (-NONE- *))
+                    (. .)) )
+
+
+************** FRASE NEWS-400 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ
+        (NP (ART~DE i) (NOU~CP ribelli))
+        (PP-LOC (PREP di)
+            (NP (NOU~PR Valona))))
+      (VP
+          (NP-TMP (NOU~CS domenica))
+          (VP (VAU~IM erano)
+              (ADVP-TMP (ADVB ormai))) (VMA~PA arrivati)
+           (PP-LOC (PREP a)
+               (NP
+                   (NP (NUMR 70) (NOU~CP chilometri))
+                   (PP (PREP da)
+                       (NP (NOU~PR Tirana))))))
+           (. .)) )
+
+
+************** FRASE NEWS-401 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (ADVP (ADVB non))
+        (VP (VAU~IM fosse)
+            (VP (VMA~PA entrato)
+                (PP-LOC (PREP in)
+                    (NP (NOU~CS campo)))
+                 (NP-EXTPSBJ-733 (ART~DE l') (NOU~CS esercito))))
+           (NP-SBJ (-NONE- *-733)))
+        (ADVP-TMP (ADVB oggi))
+        (VP (VMA~CO sarebbero)
+            (PP-LOC (PREP nella)
+                (NP (ART~DE nella) (NOU~CS capitale))))
+          (NP-SBJ (-NONE- *))
+          (. .)) )
+
+
+************** FRASE NEWS-402 **************
+
+ ( (VP (VMA~RE eccolo)
+    (NP (PRO~PE eccolo))
+    (NP (ART~DE l') (NOU~CS esercito))
+    (. .)) )
+
+
+************** FRASE NEWS-403 **************
+
+ ( (S
+    (PP-LOC (PREP Sulla)
+        (NP
+            (NP (ART~DE Sulla) (NOU~CS strada))
+            (PP-LOC (PREP per)
+                (NP (NOU~PR Valona)))
+             (PRN
+                 (PUNCT -)
+                 (NP
+                     (NP (NUMR 140)
+                         (NP (NOU~CP chilometri)))
+                      (VP (VMA~PA disseminati)
+                          (NP (-NONE- *))
+                          (PP (PREP di)
+                              (NP (NOU~CP buche))))
+                        (, ,)
+                        (NP (ADVB oltre) (NUMR tre)
+                            (NP (NOU~CP ore)))
+                         (PP (PREP di)
+                             (NP (NOU~CA auto)))
+                          (PP (PREP in)
+                              (NP (NOU~CP condizioni) (ADJ~QU normali)))
+                           (PP-LOC (PREP dalla)
+                               (NP (ART~DE dalla) (NOU~CS capitale))))
+                         (PUNCT -))))
+                (VP (VMA~RE viaggiano)
+                    (NP-EXTPSBJ-2433 (NOU~CA camion) (ADJ~QU militari))
+                    (PP (PREP in)
+                        (NP (NOU~CS continuazione))))
+                  (NP-SBJ (-NONE- *-2433))
+                  (. .)) )
+
+
+************** FRASE NEWS-404 **************
+
+ ( (NP
+    (NP (NOU~CP Colonne))
+    (PP (PREP di)
+        (NP
+            (NP (NOU~CP uomini))
+            (PP (PREP in)
+                (NP (NOU~CS divisa)))
+             (PP (PREP dalle)
+                 (NP (ART~DE dalle) (NOU~CP facce) (ADJ~QU decise)))))
+        (. .)) )
+
+
+************** FRASE NEWS-405 **************
+
+ ( (S
+    (VP (VAU~RE Sono)
+        (VP (VMA~PA reclutati)
+            (PP-LOC (PREP al)
+                (NP (ART~DE al) (NOU~CS Nord)
+                    (, ,)
+                    (NP
+                        (NP (ART~IN un') (NOU~CS area))
+                        (PP (PREP del)
+                            (NP (ART~DE del) (NOU~CS Paese)))
+                         (SBAR
+                             (NP-1333 (PRO~RE che))
+                             (S
+                                 (NP-SBJ (-NONE- *-1333))
+                                 (VP (VAU~RE e')
+                                     (VP (VAU~PA stata)
+                                         (ADVP (ADVB soltanto))
+                                         (VP (VMA~PA sfiorata))))
+                                   (PP-LGS (PREP dalla)
+                                       (NP (ART~DE dalla) (NOU~CS protesta))))))))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-406 **************
+
+ ( (S
+    (NP-LOC (PRO~LO Ci))
+    (VP (VMA~RE sono)
+        (NP-EXTPSBJ-333 (-NONE- *-)
+            (NP-333 (ART~DE i)
+                (NP (NOU~CP reggimenti)) (-NONE- *-)
+                (ADJP (ADVB piu') (ADJ~QU fedeli)
+                    (PP (PREP al)
+                        (NP (ART~DE al) (NOU~CS presidente) (NOU~PR Berisha)))))
+               (CONJ e)
+               (NP (ART~DE i) (NOU~CP reparti) (ADJ~QU scelti))))
+         (NP-SBJ (-NONE- *-333))
+         (. .)) )
+
+
+************** FRASE NEWS-407 **************
+
+ ( (S
+    (NP-SBJ-133 (NUMR 2) (NUMR mila))
+    (VP (VMA~RE vengono)
+        (PP-LOC (PREP da)
+            (NP (NOU~PR Durazzo)
+                (SBAR
+                    (S
+                        (NP-LOC (PRO~LO dove))
+                        (VP (VAU~RE sono)
+                            (VP (VAU~PA stati)
+                                (VP (VMA~PA addestrati))))
+                          (NP-SBJ (-NONE- *-133))
+                          (PP (PREP alle)
+                              (NP (ART~DE alle)
+                                  (NP (NOU~CP missioni))
+                                  (ADJP
+                                      (' ') (ADJ~QU speciali)
+                                      (' ')))))))))
+              (. .)) )
+
+
+************** FRASE NEWS-408 **************
+
+ ( (S
+    (S
+        (VP (VMA~FU Saranno)
+            (ADVP (ADVB forse)) (NUMR 25)
+            (NP-EXTPSBJ-533 (ART~DE i)
+                (NP (NOU~CP soldati))
+                (SBAR
+                    (NP-7333 (PRO~RE che))
+                    (S
+                        (NP-SBJ (-NONE- *-7333))
+                        (VP
+                            (VP (VAU~RE vengono)
+                                (ADVP-TMP (ADVB adesso))) (VMA~PA impegnati)
+                             (PP-LOC (PREP nell')
+                                 (NP
+                                     (NP (ART~DE nell') (NOU~CS accerchiamento))
+                                     (PP (PREP di)
+                                         (NP (NOU~PR Valona))))))))))
+                 (NP-SBJ (-NONE- *-533)))
+              (, ,)
+              (S
+                  (PP (PREP a)
+                      (NP (PRO~DE questo)))
+                   (NP (PRO~RI si))
+                   (VP (VMA~RE aggiungono)
+                       (NP
+                           (NP
+                               (NP (ART~DE i) (NOU~CP reparti))
+                               (PP (PREP di)
+                                   (NP (NOU~CS gendarmeria))))
+                             (CONJ e)
+                             (NP
+                                 (NP (NOU~CP migliaia))
+                                 (PP (PREP di)
+                                     (NP
+                                         (NP (NOU~CP uomini))
+                                         (PP (PREP della)
+                                             (NP (ART~DE della) (NOU~PR Shik)
+                                                 (, ,)
+                                                 (NP (ART~DE la)
+                                                     (NP (NOU~CS polizia) (ADJ~QU segreta))
+                                                     (SBAR
+                                                         (NP-3333 (PRO~RE che))
+                                                         (S
+                                                             (NP-SBJ (-NONE- *-3333))
+                                                             (PP-LOC (PREP nei)
+                                                                 (NP
+                                                                     (NP (ART~DE nei) (NOU~CP disordini))
+                                                                     (PP (PREP di)
+                                                                         (NP (NOU~PR Valona)))))
+                                                                (VP (VAU~RE ha)
+                                                                    (VP (VMA~PA perso)
+                                                                        (NP (NUMR sei) (NOU~CP agenti)))))))))))))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-409 **************
+
+ ( (S
+    (S
+        (NP-TMP (ART~DE L') (ADJ~DI altra) (NOU~CS sera))
+        (PRN
+            (, ,)
+            (CONJ quando)
+            (S
+                (VP (VAU~RE e')
+                    (VP (VAU~PA stato)
+                        (VP (VMA~PA votato))))
+                  (NP-SBJ (-NONE- *-933))
+                  (NP-EXTPSBJ-933
+                      (NP (ART~DE lo) (NOU~CS stato))
+                      (PP (PREP d')
+                          (NP (NOU~CS emergenza)))))
+                 (, ,))
+              (NP-SBJ-1433 (ART~DE i) (NOU~CP parlamentari))
+              (NP (PRO~RI si))
+              (VP (VAU~RE sono)
+                  (VP (VMA~PA alzati)
+                      (ADVP (ADVB IN_PIEDI))))
+                (NP-SBJ (-NONE- *-1433)))
+             (CONJ e)
+             (S
+                 (VP (VAU~RE hanno)
+                     (VP (VMA~PA tributato)
+                         (NP
+                             (NP (ART~IN un) (NOU~CS minuto))
+                             (PP (PREP di)
+                                 (NP (NOU~CS silenzio))))
+                           (PP (PREP alle)
+                               (NP (ART~DE alle) (NOU~CP vittime))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-410 **************
+
+ ( (S
+    (VP (VMA~FU Sara')
+        (NP-EXTPSBJ-333 (ADVB proprio) (ART~DE la) (NOU~PR Shik))
+        (PP (PREP a)
+            (S
+                (VP (VMA~IN fare)
+                    (NP (ART~DE il)
+                        (" ") (NOU~CS lavoro) (ADJ~QU sporco)
+                        (" ")))
+                  (NP-SBJ (-NONE- *-333))))
+            (, ,)
+            (CONJ se)
+            (VP (-NONE- *-1833))
+            (CONJ e)
+            (CONJ quando)
+            (S
+                (NP-SBJ (ART~DE l') (NOU~CS esercito))
+                (VP-1833 (VMA~FU entrera')
+                    (PP-LOC (PREP a)
+                        (NP (NOU~PR Valona))))))
+            (NP-SBJ (-NONE- *-333))
+            (. .)) )
+
+
+************** FRASE NEWS-411 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (ADJ~PO loro) (NOU~CS compito))
+    (VP (VMA~FU sara')
+        (NP-PRD
+            (NP (PRO~DE quello))
+            (PP (PREP di)
+                (S
+                    (VP (VMA~IN andare)
+                        (NP-LOC
+                            (NP (NOU~CS casa))
+                            (PP (PREP per)
+                                (NP (NOU~CS casa))))
+                          (PP (PREP a)
+                              (S
+                                  (VP (VMA~IN stanare)
+                                      (NP
+                                          (NP (ART~DE i) (NOU~CP capi))
+                                          (PP (PREP della)
+                                              (NP (ART~DE della) (NOU~CS rivolta)))
+                                           (, ,)
+                                           (NP
+                                               (NP (PRO~DE quelli))
+                                               (PP (PREP dei)
+                                                   (NP (ART~DE dei)
+                                                       (NP (NOU~CA clan))
+                                                       (SBAR
+                                                           (NP-2333 (PRO~RE che))
+                                                           (S
+                                                               (NP-SBJ (-NONE- *-2333))
+                                                               (VP (VAU~RE hanno)
+                                                                   (VP (VMA~PA rotto)
+                                                                       (NP
+                                                                           (NP (ART~DE il) (NOU~CS patto))
+                                                                           (PP (PREP con)
+                                                                               (NP (ART~DE i) (NOU~CP politici)))))))))))))
+                                              (NP-SBJ (-NONE- *-7.1033)))))
+                                     (NP-SBJ-7.1033 (-NONE- *-233))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-412 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE La) (NOU~CS piramide)
+            (NP
+                (" ") (NOU~PR Gjallica)
+                (" ")))
+          (ADVP (ADVB non) (ADVB soltanto))
+          (VP (VMA~IM finanziava)
+              (NP (ART~DE il) (NOU~CS Partito) (ADJ~QU democratico))))
+        (CONJ ma)
+        (S
+            (VP (VAU~IM era)
+                (VP (VMA~PA diventata)
+                    (NP-PRD
+                        (NP (PRO~ID uno))
+                        (PP (PREP dei)
+                            (NP
+                                (NP (ART~DE dei) (NOU~CP centri))
+                                (PP (PREP di)
+                                    (NP (NOU~CS riciclaggio))
+                                    (PP (PREP di)
+                                        (NP (NOU~CS denaro) (ADJ~QU sporco))))
+                                  (ADJP (ADVB piu') (ADJ~QU importanti))
+                                  (PP (PREP del)
+                                      (NP (ART~DE del) (NOU~PR Mediterraneo))))))))
+                    (NP-SBJ (-NONE- *-133)))
+                 (. .)) )
+
+
+************** FRASE NEWS-413 **************
+
+ ( (S
+    (PP (PREP Secondo)
+        (NP (ART~IN un)
+            (NP (NOU~CS rapporto) (ADJ~QU riservato))
+            (SBAR
+                (NP-5333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-5333))
+                    (VP (VMA~RE circola)
+                        (PP-LOC (PREP nei)
+                            (NP (ART~DE nei) (NOU~CP Servizi) (ADJ~QU occidentali))))))))
+          (, ,)
+          (NP-SBJ (ART~DE l') (NOU~PR Albania))
+          (VP (VAU~RE ha)
+              (VP (VMA~PA lavato)
+                  (' ')
+                  (PP-TMP (PREP negli)
+                      (NP (ART~DE negli) (ADJ~OR ultimi) (NOU~CP anni)))
+                   (PP (PREP dai)
+                       (NP (ART~DE dai) (NUMR 2) (NUMR mila) (-NONE- *-2633))
+                       (PP (PREP ai)
+                           (NP
+                               (NP (ART~DE ai) (NUMR 3) (NUMR mila) (NOU~CP-2633 miliardi))
+                               (PP (PREP di)
+                                   (NP (NOU~CP lire)))
+                                (NP
+                                    (NP (NOU~CP proventi))
+                                    (PP (PREP di)
+                                        (NP
+                                            (NP (NOU~CA attivita'))
+                                            (ADJP
+                                                (ADJP (ADJ~QU criminose))
+                                                (CONJ e)
+                                                (ADJP (ADJ~QU illecite)))
+                                             (ADJP
+                                                 (ADJP
+                                                     (ADVP (ADVB non) (ADVB soltanto)) (ADJ~QU albanesi))
+                                                  (CONJ ma)
+                                                  (ADJP (ADVB anche) (ADJ~QU italiane)))))))))
+                             (, ,)))
+                       (' ')
+                       (. .)) )
+
+
+************** FRASE NEWS-414 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE È)
+            (ADJP-PRD (ADJ~QU vero))
+            (CONJ che)
+            (S
+                (PP-LOC (PREP dietro)
+                    (NP
+                        (NP (ART~DE la) (NOU~CS rivolta))
+                        (PP (PREP di)
+                            (NP (NOU~PR Valona)))))
+                   (NP-LOC (PRO~LO ci))
+                   (VP (VMA~RE sono)
+                       (NP-EXTPSBJ-1133
+                           (NP (ART~DE le) (NOU~CP organizzazioni))
+                           (PP (PREP della)
+                               (NP (ART~DE della) (NOU~CS malavita)))
+                            (PRN
+                                (, ,)
+                                (NP
+                                    (NP
+                                        (NP (NOU~CP estremisti))
+                                        (VP (VMA~PA legati)
+                                            (NP (-NONE- *))
+                                            (PP (PREP al)
+                                                (NP (ART~DE al) (ADJ~QU vecchio) (NOU~CS regime) (ADJ~QU comunista)))))
+                                       (CONJ e)
+                                       (NP
+                                           (' ') (NOU~CP scafisti)
+                                           (' ')))
+                                     (, ,))))
+                            (NP-SBJ (-NONE- *-1133)))))
+                   (CONJ ma)
+                   (S
+                       (S
+                           (NP-SBJ (ADJ~DE questo) (NOU~CS sistema)
+                               (PRN
+                                   (, ,)
+                                   (SBAR
+                                       (S
+                                           (NP-LOC (PRO~LO dove))
+                                           (NP (PRO~RI si))
+                                           (VP (VMA~IM scommetteva)
+                                               (ADVP (ADVB allegramente))
+                                               (PP (PREP nel)
+                                                   (NP
+                                                       (NP (ART~DE nel) (NOU~CS sogno))
+                                                       (PP (PREP delle)
+                                                           (NP (ART~DE delle)
+                                                               (' ') (NOU~CP piramidi)
+                                                               (' '))))))))
+                                          (, ,)))
+                                    (VP (VMA~IM era)
+                                        (ADJP-PRD (ADJ~QU trasversale)
+                                            (PP (PREP ai)
+                                                (NP (ART~DE ai) (NOU~CP partiti))))))
+                                    (CONJ e)
+                                    (S
+                                        (VP (VMA~IM teneva)
+                                            (ADVP (ADVB insieme))
+                                            (PP (PREP in)
+                                                (NP
+                                                    (NP (ART~IN un) (NOU~CS groviglio) (ADJ~QU inestricabile))
+                                                    (PP (PREP di)
+                                                        (NP (NOU~CP interessi)))))
+                                               (NP (PRDT tutta) (ART~IN una)
+                                                   (NP (NOU~CA societa'))
+                                                   (ADVP-TMP (ADVB ancora))
+                                                   (VP (VMA~PA aggrappata)
+                                                       (NP (-NONE- *))
+                                                       (PP (PREP ai)
+                                                           (NP (ART~DE ai)
+                                                               (NP (NOU~CA clan))
+                                                               (VP (VMA~PA sopravvissuti)
+                                                                   (NP (-NONE- *))
+                                                                   (PP (PREP al)
+                                                                       (NP
+                                                                           (NP (ART~DE al) (NOU~CS crollo))
+                                                                           (PP (PREP dello)
+                                                                               (NP (ART~DE dello) (NOU~CS stalinismo)))))))))))
+                                                    (NP-SBJ (-NONE- *-2833))))
+                                              (. .)) )
+
+
+************** FRASE NEWS-415 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (PRO~DE questo)))
+     (S
+         (VP-333 (VMA~IN fare)
+             (NP (NOU~CS giustizia)))
+          (NP-SBJ (-NONE- *)))
+       (ADVP-TMP (ADVB oggi))
+       (VP (VMA~RE e')
+           (ADJP-PRD (ADJ~QU difficile)))
+        (VP-SBJ (-NONE- *-333))
+        (. .)) )
+
+
+************** FRASE NEWS-416 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Valona)))
+     (VP (VMA~IM pensavano)
+         (CONJ che)
+         (S
+             (NP-SBJ-533 (ART~DE il) (ADJ~QU Selvaggio) (NOU~CS Est) (ADJ~QU albanese)
+                 (PRN
+                     (, ,)
+                     (NP
+                         (NP (NOU~CS punto))
+                         (PP (PREP di)
+                             (NP
+                                 (NP (NOU~CS sbocco))
+                                 (PP (PREP dei)
+                                     (NP
+                                         (NP (ART~DE dei) (NOU~CP traffici))
+                                         (PP-LOC (PREP di)
+                                             (NP (PRDT tutti) (ART~DE i) (NOU~PR Balcani))))))))
+                           (, ,)))
+                     (ADVP (ADVB non))
+                     (VP (VMO~IM dovesse)
+                         (S
+                             (VP (VMA~IN finire)
+                                 (ADVP-TMP (ADVB mai)))
+                              (NP-SBJ (-NONE- *-533))))))
+                  (NP-SBJ (-NONE- *))
+                  (. .)) )
+
+
+************** FRASE NEWS-417 **************
+
+ ( (S
+    (VP
+        (PP (PREP Con)
+            (NP (ART~DE l') (NOU~CS esercito)))
+         (PRN
+             (, ,)
+             (ADVP (ADVB forse))
+             (, ,))
+          (NP-733 (PRO~RI si))
+          (VP (VMA~FU riportera')
+              (NP (ART~DE l') (NOU~CS ordine)))
+           (CONJ ma)
+           (S
+               (NP-SBJ (ADJ~DE questo) (NOU~CS Paese))
+               (VP (VMA~RE ha)
+                   (NP (NOU~CS bisogno))
+                   (PP
+                       (PRN
+                           (, ,)
+                           (CONJ OLTRE_CHE)
+                           (PP (PREP di)
+                               (NP (NOU~CP soldi)))
+                            (, ,))
+                         (PP (PREP di)
+                             (NP (ART~IN una)
+                                 (NP (NOU~CS classe) (ADJ~QU dirigente) (ADJ~QU nuova))
+                                 (, ,)
+                                 (ADJP (ADVB piu') (ADJ~QU pulita))
+                                 (, ,)
+                                 (SBAR
+                                     (NP-3333 (PRO~RE che))
+                                     (S
+                                         (NP-SBJ (-NONE- *-3333))
+                                         (VP (VMA~CG restituisca)
+                                             (NP (NOU~CS fiducia))
+                                             (PP (PREP a)
+                                                 (NP-3633
+                                                     (NP (ART~IN uno) (NOU~CS Stato))
+                                                     (PP (ADVB ancora) (PREP da)
+                                                         (S
+                                                             (VP (VMA~IN inventare)
+                                                                 (NP (-NONE- *-3633)))
+                                                              (NP-SBJ (-NONE- *)))))))))))))))
+                       (NP-SBJ (-NONE- *-733))
+                       (. .)) )
+
+
+************** FRASE NEWS-418 **************
+
+ ( (S
+    (PP (PREP Dalla)
+        (NP
+            (NP (ART~DE Dalla) (NOU~CA radio))
+            (PP (PREP dell')
+                (NP (ART~DE dell') (NOU~CA auto)))))
+       (NP-SBJ
+           (NP (ART~DE la) (NOU~CS voce) (ADJ~QU ufficiale))
+           (PP (PREP di)
+               (NP (NOU~PR Tirana))))
+         (VP (VMA~RE ripete)
+             (ADVP (ADVB incessantemente))
+             (NP
+                 (NP (ART~DE l') (NOU~CS appello))
+                 (PP (PREP a)
+                     (S
+                         (VP (VMA~IN consegnare)
+                             (NP (ART~DE le) (NOU~CP armi)))
+                          (NP-SBJ (-NONE- *))))))
+              (. .)) )
+
+
+************** FRASE NEWS-419 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CA ultimatum))
+    (VP (VAU~RE e')
+        (VP (VMA~PA scaduto)
+            (PP-TMP (PREP da)
+                (NP (ADJ~IN qualche) (NOU~CS ora)))))
+       (. .)) )
+
+
+************** FRASE NEWS-420 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP (ART~DE Le) (NOU~CP note))
+            (PP (PREP del)
+                (NP
+                    (NP (ART~DE del) (NOU~CS Bolero))
+                    (PP (PREP di)
+                        (NP (NOU~PR Ravel))))))
+            (VP (VAU~RE sono)
+                (VP (VMA~PA alternate)
+                    (PP (PREP alla)
+                        (NP
+                            (NP (ART~DE alla) (NOU~CS lettura))
+                            (PP (PREP di)
+                                (NP
+                                    (NP (NOU~CP componimenti) (ADJ~QU poetici))
+                                    (PP (PREP del)
+                                        (NP (ART~DE del) (NOU~CA folklore) (ADJ~QU albanese))))))))))
+                (, ,)
+                (CONJ come)
+                (S
+                    (VP (VMA~IM avveniva)
+                        (NP-TMP (ART~IN un) (NOU~CS tempo))
+                        (CONJ quando)
+                        (S
+                            (S
+                                (PP-LOC (PREP su)
+                                    (NP (ADJ~DE questa) (NOU~CS terra)))
+                                 (VP (VMA~IM regnava)
+                                     (NP-EXTPSBJ-2733 (NOU~PR Enver) (NOU~PR Hoxha)))
+                                  (NP-SBJ (-NONE- *-2733)))
+                               (CONJ e)
+                               (S
+                                   (NP-SBJ-3033 (ART~DE gli) (NOU~CP albanesi))
+                                   (PP (PREP per)
+                                       (S
+                                           (VP (VMA~IN ascoltare)
+                                               (NP (ART~IN una) (NOU~CS voce))
+                                               (PP-LOC (PREP dal)
+                                                   (NP (ART~DE dal) (NOU~CS mondo) (ADJ~QU libero))))
+                                             (NP-SBJ (-NONE- *-3033))))
+                                       (NP (PRO~RI si))
+                                       (VP (VMA~IM attaccavano)
+                                           (ADVP (ADVB clandestinamente))
+                                           (PP (PREP ai)
+                                               (NP (ART~DE ai) (NOU~CP notiziari) (ADJ~QU stranieri)))))))
+                                (NP-SBJ (-NONE- *)))
+                             (. .)) )
+
+
+************** FRASE NEWS-421 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Gli) (NOU~CP investitori) (ADJ~QU italiani))
+        (PP-LOC (PREP in)
+            (NP (NOU~PR Albania))))
+      (VP (VMA~RE sono)
+          (NP-PRD (ART~IN un) (ADJ~QU piccolo) (NOU~CS esercito)))
+       (. .)) )
+
+
+************** FRASE NEWS-422 **************
+
+ ( (S
+    (NP (PRO~PE L'))
+    (VP (VAU~RE hanno)
+        (VP (VMA~PA invasa)
+            (ADVP (ADVB pacificamente))
+            (S
+                (VP (VMA~GE portandovi)
+                    (NP-LOC (PRO~LO portandovi))
+                    (NP
+                        (NP (NOU~CP investimenti))
+                        (, ,)
+                        (NP
+                            (NP
+                                (NP (NOU~CS occupazione))
+                                (PP (PREP per)
+                                    (NP (ART~DE la) (NOU~CS popolazione) (ADJ~QU locale))))
+                              (, ,)
+                              (NP (NOU~CP tecnologie)))))
+                     (NP-SBJ (-NONE- *-3.1033)))))
+            (NP-SBJ-3.1033 (-NONE- *))
+            (. .)) )
+
+
+************** FRASE NEWS-423 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (ART~DE i) (ADJ~PO nostri) (ADJ~QU piccoli) (NOU~CP imprenditori)
+            (PRN
+                (, ,)
+                (ADJP (ADVB specialmente) (ADJ~QU pugliesi))
+                (, ,))))
+       (NP-SBJ
+           (NP (ART~DE il) (NOU~CS Paese))
+           (PP (PREP delle)
+               (NP (ART~DE delle) (NOU~CP Aquile))))
+         (VP (VAU~RE ha)
+             (VP (VMA~PA rappresentato)
+                 (PP-TMP (PREP negli)
+                     (NP (ART~DE negli) (ADJ~OR ultimi)
+                         (NP (NUMR cinque)) (NOU~CP anni)))
+                   (NP-PRD (ART~DE la)
+                       (' ') (ADJ~QU nuova) (NOU~CS frontiera)
+                       (' '))))
+              (. .)) )
+
+
+************** FRASE NEWS-424 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS Paese))
+        (SBAR
+            (S
+                (VP
+                    (NP-LOC (PRO~LO dove))
+                    (NP-EXTPSBJ-433
+                        (NP (ART~DE il) (NOU~CS costo))
+                        (PP (PREP del)
+                            (NP (ART~DE del) (NOU~CS lavoro))))
+                      (ADVP (ADVB non))
+                      (VP (VMA~RE supera)
+                          (NP (ART~DE i)
+                              (NP (NUMR 150)) (NOU~CP dollari)
+                              (PP (PREP al)
+                                  (NP (ART~DE al) (NOU~CS mese)))))
+                         (, ,)
+                         (S
+                             (S
+                                 (NP-SBJ
+                                     (NP (ART~DE gli) (NOU~CP utili))
+                                     (PP (PREP per)
+                                         (NP (ART~DE gli) (NOU~CP investitori) (ADJ~QU esteri))))
+                                   (VP (VAU~RE sono)
+                                       (VP (VMA~PA detassati)
+                                           (PP-TMP (PREP per)
+                                               (NP (NUMR cinque) (NOU~CP anni))))))
+                                   (, ,)
+                                   (S
+                                       (NP-SBJ (ART~DE l') (NOU~PR Iva))
+                                       (VP (VMA~RE e')
+                                           (PP-PRD (PREP al))))))
+                               (NP-SBJ (-NONE- *-433)))))
+                      (. .)) )
+
+
+************** FRASE NEWS-425 **************
+
+ ( (S
+    (PP-TMP (PREP Dal))
+    (VP (VAU~RE sono)
+        (VP (VMA~PA nate)
+            (NP-EXTPSBJ-1933 (ADVB oltre)
+                (NP (NUMR 500) (NOU~CP imprese) (ADJ~QU italiane)))
+             (, ,)
+             (PP (PREP con)
+                 (NP
+                     (NP (NOU~CP investimenti) (ADJ~QU complessivi))
+                     (SBAR
+                         (NP-2333 (PRO~RE che))
+                         (S
+                             (NP-SBJ (-NONE- *-2333))
+                             (VP (VMA~RE superano)
+                                 (NP
+                                     (NP (NUMR 200))
+                                     (NP (ART~DE i) (NOU~CP milioni))
+                                     (PP (PREP di)
+                                         (NP (NOU~CP dollari)))))))))))
+              (NP-SBJ (-NONE- *-1933))
+              (. .)) )
+
+
+************** FRASE NEWS-426 **************
+
+ ( (S
+    (ADVP (ADVB PER_LO_PIÙ))
+    (NP (PRO~RI si))
+    (VP (VMA~RE tratta)
+        (PP (PREP di)
+            (NP
+                (NP (ADJ~QU piccole) (NOU~CP imprese))
+                (PP (PREP del)
+                    (NP (ART~DE del)
+                        (NP (NOU~CS settore))
+                        (ADJP
+                            (ADJP (ADJ~QU calzaturiero))
+                            (, ,)
+                            (ADJP
+                                (ADJP (ADJ~QU impiantistico))
+                                (, ,)
+                                (ADJP
+                                    (ADJP (ADJ~QU tessile))
+                                    (, ,)
+                                    (ADJP
+                                        (ADJP (ADJ~QU ittico))
+                                        (, ,)
+                                        (ADJP (ADJ~QU agricolo)))))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-427 **************
+
+ ( (NP
+    (PP (PREP Tra)
+        (NP (ART~DE le)
+            (NP (NOU~CP operazioni))
+            (ADJP (ADVB piu') (ADJ~QU impegnative)
+                (PP (PREP dal)
+                    (NP (ART~DE dal) (NOU~CS PUNTO_DI_VISTA) (ADJ~QU finanziario))))))
+        (, ,)
+        (NP (PRO~DE quelle))
+        (PP
+            (PP (PREP dell')
+                (NP (ART~DE dell')
+                    (NP (NOU~CS imprenditrice) (ADJ~QU bolognese))
+                    (NP (NOU~PR Cristina) (NOU~PR Busi))
+                    (, ,)
+                    (SBAR
+                        (NP-1333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-1333))
+                            (VP (VAU~RE ha)
+                                (VP (VMA~PA impiantato)
+                                    (PP-LOC (PREP a)
+                                        (NP (NOU~PR Tirana)))
+                                     (NP-2433
+                                         (NP (ART~IN uno) (NOU~CS stabilimento))
+                                         (PP (PREP per)
+                                             (NP
+                                                 (NP (ART~DE la) (NOU~CS produzione))
+                                                 (PP (PREP della)
+                                                     (NP (ART~DE della) (NOU~PR Coca-Cola))))))
+                                         (PRN
+                                             (PUNCT -)
+                                             (S
+                                                 (VP (VAU~RE ha)
+                                                     (VP (VMA~PA comportato)
+                                                         (PP (PREP in)
+                                                             (NP (NUMR due) (NOU~CP fasi) (ADJ~DI successive)))
+                                                          (NP
+                                                              (NP (NOU~CP investimenti))
+                                                              (PP (PREP per)
+                                                                  (NP
+                                                                      (NP (NUMR 20) (NOU~CP milioni))
+                                                                      (PP (PREP di)
+                                                                          (NP (NOU~CP dollari))))))))
+                                                        (NP-SBJ (-NONE- *-2433))))))))))
+                                (CONJ e)
+                                (PP (PREP del)
+                                    (NP (ART~DE del)
+                                        (NP (NOU~CS gruppo) (ADJ~QU barese)) (NOU~PR Nettis)
+                                        (, ,)
+                                        (SBAR
+                                            (NP-5333 (PRO~RE che) (-NONE- *-))
+                                            (S
+                                                (NP-SBJ-5133 (-NONE- *-5333))
+                                                (VP (VAU~RE ha)
+                                                    (VP (VMA~PA localizzato)
+                                                        (PP-LOC (PREP in)
+                                                            (NP (NOU~PR Albania)))
+                                                         (NP
+                                                             (NP (ART~IN un) (ADJ~QU nuovo) (NOU~CS stabilimento))
+                                                             (PP (PREP per)
+                                                                 (NP
+                                                                     (NP (ART~DE la) (NOU~CS produzione))
+                                                                     (PP (PREP di)
+                                                                         (NP
+                                                                             (NP (NOU~CP semilavorati))
+                                                                             (PP (PREP in)
+                                                                                 (NP (NOU~CS legno))))))))
+                                                               (S
+                                                                   (VP (VMA~GE investendo)
+                                                                       (NP
+                                                                           (NP (NUMR 12) (NOU~CP miliardi))
+                                                                           (PP (PREP di)
+                                                                               (NP (NOU~CP lire)))))
+                                                                      (NP-SBJ (-NONE- *-5133))))))))))
+                                              (. .)) )
+
+
+************** FRASE NEWS-428 **************
+
+ ( (S
+    (CONJ Ed)
+    (VP (VMA~RE e')
+        (ADVP-TMP (ADVB sempre))
+        (ADJP-PRD (ADJ~QU italiana))
+        (NP-EXTPSBJ-533 (ART~DE l')
+            (NP (NOU~CS impresa))
+            (VP (VMA~PA impegnata)
+                (NP (-NONE- *))
+                (PP-LOC (PREP nel)
+                    (NP
+                        (NP (ART~DE nel) (ADJ~OR primo) (NOU~CS progetto) (ADJ~QU turistico))
+                        (PP (PREP di)
+                            (NP (ADJ~QU ampia) (NOU~CS portata)))
+                         (, ,)
+                         (SBAR
+                             (NP-1333 (PRO~RE che))
+                             (S
+                                 (NP-SBJ (-NONE- *-1333))
+                                 (VP (VMA~RE prevede)
+                                     (NP
+                                         (NP (ART~DE la) (NOU~CS realizzazione))
+                                         (PP (PREP di)
+                                             (NP (ART~IN un) (NOU~CS polo) (ADJ~QU nautico)))
+                                          (PP-LOC (PREP nella)
+                                              (NP
+                                                  (NP (ART~DE nella) (NOU~CS baia))
+                                                  (PP (PREP di)
+                                                      (NP (NOU~PR Orikun)))
+                                                   (, ,)
+                                                   (PP-LOC (PREP NEI_PRESSI_DI)
+                                                       (NP (NOU~PR Valona))))))))))))))
+                   (NP-SBJ (-NONE- *-533))
+                   (. .)) )
+
+
+************** FRASE NEWS-429 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Italia))
+    (PRN
+        (, ,)
+        (PP (PREP con)
+            (NP
+                (NP
+                    (NP
+                        (NP (NUMR 309,4) (NOU~CP-633 miliardi))
+                        (PP (PREP di)
+                            (NP (NOU~CP lire))))
+                      (PP (PREP di)
+                          (NP (NOU~CA export))))
+                    (CONJ e)
+                    (NP (NUMR 126)
+                        (NP (-NONE- *-633)))
+                     (PP (PREP di)
+                         (NP
+                             (NP (NOU~CP importazioni))
+                             (PP-TMP (PREP del)
+                                 (NP (ART~DE del) (NUMR 1996)))))))
+                  (, ,))
+               (VP (VMA~RE e')
+                   (ADVP (ADVB anche))
+                   (NP-PRD
+                       (NP (ART~DE il) (ADJ~OR primo) (NOU~CA partner) (ADJ~QU commerciale))
+                       (PP (PREP dell')
+                           (NP (ART~DE dell') (NOU~PR Albania)))))
+                  (. .)) )
+
+
+************** FRASE NEWS-430 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS flusso))
+        (PP (PREP di)
+            (NP (NOU~CP merci)))
+         (VP (VMA~PA facilitato)
+             (NP (-NONE- *))
+             (PP-LGS (PREP dall')
+                 (NP
+                     (NP (ART~DE dall') (NOU~CS istituzione))
+                     (PP (PREP di)
+                         (NP
+                             (NP (NOU~CP traghetti))
+                             (SBAR
+                                 (NP-1333 (PRO~RE che))
+                                 (S
+                                     (NP-SBJ (-NONE- *-1333))
+                                     (VP (VMA~RE collegano)
+                                         (NP (NOU~PR Durazzo))
+                                         (PP (PREP a)
+                                             (NP (NOU~PR Bari)
+                                                 (, ,)
+                                                 (NP (NOU~PR Ancona)
+                                                     (CONJ e) (NOU~PR Trieste)))))))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-431 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP
+            (NP (PRO~ID nessuno) (ADVB pero'))
+            (PRN
+                (, ,)
+                (PP (PREP dei)
+                    (NP (ART~DE dei)
+                        (NP (ADJ~IN numerosi))
+                        (NP (NOU~CP industriali) (ADJ~QU italiani))
+                        (SBAR
+                            (NP-9333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-9333))
+                                (NP (PRO~RI si))
+                                (VP (VAU~RE sono)
+                                    (VP (VMA~PA affacciati)
+                                        (PP-TMP (PREP in)
+                                            (NP (ADJ~DE questi) (NOU~CP anni)))
+                                         (PP-LOC (PREP sul)
+                                             (NP (ART~DE sul) (NOU~CS mercato) (ADJ~QU albanese)))))))))
+                        (, ,))))
+               (NP-SBJ (ART~DE il) (NOU~CS cammino))
+               (VP (VAU~RE e')
+                   (VP (VMA~PA stato)
+                       (ADJP-PRD (ADJ~QU facile))))
+                 (. .)) )
+
+
+************** FRASE NEWS-432 **************
+
+ ( (NP
+    (NP (NOU~CP Infrastrutture))
+    (ADJP
+        (ADJP (ADJ~QU stradali))
+        (CONJ e)
+        (ADJP (ADJ~QU ferroviarie)))
+     (PP (PREP da)
+         (NP (ADJ~OR terzo) (NOU~CS mondo)))
+      (: ;)) )
+
+
+************** FRASE NEWS-433 **************
+
+ ( (NP
+    (NP (NOU~CP servizi))
+    (PP (PREP alle)
+        (NP (ART~DE alle) (NOU~CP imprese)))
+     (NP-433
+         (NP (PRO~ID tutti))
+         (PP (PREP da)
+             (S
+                 (VP (VMA~IN inventare)
+                     (NP (-NONE- *-433)))
+                  (NP-SBJ (-NONE- *)))))
+         (: ;)) )
+
+
+************** FRASE NEWS-434 **************
+
+ ( (NP
+    (NP (ADJ~QU totale) (NOU~CS incertezza))
+    (PP (PREP in)
+        (NP
+            (NP (NOU~CS campo))
+            (ADJP
+                (ADJP (ADJ~QU fiscale))
+                (, ,)
+                (ADJP
+                    (ADJP (ADJ~QU giuridico))
+                    (, ,)
+                    (ADJP
+                        (ADJP (ADJ~QU legislativo))
+                        (CONJ e)
+                        (ADJP (ADJ~QU sindacale)))))))
+         (: ;)) )
+
+
+************** FRASE NEWS-435 **************
+
+ ( (NP
+    (NP (NOU~CA difficolta'))
+    (PP (PREP a)
+        (S
+            (VP (VMA~IN trovare)
+                (NP (NOU~CA partner) (ADJ~QU locali) (ADJ~QU affidabili)))
+             (NP-SBJ (-NONE- *))))
+       (: ;)) )
+
+
+************** FRASE NEWS-436 **************
+
+ ( (NP
+    (NP (NOU~CP livelli) (ADJ~QU scarsissimi))
+    (PP (PREP di)
+        (NP (NOU~CS formazione) (ADJ~QU professionale)))
+     (. .)) )
+
+
+************** FRASE NEWS-437 **************
+
+ ( (S
+    (NP-PRD (PRO~DE Questi))
+    (VP (-NONE- *)
+        (NP-EXTPSBJ-233 (ART~DE i)
+            (NP (ADJ~QU principali) (NOU~CP problemi))
+            (SBAR
+                (S
+                    (NP-533 (PRO~RE che))
+                    (VP (VAU~RE hanno)
+                        (VP (VMO~PA dovuto)
+                            (S
+                                (VP (VMA~IN affrontare)
+                                    (NP (-NONE- *-533)))
+                                 (NP-SBJ (-NONE- *-933)))
+                              (NP-EXTPSBJ-933 (ART~DE gli) (NOU~CP investitori) (ADJ~QU italiani))))
+                        (NP-SBJ (-NONE- *-933))))))
+            (NP-SBJ (-NONE- *-233))
+            (. .)) )
+
+
+************** FRASE NEWS-438 **************
+
+ ( (PP
+    (PP (PREP Senza)
+        (S
+            (VP (VMA~IN contare)
+                (NP
+                    (NP (ART~DE la)
+                        (NP (NOU~CS corruzione))
+                        (ADJP (ADVB pressoche') (ADJ~QU generalizzata)))
+                     (, ,)
+                     (NP
+                         (NP
+                             (NP (ART~DE lo) (NOU~CS strapotere))
+                             (PP (PREP della)
+                                 (NP (ART~DE della) (NOU~CS burocrazia) (ADJ~QU locale))))
+                           (CONJ e)
+                           (NP (ART~DE la)
+                               (VP (VMA~PE dilagante)
+                                   (NP (-NONE- *)))
+                                (NP (NOU~CA criminalita'))
+                                (SBAR
+                                    (NP-1333 (PRO~RE che))
+                                    (S
+                                        (NP-SBJ (-NONE- *-1333))
+                                        (PP-TMP (ADVB ormai) (PREP da)
+                                            (NP (NUMR tre) (NOU~CP anni)))
+                                         (VP (VMA~RE costringe)
+                                             (NP-2333 (ART~DE gli)
+                                                 (NP (NOU~CP imprenditori) (ADJ~QU stranieri))
+                                                 (SBAR
+                                                     (NP-2333 (PRO~RE che) (-NONE- *-))
+                                                     (S
+                                                         (NP-SBJ-2633 (-NONE- *-2333))
+                                                         (ADVP (ADVB non))
+                                                         (VP (VMO~RE vogliono)
+                                                             (S
+                                                                 (VP (VMA~IN rischiare)
+                                                                     (NP (ART~DE la) (ADJ~PO propria) (NOU~CA incolumita')))
+                                                                  (NP-SBJ (-NONE- *-2633)))))))
+                                                   (PP (PREP a)
+                                                       (S
+                                                           (VP (VMA~IN girare)
+                                                               (PP-LOC (PREP per)
+                                                                   (NP (ART~DE l') (NOU~PR Albania)))
+                                                                (PP
+                                                                    (PP (PREP con)
+                                                                        (NP (ART~DE la) (NOU~CS scorta)))
+                                                                     (CONJ o)
+                                                                     (PP (PREP con)
+                                                                         (NP (ADVB QUANTO_MENO)
+                                                                             (NP (NOU~CP radiomobili))
+                                                                             (SBAR
+                                                                                 (NP-4333 (PRO~RE che))
+                                                                                 (S
+                                                                                     (NP-SBJ (-NONE- *-4333))
+                                                                                     (NP (PRO~PE li))
+                                                                                     (VP (VMA~CG colleghino)
+                                                                                         (ADVP (ADVB costantemente))
+                                                                                         (PP (PREP con)
+                                                                                             (NP
+                                                                                                 (NP (ART~DE i) (ADJ~PO loro) (NOU~CP referenti))
+                                                                                                 (PP-LOC (PREP a)
+                                                                                                     (NP (NOU~PR Tirana))))))))))))
+                                                                       (NP-SBJ (-NONE- *-2333)))))))))))
+                                            (NP-SBJ (-NONE- *))))
+                                      (. .)) )
+
+
+************** FRASE NEWS-439 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (PRO~ID Molti))
+        (VP (VAU~RE hanno)
+            (VP (VMA~PA rinunciato)
+                (PP (PREP all')
+                    (NP (ART~DE all') (NOU~CS avventura) (ADJ~QU albanese))))))
+        (, ,)
+        (S
+            (VP
+                (VP (VAU~RE hanno)
+                    (VP (VMA~PA chiuso)
+                        (NP
+                            (NP (ART~DE i) (NOU~CP battenti))
+                            (PP (PREP delle)
+                                (NP (ART~DE delle)
+                                    (NP (NOU~CP fabbrichette))
+                                    (SBAR
+                                        (S
+                                            (NP (PRO~RE che))
+                                            (VP (VAU~IM avevano)
+                                                (VP (VMA~PA avviato)
+                                                    (PP (PREP con)
+                                                        (NP (ADJ~IN tanta) (NOU~CS fatica)))))
+                                               (NP-SBJ (-NONE- *-9.1033)))))))))
+                          (CONJ e)
+                          (S
+                              (VP (VAU~RE sono)
+                                  (VP (VMA~PA tornati)
+                                      (PP-LOC (PREP in)
+                                          (NP (NOU~PR Italia)))))
+                                 (NP-SBJ (-NONE- *-9.1033))))
+                           (NP-SBJ-9.1033 (-NONE- *-133)))
+                        (. .)) )
+
+
+************** FRASE NEWS-440 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ
+        (NP-SBJ (PRO~RE-233 chi))
+        (SBAR
+            (S
+                (VP (VAU~RE ha)
+                    (VP (VMA~PA tenuto)
+                        (ADJP (ADJ~QU duro))
+                        (PP-TMP (PREP negli)
+                            (NP (ART~DE negli) (NOU~CP anni) (ADJ~DI scorsi)))))
+                   (NP-SBJ (-NONE- *-4333)))
+                (NP-4333 (-NONE- *-233))))
+          (, ,)
+          (ADVP (ADVB non))
+          (VP (VMA~RE sembra)
+              (ADJP-PRD (ADJ~QU intenzionato)
+                  (PP (PREP ad)
+                      (S
+                          (VP (VMA~IN arrendersi)
+                              (NP (PRO~RI arrendersi))
+                              (PP-LOC (PREP DI_FRONTE_A)
+                                  (NP
+                                      (NP (ART~DE alla) (NOU~CA crisi))
+                                      (PP-TMP (PREP di)
+                                          (NP (ADJ~DE questi) (NOU~CP giorni))))))
+                              (NP-SBJ (-NONE- *-233))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-441 **************
+
+ ( (S
+    (S
+        (PP (PREP Secondo)
+            (NP (NOU~PR Luigi) (NOU~PR Fabri)
+                (, ,)
+                (NP
+                    (NP (NOU~CS presidente))
+                    (PP (PREP del)
+                        (NP
+                            (NP (ART~DE del) (NOU~CS comitato))
+                            (PP (PREP degli)
+                                (NP (ART~DE degli) (NOU~CP imprenditori) (ADJ~QU italiani))))))))
+              (PP-LOC (PREP in)
+                  (NP (NOU~PR Albania)))
+               (NP-SBJ (ART~DE il) (NOU~CS rischio))
+               (VP (VMA~RE fa)
+                   (NP (NOU~CS parte))
+                   (PP (PREP dell')
+                       (NP (ART~DE dell') (NOU~CA attivita') (ADJ~QU imprenditoriale)))))
+              (CONJ e)
+              (S
+                  (VP (VMA~RE credo)
+                      (CONJ che)
+                      (S
+                          (NP-SBJ (ADJ~DE questa) (NOU~CS esperienza))
+                          (VP (VMA~CG sia)
+                              (ADJP-PRD (ADJ~QU interessante))
+                              (, ,)
+                              (PP (PREP malgrado)
+                                  (NP (PRO~ID tutto))))))
+                      (NP-SBJ (-NONE- *)))
+                   (. .)) )
+
+
+************** FRASE NEWS-442 **************
+
+ ( (S
+    (VP (VAU~RE Sono)
+        (VP (VMA~PA calati)
+            (PP-LOC (PREP dagli)
+                (NP (ART~DE dagli) (NOU~CP elicotteri)))
+             (PP (PREP come)
+                 (NP (NOU~CP fulmini)))
+              (NP-EXTPSBJ-733
+                  (NP (NUMR 15))
+                  (NP (ART~DE i) (NOU~CP fucilieri))
+                  (PP (PREP di)
+                      (NP (NOU~CS marina)))
+                   (SBAR
+                       (NP-1333 (PRO~RE che))
+                       (S
+                           (NP-SBJ (-NONE- *-1333))
+                           (PRN
+                               (, ,)
+                               (PP (PREP con)
+                                   (NP-1633 (ART~IN un')
+                                       (NP (NOU~CS operazione))
+                                       (PUNCT -)
+                                       (NP (NOU~CS lampo)) (S+REDUC
+                                           (S
+                                               (S
+                                                   (VP (VMA~PA durata)
+                                                       (ADVP (ADVB solo))
+                                                       (NP-TMP (NUMR 8) (NOU~CP minuti)))
+                                                    (NP-SBJ-19.1033 (-NONE- *-1633))))
+                                              (CONJ e)
+                                              (S
+                                                  (VP (VMA~PA compiuta)
+                                                      (PP-LOC (PREP in)
+                                                          (NP (NOU~CS territorio) (ADJ~QU albanese))))
+                                                    (NP-SBJ (-NONE- *-19.1033))))))
+                                        (, ,))
+                                     (VP (VAU~RE hanno)
+                                         (VP (VMA~PA portato)
+                                             (ADVP-LOC (ADVB IN_SALVO))
+                                             (PP-LOC (PREP dall')
+                                                 (NP
+                                                     (NP (ART~DE dall') (NOU~CS inferno))
+                                                     (PP (PREP di)
+                                                         (NP (NOU~PR Valona)))))
+                                                (NP (NUMR 36) (NOU~CP persone)))))))))
+                           (NP-SBJ (-NONE- *-733))
+                           (. .)) )
+
+
+************** FRASE NEWS-443 **************
+
+ ( (NP
+    (NP (NUMR 21) (NOU~CP italiani))
+    (CONJ e)
+    (NP
+        (NP (NUMR 15))
+        (PP (PREP di)
+            (NP (NOU~CP Paesi) (ADJ~QU amici))))
+      (. .)) )
+
+
+************** FRASE NEWS-444 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS incursione)
+        (PRN
+            (, ,)
+            (VP
+                (VP (VMA~PA approvata)
+                    (PP-TMP (PREP NEL_CORSO_DI)
+                        (NP
+                            (NP (ART~IN un) (ADJ~QU improvviso) (NOU~CA summit))
+                            (PP-LOC (PREP a)
+                                (NP (NOU~PR Palazzo) (NOU~PR Chigi))))))
+                    (NP (-NONE- *))
+                    (, ,)
+                    (CONJ e)
+                    (S
+                        (VP (VMA~PA coperta)
+                            (PP-TMP (PREP fino)
+                                (PP (PREP alla)
+                                    (NP (ART~DE alla)
+                                        (ADJP (ADJ~PO sua)) (NOU~CS realizzazione))))
+                               (PP-LGS (PREP dal)
+                                   (NP (ART~DE dal) (NOU~CS segreto) (ADJ~QU militare))))
+                             (NP-SBJ (-NONE- *-4.1033))))
+                       (, ,)))
+                 (VP (VAU~IM era)
+                     (VP (VMA~PA iniziata)
+                         (PP-TMP (PREP alle)
+                             (NP
+                                 (NP (ART~DE alle) (ADJ~OR prime) (NOU~CP ore))
+                                 (PP (PREP del)
+                                     (NP
+                                         (NP (ART~DE del) (NOU~CS pomeriggio))
+                                         (PP (PREP di) (ADVB ieri))))))
+                             (CONJ quando)
+                             (S
+                                 (NP-SBJ
+                                     (NP (ART~DE la) (NOU~CS nave))
+                                     (PP (PREP della)
+                                         (NP (ART~DE della) (NOU~CS marina) (ADJ~QU militare) (ADJ~QU italiana)))
+                                      (NP (ADJ~QU San) (NOU~PR Giorgio)))
+                                   (VP (VAU~RE ha)
+                                       (VP (VMA~PA lasciato)
+                                           (NP
+                                               (NP (ART~DE il) (NOU~CS porto))
+                                               (PP-LOC (PREP di)
+                                                   (NP (NOU~PR Brindisi))))
+                                             (PP (PREP con)
+                                                 (PP-5033 (PREP a)
+                                                     (NP (NOU~CS bordo)))
+                                                  (NP
+                                                      (NP
+                                                          (NP (ART~IN degli) (NOU~CP elicotteri))
+                                                          (PP (-NONE- *-5033))
+                                                          (PRN
+                                                              (-LRB- -LRB-)
+                                                              (NP
+                                                                  (NP
+                                                                      (ADVP (ADVB non)) (PRO~ID meno))
+                                                                   (CONJ di)
+                                                                   (NP (NUMR sei)))
+                                                                (-RRB- -RRB-)))
+                                                          (CONJ e)
+                                                          (NP
+                                                              (NP (ADJ~IN diversi) (NOU~CP uomini))
+                                                              (PP (PREP del)
+                                                                  (NP (ART~DE del) (NOU~CS reggimento)
+                                                                      (NP
+                                                                          (NP (NOU~CP fucilieri))
+                                                                          (PP (PREP di)
+                                                                              (NP (NOU~CS marina))))
+                                                                        (NP (ADJ~QU San) (NOU~PR Marco))))))))))))
+                                          (. .)) )
+
+
+************** FRASE NEWS-445 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS nave))
+    (VP
+        (VP (VAU~RE ha)
+            (ADVP (ADVB quindi))) (VMA~PA raggiunto)
+         (NP (ART~DE la)
+             (NP (NOU~CS fregata)) (NOU~PR Aliseo)
+             (SBAR
+                 (NP-9333 (PRO~RE che))
+                 (S
+                     (NP-SBJ (-NONE- *-9333))
+                     (NP (PRO~RI si))
+                     (VP (VMA~IM trovava)
+                         (PRN
+                             (, ,)
+                             (PP (PREP per)
+                                 (NP
+                                     (NP (NOU~CP operazioni))
+                                     (PP (PREP di)
+                                         (NP (ADJ~QU normale) (NOU~CS pattugliamento)))))
+                                (, ,))
+                             (PP-LOC (PREP al)
+                                 (NP
+                                     (NP (ART~DE al) (NOU~CS limite))
+                                     (PP (PREP delle)
+                                         (NP (ART~DE delle) (NOU~CP acque) (ADJ~QU territoriali)))))
+                                (PP (PREP con)
+                                    (PP-2533 (PREP a)
+                                        (NP (NOU~CS bordo)))
+                                     (NP
+                                         (NP (ART~IN un) (ADJ~DI altro) (NOU~CS elicottero))
+                                         (PP (-NONE- *-2533)))))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-446 **************
+
+ ( (S
+    (S
+        (CONJ Quando)
+        (S
+            (NP-SBJ (ART~DE le)
+                (NP (NUMR due)) (NOU~CP navi))
+             (VP (VAU~RE hanno)
+                 (VP (VMA~PA raggiunto)
+                     (NP (ART~DE le)
+                         (NP (NOU~CP posizioni))
+                         (VP (VMA~PA prefissate)
+                             (NP (-NONE- *)))))))
+              (, ,)
+              (NP-SBJ-1133
+                  (NP (ART~DE gli) (NOU~CP elicotteri))
+                  (PP (PREP da)
+                      (NP (NOU~CS trasporto)))
+                   (PP (PREP dell')
+                       (NP (ART~DE dell') (NOU~CS esercito))))
+                 (NP (PRO~RI si))
+                 (VP (VAU~RE sono)
+                     (VP (VMA~PA alzati)
+                         (PP (PREP in)
+                             (NP (NOU~CS volo))))))
+                 (CONJ e)
+                 (S
+                     (VP (VAU~RE hanno)
+                         (VP (VMA~PA raggiunto)
+                             (NP
+                                 (NP (ART~DE il) (NOU~CS porto) (ADJ~QU albanese))
+                                 (PP (PREP di)
+                                     (NP (NOU~PR Valona))))
+                               (, ,)
+                               (S
+                                   (VP (VMA~GE prelevando)
+                                       (PRN
+                                           (, ,)
+                                           (PP (PREP con)
+                                               (NP
+                                                   (NP (ART~DE la) (NOU~CS protezione))
+                                                   (PP (PREP degli)
+                                                       (NP
+                                                           (NP (ART~DE degli) (NOU~CP uomini))
+                                                           (PP (PREP del)
+                                                               (NP (ART~DE del) (ADJ~QU San) (NOU~PR Marco)))))))
+                                                (, ,))
+                                             (NP
+                                                 (NP (ART~DE il) (NOU~CS gruppo))
+                                                 (PP (PREP di)
+                                                     (NP
+                                                         (NP (NOU~CP italiani))
+                                                         (CONJ e)
+                                                         (NP (NOU~CP stranieri))))
+                                                   (SBAR
+                                                       (NP-4333 (PRO~RE che))
+                                                       (S
+                                                           (NP-SBJ (-NONE- *-4333))
+                                                           (VP (VAU~IM era)
+                                                               (VP (VAU~PA stato)
+                                                                   (ADVP-TMP (ADVB gia'))
+                                                                   (VP (VMA~PA concentrato))))
+                                                             (PP-LOC (PREP sul)
+                                                                 (NP (ART~DE sul) (NOU~CS luogo)))))))
+                                                  (NP-SBJ (-NONE- *-24.1033)))))
+                                         (NP-SBJ-24.1033 (-NONE- *-1133)))
+                                      (. .)) )
+
+
+************** FRASE NEWS-447 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP-SBJ (NUMR Due) (NOU~PR Tornado))
+            (PP (PREP dell')
+                (NP (ART~DE dell') (NOU~CS aviazione) (ADJ~QU militare) (ADJ~QU italiana))))
+          (VP (VMA~IM sorvegliavano)))
+       (CONJ e)
+       (S
+           (VP (VMA~IM davano)
+               (NP (NOU~CS copertura) (ADJ~QU aerea)))
+            (NP-SBJ (-NONE- *-133)))
+         (. .)) )
+
+
+************** FRASE NEWS-448 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (ADJ~QU intera) (NOU~CS operazione))
+    (PRN
+        (, ,)
+        (PP (PREP in)
+            (NP
+                (NP (ADJ~QU pieno) (NOU~CS accordo))
+                (PP (PREP con)
+                    (NP (ART~DE le) (NOU~CA autorita') (ADJ~QU albanesi)))))
+           (, ,))
+        (VP (VAU~RE e')
+            (VP (VMA~PA durata)
+                (NP-TMP
+                    (NP (ART~IN un) (NOU~CS paio))
+                    (PP (PREP di)
+                        (NP (NOU~CP ore))))))
+            (. .)) )
+
+
+************** FRASE NEWS-449 **************
+
+ ( (S
+    (NP-SBJ (PRDT Tutte) (ART~DE le) (NOU~CP persone))
+    (VP (VAU~RE sono)
+        (VP (VAU~PA state)
+            (ADVP-TMP (ADVB poi))
+            (VP (VMA~PA trasportate))))
+      (PP-LOC (PREP a)
+          (NP (NOU~PR Brindisi)))
+       (. .)) )
+
+
+************** FRASE NEWS-450 **************
+
+ ( (S
+    (CONJ E)
+    (VP (VMO~CO potrebbero)
+        (S
+            (VP (VMA~IN essere)
+                (NP-PRD (NUMR duemila)))
+             (NP-SBJ (-NONE- *-533)))
+          (NP-EXTPSBJ-533 (ART~DE gli)
+              (NP (NOU~CP italiani))
+              (ADJP (ADVB ancora) (ADJ~QU presenti)
+                  (PP (PREP in)
+                      (NP (NOU~PR Albania)))))
+             (PP-TMP (PREP dopo)
+                 (NP
+                     (NP (ART~DE l') (NOU~CS evacuazione))
+                     (PP (PREP di)
+                         (NP (NOU~PR Valona))))))
+             (NP-SBJ (-NONE- *-533))
+             (. .)) )
+
+
+************** FRASE NEWS-451 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS stima))
+    (VP (VMA~RE e')
+        (PP-PRD (PREP dell')
+            (NP
+                (NP (ART~DE dell') (NOU~CA Unita'))
+                (PP (PREP di)
+                    (NP (NOU~CA crisi)))
+                 (PP (PREP della)
+                     (NP (ART~DE della) (NOU~PR Farnesina)))
+                  (SBAR
+                      (NP-1333 (PRO~RE che) (-NONE- *-))
+                      (S
+                          (NP-SBJ-1033 (-NONE- *-1333))
+                          (VP (VMA~RE valuta)
+                              (PP-PRD (PREP in)
+                                  (NP (NUMR 2000)
+                                      (PUNCT -) (NUMR 2500)))
+                                (, ,)
+                                (NP
+                                    (NP (ART~DE il) (NOU~CS numero))
+                                    (PP (PREP dei)
+                                        (NP (ART~DE dei) (ADJ~PO nostri) (NOU~CP connazionali)))
+                                     (SBAR
+                                         (NP-2333 (PRO~RE che))
+                                         (S
+                                             (NP-SBJ (-NONE- *-2333))
+                                             (ADVP (ADVB abitualmente))
+                                             (NP (PRO~RI si))
+                                             (VP (VMA~RE trova)
+                                                 (PP-LOC (PREP nel)
+                                                     (NP
+                                                         (NP (ART~DE nel)
+                                                             (" ") (NOU~CS Paese)
+                                                             (" "))
+                                                          (PP (PREP delle)
+                                                              (NP (ART~DE delle) (NOU~CP Aquile)))))))))
+                                         (, ,)
+                                         (S
+                                             (VP (VMA~GE calcolando)
+                                                 (NP
+                                                     (NP (ADVB anche) (ART~DE i) (ADJ~IN tantissimi) (NOU~CP operatori) (ADJ~QU economici))
+                                                     (PP (PREP delle)
+                                                         (NP (ART~DE delle)
+                                                             (NP
+                                                                 (NP (NUMR 500)) (NOU~CP imprese))
+                                                              (CONJ e)
+                                                              (NP
+                                                                  (NP (NOU~CA joint-venture) (ADJ~QU italiane))
+                                                                  (SBAR
+                                                                      (NP-4333 (PRO~RE che))
+                                                                      (S
+                                                                          (NP-SBJ (-NONE- *-4333))
+                                                                          (VP (VMA~RE fanno)
+                                                                              (NP (ART~DE la) (NOU~CS spola))
+                                                                              (PP (PREP con)
+                                                                                  (NP (ART~DE l') (NOU~PR Italia)))))))))))
+                                                       (NP-SBJ (-NONE- *-1033)))))))))
+                                  (. .)) )
+
+
+************** FRASE NEWS-452 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE I) (NOU~CP connazionali))
+    (VP (VMA~RE sono)
+        (NP-PRD
+            (ADVP (ADVB quasi)) (PRO~ID tutti))
+         (ADJP-PRD (ADJ~QU concentrati)
+             (PP-LOC (PREP a)
+                 (NP (NOU~PR Tirana)
+                     (, ,)
+                     (NP (NOU~PR Scutari)
+                         (CONJ e)
+                         (NP (NOU~PR Durazzo)
+                             (PRN
+                                 (, ,)
+                                 (SBAR
+                                     (S
+                                         (NP-1433 (PRO~LO dove))
+                                         (NP (PRO~RI si))
+                                         (VP (VMA~RE ritiene)
+                                             (S
+                                                 (ADVP (ADVB non))
+                                                 (VP (VMA~CG corrano)
+                                                     (NP-18.1133 (-NONE- *-1433))
+                                                     (NP (ADJ~QU particolari) (NOU~CP rischi))
+                                                     (NP-LOC (-NONE- *-18.1133)))
+                                                  (NP-SBJ (-NONE- *-133))))))
+                                      (, ,)))))))
+                    (ADVP (ADVB anche))
+                    (CONJ se)
+                    (S
+                        (VP (VMA~RE resta)
+                            (ADJP-PRD (ADJ~QU valido))
+                            (NP-EXTPSBJ-2633
+                                (NP (ART~DE l') (NOU~CS invito))
+                                (PP (PREP della)
+                                    (NP (ART~DE della) (NOU~PR Farnesina)))
+                                 (PP (PREP a)
+                                     (S
+                                         (ADVP (ADVB non))
+                                         (VP (VMA~IN recarsi)
+                                             (NP (PRO~RI recarsi))
+                                             (PP-LOC (PREP in)
+                                                 (NP (NOU~PR Albania))))
+                                           (NP-SBJ (-NONE- *))))))
+                               (NP-SBJ (-NONE- *-2633))))
+                         (. .)) )
+
+
+************** FRASE NEWS-453 **************
+
+ ( (S
+    (CONJ E)
+    (PP (PREP DI_FRONTE_A)
+        (NP (ART~DE al)
+            (S
+                (VP (VMA~IN deteriorarsi)
+                    (NP (PRO~RI deteriorarsi))
+                    (PP-SBJ (PREP della)
+                        (NP (ART~DE della) (NOU~CS situazione)))
+                     (PP-LOC (PREP in)
+                         (NP (NOU~PR Albania)))))))
+          (, ,)
+          (NP (PRO~RI si))
+          (VP (VMA~RE apprende)
+              (CONJ che)
+              (S
+                  (NP-SBJ-1433 (ART~DE la) (NOU~PR Farnesina))
+                  (VP (VAU~RE e')
+                      (VP (VMA~PA tornata)
+                          (ADVP-TMP (ADVB ieri))
+                          (PP (PREP a)
+                              (S
+                                  (VP (VMA~IN ribadire)
+                                      (PP (PREP al)
+                                          (NP (ART~DE al)
+                                              (ADVP (ADVB neo))
+                                              (VP (VMA~PA eletto)
+                                                  (NP (-NONE- *)))
+                                               (NP (NOU~CS presidente))
+                                               (NP (NOU~PR Sali) (NOU~PR Berisha))))
+                                         (NP
+                                             (NP (ART~DE l') (NOU~CS importanza))
+                                             (PP (PREP della)
+                                                 (NP
+                                                     (NP (ART~DE della) (NOU~CS costituzione))
+                                                     (PRN
+                                                         (, ,)
+                                                         (PP-TMP (PREP in)
+                                                             (NP (NOU~CP tempi) (ADJ~QU brevi)))
+                                                          (, ,))
+                                                       (PP (PREP di)
+                                                           (NP (ART~IN un)
+                                                               (NP (NOU~CS Governo))
+                                                               (ADJP (ADVB ampiamente) (ADJ~QU rappresentativo)
+                                                                   (PP (PREP delle)
+                                                                       (NP (ART~DE delle) (NOU~CP forze) (ADJ~QU politiche) (ADJ~QU albanesi))))))))))
+                                               (NP-SBJ (-NONE- *-1433))))))))
+                             (. .)) )
+
+
+************** FRASE NEWS-454 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS Governo))
+        (PP (PREP di)
+            (NP (ADVB IN_SOSTANZA)
+                (NP (NOU~CA unita') (ADJ~QU nazionale)))))
+       (. .)) )
+
+
+************** FRASE NEWS-455 **************
+
+ ( (S
+    (NP-SBJ (PRO~RI Si))
+    (VP (VMA~RE ritiene)
+        (CONJ che)
+        (S
+            (PRN
+                (, ,)
+                (PP (PREP nel)
+                    (NP
+                        (NP (ART~DE nel) (ADJ~QU pieno) (NOU~CS rispetto))
+                        (PP (PREP dei)
+                            (NP (ART~DE dei) (NOU~CP principi) (ADJ~QU democratici)))))
+                   (, ,))
+                (NP-SBJ-1233 (ART~DE il) (ADJ~QU nuovo) (NOU~CS Governo))
+                (VP (VMO~CG debba)
+                    (PP (PREP come)
+                        (NP (ADJ~OR primo) (NOU~CS atto)))
+                     (S
+                         (VP (VMA~IN elaborare)
+                             (NP
+                                 (NP (ART~IN una) (NOU~CS piattaforma) (ADJ~QU congiunta))
+                                 (PP (PREP d')
+                                     (NP (NOU~CS emergenza))))
+                               (, ,)
+                               (PP
+                                   (PP
+                                       (CONJ sia) (PREP per)
+                                       (NP-2833
+                                           (NP (PRO~RE quanto))
+                                           (SBAR
+                                               (S
+                                                   (VP (VMA~RE riguarda)
+                                                       (NP
+                                                           (NP (ART~DE la) (NOU~CS situazione))
+                                                           (PP (PREP dell')
+                                                               (NP (ART~DE dell') (NOU~CS ordine) (ADJ~QU pubblico)))
+                                                            (PP-LOC (PREP nel)
+                                                                (NP (ART~DE nel) (NOU~CS Paese)))))
+                                                       (NP-SBJ (-NONE- *-2833))))))
+                                           (CONJ sia)
+                                           (PP (PREP per)
+                                               (NP (ART~DE la)
+                                                   (NP (NOU~CA crisi) (ADJ~QU finanziaria))
+                                                   (VP (VMA~PA legata)
+                                                       (NP (-NONE- *))
+                                                       (PP (PREP al)
+                                                           (NP
+                                                               (NP (ART~DE al) (NOU~CS fallimento))
+                                                               (PP (PREP delle)
+                                                                   (NP (ART~DE delle)
+                                                                       (' ') (NOU~CP piramidi)
+                                                                       (' ') (ADJ~QU finanziarie))))))))))))
+                                      (NP-SBJ (-NONE- *-1233))))
+                                (. .)) )
+
+
+************** FRASE NEWS-456 **************
+
+ ( (S
+    (VP (VMA~RE Appare)
+        (ADJP-PRD (ADJ~QU opportuno))
+        (PRN
+            (, ,)
+            (PP (PREP secondo)
+                (NP (ART~DE la) (NOU~PR Farnesina)))
+             (, ,))
+          (CONJ che)
+          (S
+              (PP (PREP sul)
+                  (NP
+                      (NP (ART~DE sul) (NOU~CS piano))
+                      (PP (PREP dell')
+                          (NP (ART~DE dell') (NOU~CS ordine) (ADJ~QU pubblico)))))
+                 (PRN
+                     (, ,)
+                     (PP-TMP (PREP in)
+                         (NP (ADJ~DE questo)
+                             (NP (NOU~CS momento))
+                             (ADJP (ADVB molto) (ADJ~QU delicato))))
+                       (, ,))
+                    (NP-SBJ (ART~DE il) (ADJ~QU nuovo) (NOU~CS esecutivo))
+                    (VP (VMA~CG proceda)
+                        (PP (PREP attraverso)
+                            (NP
+                                (NP (ART~IN una) (NOU~CS gestione))
+                                (ADJP (ADJ~QU congiunta)
+                                    (PRN
+                                        (, ,)
+                                        (NP
+                                            (NP (NOU~CS Governo))
+                                            (CONJ e)
+                                            (NP (NOU~CS opposizione)))
+                                         (, ,)))
+                                   (PP (PREP della)
+                                       (NP (ART~DE della) (NOU~CS situazione)))))
+                              (CONJ IN_MODO_DA)
+                              (S
+                                  (VP (VMA~IN isolare)
+                                      (NP (ART~DE gli) (NOU~CP estremisti)))
+                                   (NP-SBJ (-NONE- *))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-457 **************
+
+ ( (S
+    (PP (PREP Sul)
+        (NP
+            (NP (ART~DE Sul) (NOU~CS piano))
+            (PP (PREP della)
+                (NP (ART~DE della) (NOU~CA crisi) (ADJ~QU finanziaria)))))
+       (NP (PRO~PE ci))
+       (NP (PRO~RI si))
+       (VP (VMA~RE attende)
+           (CONJ che)
+           (S
+               (VP
+                   (VP (VAU~CG venga)
+                       (ADVP (ADVB concretamente))) (VMA~PA formalizzato)
+                    (PP-LGS (PREP DA_PARTE_DI)
+                        (NP (ART~DE delle) (NOU~CA autorita') (ADJ~QU albanesi)))
+                     (, ,)
+                     (NP-EXTPSBJ-1933
+                         (NP (ART~DE l') (NOU~CS invito))
+                         (PP
+                             (PP (PREP alle)
+                                 (NP (ART~DE alle) (NOU~CP istituzioni) (ADJ~QU finanziarie) (ADJ~QU internazionali)))
+                              (CONJ e)
+                              (PP (PREP alla)
+                                  (NP (ART~DE alla) (NOU~CS Commissione) (ADJ~QU europea))))
+                            (PP (PREP per)
+                                (NP
+                                    (NP (ART~DE la) (NOU~CS MESSA_IN_OPERA))
+                                    (PP (PREP di)
+                                        (NP
+                                            (NP (ART~IN un) (NOU~CS piano) (ADJ~QU tecnico))
+                                            (PP-TMP (PREP a)
+                                                (NP
+                                                    (ADJP
+                                                        (ADJP (ADJ~QU breve))
+                                                        (CONJ e)
+                                                        (ADJP (ADJ~QU medio)))
+                                                     (NP (NOU~CS termine))))
+                                               (SBAR
+                                                   (NP-4333 (PRO~RE che))
+                                                   (S
+                                                       (NP-SBJ (-NONE- *-4333))
+                                                       (VP (VMA~RE porti)
+                                                           (PP-LOC (PREP ad)
+                                                               (NP
+                                                                   (NP (ART~IN un) (NOU~CS risanamento) (ADJ~QU finanziario) (ADJ~QU globale))
+                                                                   (PP (PREP del)
+                                                                       (NP (ART~DE del) (NOU~CS Paese))))))))))))))
+                                   (NP-SBJ (-NONE- *-1933))))
+                             (. .)) )
+
+
+************** FRASE NEWS-458 **************
+
+ ( (S
+    (ADVP (ADVB Inoltre))
+    (PP (PREP A_SEGUITO_DI)
+        (NP (ART~DE dei)
+            (NP (NOU~CP contatti))
+            (ADVP-TMP (ADVB gia'))
+            (VP (VMA~PA avviati)
+                (NP (-NONE- *))
+                (NP-TMP (NOU~CS domenica)))))
+       (, ,)
+       (NP-SBJ (ART~DE il) (NOU~CS ministro)
+           (NP (NOU~PR Lamberto) (NOU~PR Dini)))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA fatto)
+                (S
+                    (VP (VMA~IN pervenire)
+                        (NP-1733 (ART~IN un) (NOU~CS messaggio))
+                        (PP (PREP al)
+                            (NP
+                                (NP (ART~DE al) (NOU~CS presidente))
+                                (PP (PREP della)
+                                    (NP (ART~DE della) (NOU~CS Commissione) (NOU~PR Europea)))
+                                 (NP (NOU~PR Jacques) (NOU~PR Santer)))))
+                        (NP-SBJ (-NONE- *-1733)))
+                     (, ,)
+                     (PP (PREP IN_MERITO_A)
+                         (NP (ART~DE al)
+                             (NP (NOU~CS ruolo))
+                             (SBAR
+                                 (S
+                                     (NP-3133 (PRO~RE che))
+                                     (NP-SBJ-3233 (ART~DE l') (NOU~PR Ue))
+                                     (VP (VMO~RE puo')
+                                         (S
+                                             (VP (VMA~IN svolgere)
+                                                 (NP (-NONE- *-3133))
+                                                 (PP (PREP nell')
+                                                     (NP (ART~DE nell')
+                                                         (S
+                                                             (VP (VMA~IN attivare)
+                                                                 (NP (ART~DE gli)
+                                                                     (NP (NOU~CP strumenti))
+                                                                     (ADJP (ADJ~QU necessari)
+                                                                         (PP (PREP per)
+                                                                             (S
+                                                                                 (VP (VMA~IN far)
+                                                                                     (NP (NOU~CS fronte))
+                                                                                     (PP (PREP alla)
+                                                                                         (NP (ART~DE alla) (NOU~CS situazione))))
+                                                                                   (NP-SBJ (-NONE- *-37.1033)))))))
+                                                                    (NP-SBJ-37.1033 (-NONE- *-35.1033))))))
+                                                        (NP-SBJ-35.1033 (-NONE- *-3233))))))))))
+                                (. .)) )
+
+
+************** FRASE NEWS-459 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Un) (ADJ~DI altro) (NOU~CS messaggio))
+    (VP (VAU~RE e')
+        (VP (VAU~PA stato)
+            (VP (VMA~PA inviato))))
+      (PP (PREP al)
+          (NP
+              (NP (ART~DE al) (NOU~CS presidente))
+              (PP (PREP del)
+                  (NP
+                      (NP (ART~DE del) (NOU~CS Consiglio))
+                      (PP (PREP dell')
+                          (NP (ART~DE dell') (NOU~CS Unione)))))
+                 (PRN
+                     (, ,)
+                     (NP (NOU~PR Hans)
+                         (NP (NOU~PR Van) (NOU~PR Mierlo)))
+                      (, ,))))
+             (PP (PREP per)
+                 (S
+                     (VP (VMA~IN sollecitare)
+                         (NP
+                             (NP (ART~DE la) (NOU~CS convocazione) (ADJ~OR straordinaria))
+                             (PP (PREP del)
+                                 (NP (ART~DE del)
+                                     (NP (NOU~CS Comitato) (ADJ~QU politico))
+                                     (, ,)
+                                     (SBAR
+                                         (NP-2333 (PRO~RE che))
+                                         (S
+                                             (NP-SBJ (-NONE- *-2333))
+                                             (VP (VMA~CO avrebbe)
+                                                 (NP (NOU~CS luogo))
+                                                 (ADVP-TMP (ADVB domani))
+                                                 (PP-LOC (PREP a)
+                                                     (NP (NOU~PR Bruxelles))))))))))
+                             (NP-SBJ (-NONE- *-6.1033))))
+                       (. .)) )
+
+
+************** FRASE NEWS-460 **************
+
+ ( (S
+    (ADVP (ADVB Inoltre))
+    (VP (VAU~RE sono)
+        (VP (VAU~PA state)
+            (VP (VMA~PA inviate))))
+      (NP-SBJ (-NONE- *-533))
+      (NP-EXTPSBJ-533 (NOU~CP istruzioni))
+      (PP (PREP alla)
+          (NP
+              (NP (ART~DE alla) (ADJ~PO nostra) (NOU~CS ambasciata))
+              (PP-LOC (PREP a)
+                  (NP (NOU~PR Washington)))))
+         (PP (PREP per)
+             (NP
+                 (NP (ART~DE i) (NOU~CP contatti))
+                 (PP
+                     (PP (PREP con)
+                         (NP
+                             (NP (ART~DE il) (NOU~CS Dipartimento))
+                             (PP (PREP di)
+                                 (NP (NOU~CS Stato))) (NOU~PR Usa)
+                              (PRN
+                                  (, ,)
+                                  (SBAR
+                                      (S
+                                          (PP (PREP con)
+                                              (NP (PRO~RE cui)))
+                                           (VP (VAU~RE e')
+                                               (VP (VAU~PA stato)
+                                                   (VP (VMA~PA rafforzato))))
+                                             (NP-SBJ (-NONE- *-2633))
+                                             (NP-EXTPSBJ-2633
+                                                 (NP (ART~DE il) (NOU~CS coordinamento))
+                                                 (PP (PREP in)
+                                                     (NP (ADVB gia')
+                                                         (NP (NOU~CS atto))
+                                                         (PP-TMP (PREP da)
+                                                             (NP (NOU~CP mesi))))))))
+                                           (, ,))))
+                                  (CONJ e)
+                                  (PP (PREP con)
+                                      (NP (ART~DE le) (NOU~CP istituzioni) (ADJ~QU finanziarie) (ADJ~QU internazionali)
+                                          (PRN
+                                              (-LRB- -LRB-)
+                                              (NP
+                                                  (NP (NOU~PR Fondo) (ADJ~QU monetario) (ADJ~QU internazionale))
+                                                  (CONJ e)
+                                                  (NP
+                                                      (NP (NOU~PR Banca) (ADJ~QU mondiale))
+                                                      (, ,)
+                                                      (SBAR
+                                                          (NP-5333 (ART~DE il)
+                                                              (NP (PRO~RE cui))
+                                                              (NP (NOU~CS direttore) (ADJ~QU esecutivo))
+                                                              (ADJP (ADJ~QU competente)
+                                                                  (PP (ADVB anche) (PREP per)
+                                                                      (NP (ART~DE l') (NOU~PR Albania))))
+                                                                (PRN
+                                                                    (, ,)
+                                                                    (NP (NOU~PR Passacantando))
+                                                                    (, ,)))
+                                                              (S
+                                                                  (NP-SBJ (-NONE- *-5333))
+                                                                  (NP (PRO~RI si))
+                                                                  (VP (VAU~RE e')
+                                                                      (VP (VMA~PA recato)
+                                                                          (PP-TMP (PREP nei)
+                                                                              (NP (ART~DE nei) (NOU~CP giorni) (ADJ~DI scorsi)))
+                                                                           (PP-LOC (PREP a)
+                                                                               (NP (ADVB proprio) (NOU~PR Tirana)))))))))
+                                                          (-RRB- -RRB-)))))))
+                                        (. .)) )
+
+
+************** FRASE NEWS-461 **************
+
+ ( (S
+    (PP (PREP Con)
+        (NP
+            (NP (ART~IN una) (NOU~CS lettera))
+            (PP (PREP al)
+                (NP
+                    (NP (ART~DE al) (NOU~CS presidente))
+                    (PP (PREP di)
+                        (NP (NOU~CS turno)))
+                     (PP (PREP dell')
+                         (NP (ART~DE dell') (NOU~PR Osce)
+                             (PRN
+                                 (-LRB- -LRB-)
+                                 (NP
+                                     (NP (NOU~CS Organizzazione))
+                                     (PP (PREP per)
+                                         (NP
+                                             (NP (ART~DE la) (NOU~CS sicurezza))
+                                             (CONJ e)
+                                             (NP
+                                                 (NP (ART~DE la) (NOU~CS cooperazione))
+                                                 (PP-LOC (PREP in)
+                                                     (NP (NOU~PR Europa)))))))
+                                      (-RRB- -RRB-))))
+                             (PRN
+                                 (, ,)
+                                 (NP
+                                     (NP (ART~DE il) (NOU~CS ministro) (ADJ~QU danese))
+                                     (PP (PREP degli)
+                                         (NP (ART~DE degli) (NOU~CP Esteri)))
+                                      (NP (NOU~PR Niels)
+                                          (NP (NOU~PR Helveg) (NOU~PR Petersen))))
+                                    (, ,))))))
+                     (NP-SBJ (NOU~PR Dini))
+                     (VP (VAU~RE ha)
+                         (VP (VMA~PA ricordato)
+                             (CONJ come)
+                             (S
+                                 (NP-SBJ-3533 (ART~DE l') (NOU~PR Osce))
+                                 (VP (VMA~CG abbia)
+                                     (NP-3833
+                                         (NP (ART~IN un) (NOU~CS ruolo))
+                                         (PP (PREP da)
+                                             (S
+                                                 (VP (VMA~IN svolgere)
+                                                     (NP (-NONE- *-3833))
+                                                     (PP-LOC (PREP in)
+                                                         (NP (NOU~PR Albania)))
+                                                      (, ,)
+                                                      (PP (ADVB soprattutto) (PREP sul)
+                                                          (NP
+                                                              (NP (ART~DE sul) (NOU~CS piano))
+                                                              (PP (PREP del)
+                                                                  (NP
+                                                                      (NP (ART~DE del) (NOU~CS rafforzamento))
+                                                                      (PP (PREP della)
+                                                                          (NP (ART~DE della) (NOU~CS democrazia))))))))
+                                                        (NP-SBJ (-NONE- *-3533)))))))))
+                                   (. .)) )
+
+
+************** FRASE NEWS-462 **************
+
+ ( (S
+    (NP-SBJ-133 (NOU~PR Roma))
+    (ADVP (ADVB infine))
+    (VP (VMA~RE intende)
+        (S
+            (VP (VMA~IN confermare)
+                (NP
+                    (NP (ART~DE il) (NOU~CS sostegno))
+                    (PP (PREP a)
+                        (NP (NOU~PR Tirana))))
+                  (PP (PREP con)
+                      (NP (ART~IN un) (ADJ~QU maxi)
+                          (PUNCT -) (NOU~CS impegno)))
+                    (CONJ NON_APPENA)
+                    (S
+                        (S
+                            (NP-SBJ-1633 (ART~DE il) (ADJ~QU nuovo) (NOU~CS esecutivo))
+                            (NP (PRO~RI si))
+                            (VP (VAU~FU sara')
+                                (VP (VMA~PA insediato))))
+                          (CONJ e)
+                          (S
+                              (VP (VAU~FU avra')
+                                  (VP (VMA~PA dimostrato)
+                                      (PP (PREP di)
+                                          (S
+                                              (VP (VMO~IN voler)
+                                                  (S
+                                                      (VP (VMA~IN collaborare)
+                                                          (PP
+                                                              (PP (PREP con)
+                                                                  (NP (ART~DE la) (NOU~CS Commissione) (ADJ~QU europea)))
+                                                               (CONJ e)
+                                                               (PP (PREP con)
+                                                                   (NP (ART~DE le) (NOU~CP istituzioni) (ADJ~QU finanziarie) (ADJ~QU internazionali)))))
+                                                          (NP-SBJ (-NONE- *-26.1033))))
+                                                    (NP-SBJ-26.1033 (-NONE- *-24.1033))))))
+                                        (NP-SBJ-24.1033 (-NONE- *-1633)))))
+                               (NP-SBJ (-NONE- *-133))))
+                         (. .)) )
+
+
+************** FRASE NEWS-463 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (NOU~CS segnale) (ADJ~QU importante))
+        (PP (PREP di)
+            (NP (NOU~CA disponibilita')))
+         (SBAR
+             (S
+                 (NP-633 (PRO~RE che))
+                 (NP-SBJ-733 (NOU~PR Tirana))
+                 (VP (VMO~FU dovra')
+                     (S
+                         (VP (VMA~IN dare)
+                             (NP (-NONE- *-633))
+                             (ADVP-TMP (ADVB IN_TUTTA_FRETTA)))
+                          (NP-SBJ (-NONE- *-733)))))))
+           (. .)) )
+
+
+************** FRASE NEWS-464 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE I) (NOU~CP fanti))
+        (PP (PREP di)
+            (NP (NOU~CS marina)))
+         (PP (PREP del)
+             (NP (ART~DE del) (NOU~CS battaglione)
+                 (NP (ADJ~QU San) (NOU~PR Marco)))))
+        (VP (VAU~RE hanno)
+            (VP (VMA~PA condotto)
+                (ADVP (ADVB felicemente))
+                (PP (PREP a)
+                    (NP (NOU~CS termine)))
+                 (NP
+                     (NP (PRO~DE quella))
+                     (SBAR
+                         (S
+                             (NP (PRO~RE che))
+                             (NP-SBJ (ART~DE i) (NOU~CP militari))
+                             (VP (VMA~RE definiscono)
+                                 (NP-PRD
+                                     (NP (ART~IN una) (NOU~CS operazione))
+                                     (PP (PREP di)
+                                         (NP
+                                             (' ') (NOU~CS esfiltrazione)
+                                             (' '))))))))))
+                  (. .)) )
+
+
+************** FRASE NEWS-465 **************
+
+ ( (S
+    (S
+        (VP (VMA~GE Servendosi)
+            (NP (PRO~RI Servendosi))
+            (PP (PREP di)
+                (NP (ADJ~IN alcuni) (NOU~CP elicotteri))))
+          (NP-SBJ (-NONE- *-533)))
+       (NP-SBJ-533 (ART~DE i) (ADJ~PO nostri) (NOU~CP militari))
+       (VP (VAU~RE hanno)
+           (VP (VMA~PA portato)
+               (ADVP-LOC (ADVB via))
+               (PP-LOC (PREP dal)
+                   (NP (ART~DE dal) (NOU~CS territorio) (ADJ~QU albanese)))
+                (NP
+                    (NP (ART~IN una) (NOU~CS trentina))
+                    (PP (PREP di)
+                        (NP
+                            (NP (NOU~CP cittadini))
+                            (ADJP
+                                (ADJP (ADJ~QU italiani))
+                                (CONJ e)
+                                (PP (PREP di)
+                                    (NP (ADJ~DI altri) (NOU~CP Paesi))))
+                              (SBAR
+                                  (NP-2333 (PRO~RE che))
+                                  (S
+                                      (NP-SBJ (-NONE- *-2333))
+                                      (NP (PRO~RI si))
+                                      (VP (VMA~IM trovavano)
+                                          (PP-LOC (PREP in)
+                                              (NP
+                                                  (NP (ADJ~QU grave) (NOU~CS pericolo))
+                                                  (PP (PREP di)
+                                                      (NP (NOU~CS vita)))))
+                                             (PP (PREP A_CAUSA_DI)
+                                                 (NP (ART~DE della)
+                                                     (NP (NOU~CS situazione) (ADJ~QU interna))
+                                                     (, ,)
+                                                     (ADJP
+                                                         (ADVP (ADVB sempre) (ADVB piu')) (ADJ~QU violenta))))))))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-466 **************
+
+ ( (S
+    (PP-LOC (PREP In)
+        (NP (NOU~CS pratica)))
+     (NP (PRO~RI si))
+     (VP (VAU~RE e')
+         (VP (VMA~PA trattato)
+             (PP (PREP di)
+                 (NP (ART~IN un)
+                     (PUNCT -)
+                     (NP (ADJ~QU mini) (NOU~CS intervento) (ADJ~QU militare))
+                     (PRN
+                         (, ,)
+                         (ADJP
+                             (ADJP (ADJ~QU puntuale))
+                             (CONJ e)
+                             (ADJP (ADJ~QU rapido)))
+                          (, ,))
+                       (VP (VMA~PA svolto)
+                           (NP (-NONE- *))
+                           (PP
+                               (PP (PREP con)
+                                   (NP
+                                       (NP (ART~DE il) (ADJ~QU minimo) (ADJ~QU possibile) (NOU~CS uso))
+                                       (PP (PREP della)
+                                           (NP (ART~DE della) (NOU~CS forza)))))
+                                  (CONJ e)
+                                  (PP (PREP a)
+                                      (NP
+                                          (NP (NOU~CS scopo))
+                                          (ADJP
+                                              (ADJP (ADVB chiaramente) (ADJ~QU umanitario))
+                                              (CONJ e)
+                                              (PP (PREP di)
+                                                  (NP (NOU~CS protezione))
+                                                  (PP (PREP di) (ADJ~PO nostri) (NOU~CP connazionali))))))))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-467 **************
+
+ ( (S
+    (PP (PREP Da)
+        (NP (PRO~DE questo))
+        (PP (PREP a)
+            (NP
+                (NP (ART~IN un) (NOU~CS intervento))
+                (PP (PREP di)
+                    (NP
+                        (ADJP
+                            (ADJP (ADJ~QU vera))
+                            (CONJ e)
+                            (ADJP (ADJ~QU propria)))
+                         (NP (NOU~CS pacificazione)))))))
+          (PRN
+              (, ,)
+              (CONJ come)
+              (S
+                  (PP-LOC (PREP da)
+                      (NP (ADJ~IN piu') (NOU~CP parti)))
+                   (NP (PRO~RI si))
+                   (VP (VAU~RE va)
+                       (VP (VMA~GE chiedendo))))
+                 (, ,))
+              (NP-LOC (PRO~LO c'))
+              (VP (VMA~RE e')
+                  (NP-EXTPSBJ-2233 (ART~IN una) (ADJ~QU grandissima) (NOU~CS differenza)))
+               (NP-SBJ (-NONE- *-2233))
+               (. .)) )
+
+
+************** FRASE NEWS-468 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS salvezza))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (ADJ~PO propri) (NOU~CP cittadini)))
+         (PP (PREP da)
+             (NP
+                 (NP (NOU~CP situazioni))
+                 (SBAR
+                     (S
+                         (PP-LOC (PREP in)
+                             (NP (PRO~RE cui)))
+                          (ADVP-TMP (ADVB ormai))
+                          (ADVP (ADVB non))
+                          (NP-LOC (PRO~LO vi))
+                          (VP (VMA~RE e')
+                              (NP-EXTPSBJ-1433 (-NONE- *-)
+                                  (NP-1433
+                                      (NP (ADJ~IN alcuna) (NOU~CS garanzia)) (-NONE- *-)
+                                      (PP (PREP di)
+                                          (NP (NOU~CS sicurezza))))
+                                    (CONJ e)
+                                    (NP (ADJ~IN alcun) (NOU~CS controllo)
+                                        (PP-LGS (PREP DA_PARTE_DI)
+                                            (NP (NOU~CA autorita') (ADJ~QU responsabili))))))
+                                (NP-SBJ (-NONE- *-1433)))))))
+                 (VP (VMA~RE rientra)
+                     (PP (PREP tra)
+                         (NP (ART~DE i) (NOU~CP diritti)
+                             (PUNCT -)
+                             (NP
+                                 (NP (NOU~CP doveri))
+                                 (PP (PREP di)
+                                     (NP (ADJ~IN ogni) (NOU~CS Paese)))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-469 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~IN Una) (NOU~CS operazione))
+        (PP (PREP di)
+            (NP (NOU~CA peace-keeping))))
+      (ADVP (ADVB invece))
+      (VP (VMA~RE ha)
+          (NP (NOU~CS bisogno))
+          (PP
+              (PP (PREP dell')
+                  (NP
+                      (NP (ART~DE dell') (NOU~CS autorizzazione))
+                      (PP (PREP di)
+                          (NP (ART~IN una) (ADJ~QU superiore) (NOU~CA autorita') (ADJ~QU internazionale)))))
+                 (, ,)
+                 (CONJ o)
+                 (PP (PREP della)
+                     (NP
+                         (NP (ART~DE della) (ADJ~QU esplicita) (NOU~CS richiesta))
+                         (PP (PREP del)
+                             (NP
+                                 (NP (ART~DE del) (NOU~CS Paese))
+                                 (PP (PREP in)
+                                     (NP (NOU~CA crisi)))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-470 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ADJ~DE Queste) (NOU~CP condizioni))
+        (ADVP (ADVB non))
+        (VP (VMA~RE sono)
+            (ADVP-TMP (ADVB ancora))
+            (ADJP-PRD (ADJ~QU presenti))))
+      (, ,)
+      (CONJ ma)
+      (S
+          (NP-SBJ-933 (ART~DE la) (NOU~CS situazione))
+          (VP (VMO~CO potrebbe)
+              (ADVP (ADVB rapidamente))
+              (S
+                  (VP (VMA~IN evolvere))
+                  (NP-SBJ (-NONE- *-933)))))
+         (. .)) )
+
+
+************** FRASE NEWS-471 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Albania))
+    (VP (VMA~RE ha)
+        (PP (PREP con)
+            (NP (ART~DE la) (NOU~CA comunita') (ADJ~QU internazionale)))
+         (NP (ART~IN un) (NOU~CS rapporto) (ADJ~QU difficile)
+             (, ,)
+             (NP
+                 (NP (NOU~CA eredita'))
+                 (PP
+                     (PP (PREP di)
+                         (NP
+                             (NP (NOU~CP anni))
+                             (PP (PREP di)
+                                 (NP (NOU~CS comunismo)))))
+                        (CONJ e)
+                        (PP (PREP di)
+                            (NP
+                                (NP (ADJ~DE quella) (ADJ~QU particolare) (NOU~CS politica))
+                                (PP (PREP di)
+                                    (NP
+                                        (NP (NOU~CS isolamento))
+                                        (PP-LOC (PREP dall')
+                                            (NP (ART~DE dall') (NOU~CS estero)))))
+                                   (VP (VMA~PA seguita)
+                                       (NP (-NONE- *))
+                                       (PP-TMP (PREP per)
+                                           (NP (NOU~CP decenni)))
+                                        (PP-LGS (PREP dal)
+                                            (NP
+                                                (NP (ART~DE dal) (NOU~CS regime))
+                                                (PP (PREP di)
+                                                    (NP (NOU~PR Enver) (NOU~PR Hoxha))))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-472 **************
+
+ ( (S
+    (S
+        (S
+            (NP-SBJ-133
+                (NP (ART~DE Il) (NOU~CS processo))
+                (PP (PREP di)
+                    (NP (NOU~CS democratizzazione))))
+              (VP (VAU~RE e')
+                  (VP (VMA~PA stato)
+                      (ADJP-PRD (ADJ~QU lento)))))
+             (, ,)
+             (S
+                 (VP (-NONE- *)
+                     (VP (VMA~PA reso)
+                         (ADVP-TMP (ADVB ora))
+                         (ADJP-PRD (ADVB piu') (ADJ~QU difficile))
+                         (PP-LGS (PREP dalla)
+                             (NP
+                                 (NP (ART~DE dalla) (ADJ~QU grave) (NOU~CS situazione))
+                                 (PP (PREP di)
+                                     (NP
+                                         (NP (NOU~CA crisi) (ADJ~QU economica))
+                                         (CONJ e)
+                                         (NP (NOU~CA caos) (ADJ~QU finanziario))))))))
+                       (NP-SBJ (-NONE- *-133))))
+                 (CONJ ed)
+                 (S
+                     (VP (VMA~RE e')
+                         (ADVP-TMP (ADVB ancora))
+                         (ADJP-PRD (ADJ~QU incompleto)))
+                      (NP-SBJ (-NONE- *-133)))
+                   (. .)) )
+
+
+************** FRASE NEWS-473 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS governo) (ADJ~QU attuale))
+        (PP (PREP di)
+            (NP (NOU~PR Sali) (NOU~PR Berisha)))
+         (, ,)
+         (ADJP
+             (ADVP (ADVB pur) (ADVB largamente)) (ADJ~QU dipendente)
+             (PP
+                 (PP (PREP dall')
+                     (NP (ART~DE dall') (NOU~CS assistenza) (ADJ~QU internazionale)))
+                  (PRN
+                      (-LRB- -LRB-)
+                      (CONJ e)
+                      (PP (PREP da)
+                          (NP
+                              (NP (PRO~DE quella) (ADJ~QU europea)) (ADVB IN_PARTICOLARE)))
+                        (-RRB- -RRB-)))))
+            (VP (VAU~RE ha)
+                (VP (VMA~PA mantenuto)
+                    (NP (ART~IN un) (NOU~CS atteggiamento) (ADJ~QU ambiguo))))
+              (. .)) )
+
+
+************** FRASE NEWS-474 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Le) (NOU~CP elezioni) (ADJ~QU politiche))
+        (PP-TMP (PREP del)
+            (NP (ART~DE del) (NUMR 26) (NOU~CS maggio)
+                (NP (NUMR 1996)))))
+       (VP (VAU~IM erano)
+           (VP (VAU~PA state)
+               (VP (VMA~PA viziate))))
+         (PP-LGS (PREP da)
+             (NP (ART~IN un) (NOU~CS-1333 numero)
+                 (ADJP (ADVB talmente) (ADJ~QU alto))
+                 (PP (PREP di)
+                     (NP
+                         (NP (NOU~CA irregolarita'))
+                         (, ,)
+                         (NP
+                             (NP (NOU~CP intimidazioni))
+                             (CONJ e)
+                             (NP (NOU~CP incidenti)))))
+                    (, ,)
+                    (PP-2333 (PREP da)
+                        (S
+                            (VP (VMA~IN provocare)
+                                (NP
+                                    (NP (ART~DE l') (NOU~CS intervento) (ADJ~QU sanzionatorio))
+                                    (PP (PREP dell')
+                                        (NP (ART~DE dell') (NOU~PR Osce)
+                                            (, ,)
+                                            (SBAR
+                                                (NP-3333 (PRO~RE che) (-NONE- *-))
+                                                (S
+                                                    (NP-SBJ-3133 (-NONE- *-3333))
+                                                    (VP
+                                                        (ADVP (ADVB non))
+                                                        (VP (VAU~IM era)
+                                                            (ADVP (ADVB pero'))) (VMA~PA riuscita)
+                                                         (PP (PREP a)
+                                                             (S
+                                                                 (VP (VMA~IN imporre)
+                                                                     (NP
+                                                                         (NP (ART~DE la) (NOU~CS ripetizione))
+                                                                         (PP (PREP delle)
+                                                                             (NP (ART~DE delle) (NOU~CP elezioni) (ADJ~DI stesse)))))
+                                                                    (NP-SBJ (-NONE- *-3133)))))))))))
+                                         (NP-SBJ (-NONE- *-1333))))))
+                             (. .)) )
+
+
+************** FRASE NEWS-475 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP-SBJ (PRO~DE Quelle) (ADJ~QU municipali))
+            (PRN
+                (, ,)
+                (VP (VMA~PA svoltesi)
+                    (NP (PRO~RI svoltesi))
+                    (NP (-NONE- *))
+                    (NP-TMP
+                        (NP (ART~DE il) (ADJ~DI successivo) (NOU~CS mese))
+                        (PP (PREP di)
+                            (NP (NOU~CS ottobre)))))
+                   (, ,)))
+             (VP (VAU~IM erano)
+                 (VP (VAU~PA state)
+                     (VP (VMA~PA controllate))))
+               (PP-LGS (PREP da)
+                   (NP
+                       (NP (ART~IN un) (ADJ~QU maggior) (NOU~CS numero))
+                       (PP (PREP di)
+                           (NP
+                               (NP (NOU~CP osservatori))
+                               (PRN
+                                   (, ,)
+                                   (SBAR
+                                       (S
+                                           (PP (PREP tra)
+                                               (NP (PRO~RE cui)))
+                                            (VP (-NONE- *)
+                                                (NP-EXTPSBJ-2333 (ADJ~IN numerosi) (NOU~CP italiani)))
+                                             (NP-SBJ (-NONE- *-2333))))
+                                       (, ,)))))))
+                     (CONJ e)
+                     (S
+                         (NP (PRO~RI si))
+                         (VP (VAU~IM erano)
+                             (VP (VMA~PA svolte)
+                                 (ADVP (ADVB notevolmente) (ADVB meglio)
+                                     (, ,)
+                                     (PP (ADVB tanto) (PREP da)
+                                         (S
+                                             (VP
+                                                 (Vbar (VMA~IN far)
+                                                     (Sbar
+                                                         (VP (VMA~IN sperare)
+                                                             (PP (PREP in)
+                                                                 (NP
+                                                                     (NP (ART~IN un') (NOU~CS evoluzione) (ADJ~QU positiva))
+                                                                     (PP (PREP della)
+                                                                         (NP (ART~DE della) (NOU~CS democrazia)))))))))
+                                                    (NP-SBJ (-NONE- *)))))))
+                                     (NP-SBJ (-NONE- *-133)))
+                                  (. .)) )
+
+
+************** FRASE NEWS-476 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS tracollo) (ADJ~QU finanziario))
+        (PP-TMP (PREP di)
+            (NP (ADJ~DE questi) (ADJ~OR ultimi) (NOU~CP giorni))))
+      (VP
+          (VP (VAU~RE ha)
+              (ADVP (ADVB pero'))) (VMA~PA fatto)
+           (S
+               (VP (VMA~IN precipitare)
+                   (NP-1233 (ART~DE la) (NOU~CS situazione)))
+                (NP-SBJ (-NONE- *-1233))))
+          (. .)) )
+
+
+************** FRASE NEWS-477 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Albania))
+    (VP (VMA~RE vive)
+        (ADVP-TMP (ADVB ormai))
+        (NP
+            (NP (ART~DE i) (NOU~CP prodromi))
+            (PP (PREP di)
+                (NP (ART~IN una)
+                    (ADJP
+                        (ADJP (ADJ~QU vera))
+                        (CONJ e)
+                        (ADJP (ADJ~QU propria)))
+                     (NP (NOU~CS guerra) (ADJ~QU civile))))))
+         (. .)) )
+
+
+************** FRASE NEWS-478 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE La) (NOU~CS decisione))
+        (PP (PREP della)
+            (NP-3.133 (ART~DE della)
+                (NP (NOU~CS maggioranza) (ADJ~QU parlamentare))
+                (VP (VMA~PA uscita)
+                    (NP (-NONE- *))
+                    (PP-LOC (PREP dalle)
+                        (NP
+                            (NP (ART~DE dalle) (NOU~CP elezioni))
+                            (PP-TMP (PREP di)
+                                (NP (NOU~CS maggio))))))))
+              (PP
+                  (PP (PREP di)
+                      (S
+                          (VP (VMA~IN proclamare)
+                              (NP
+                                  (NP (ART~DE lo) (NOU~CS stato))
+                                  (PP (PREP di)
+                                      (NP (NOU~CS emergenza)))))
+                             (NP-SBJ-12.1033 (-NONE- *-3.133))))
+                       (, ,)
+                       (CONJ e)
+                       (PP
+                           (PP (ADVB quindi) (PREP di)
+                               (S
+                                   (VP (VMA~IN sospendere)
+                                       (NP (ADJ~IN molti) (NOU~CP diritti) (ADJ~QU civili)))
+                                    (NP-SBJ-21.1033 (-NONE- *-12.1033))))
+                              (CONJ e)
+                              (PP (PREP di)
+                                  (S
+                                      (VP (VMA~IN mettere)
+                                          (PP-LOC (PREP a)
+                                              (NP
+                                                  (NP (NOU~CS capo))
+                                                  (PP (PREP del)
+                                                      (NP (ART~DE del) (NOU~CS Paese)))))
+                                             (NP
+                                                 (NP (ART~DE il) (NOU~CS responsabile))
+                                                 (PP (PREP della)
+                                                     (NP (ART~DE della) (NOU~CS polizia) (ADJ~QU segreta)))
+                                                  (PRN
+                                                      (, ,)
+                                                      (NP (NOU~PR Bashkim) (NOU~PR Gazidede))
+                                                      (, ,))))
+                                             (NP-SBJ (-NONE- *-21.1033)))))))
+                              (VP
+                                  (ADVP (ADVB non))
+                                  (VP (VAU~RE e')
+                                      (ADVP (ADVB certo))) (VMA~PA fatta)
+                                   (PP (PREP per)
+                                       (S
+                                           (VP (VMA~IN rassicurare)
+                                               (NP (ART~DE gli) (NOU~CP animi)))
+                                            (NP-SBJ (-NONE- *-133)))))
+                                   (NP-SBJ (-NONE- *))
+                                   (. .)) )
+
+
+************** FRASE NEWS-479 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS reazione) (ADJ~QU internazionale))
+    (VP (VMA~RE e')
+        (ADJP-PRD (ADJ~QU lenta)))
+     (. .)) )
+
+
+************** FRASE NEWS-480 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE L') (NOU~PR UNIONE_EUROPEA))
+    (VP (VMA~FU comincera')
+        (ADVP (ADVB probabilmente))
+        (PP (PREP a)
+            (S
+                (VP (VMA~IN prendere)
+                    (NP (ART~DE le) (ADJ~PO sue) (ADJ~OR prime) (NOU~CP decisioni) (ADJ~QU collettive))
+                    (NP-TMP (NOU~CA mercoledi') (ADJ~DI prossimo)))
+                 (NP-SBJ (-NONE- *-133))))
+           (, ,)
+           (CONJ quando)
+           (S
+               (NP (PRO~RI si))
+               (VP (VMA~FU riunira')
+                   (NP-EXTPSBJ-1933 (ART~DE il) (ADJ~PO suo) (NOU~CS Comitato) (ADJ~QU politico)))
+                (NP-SBJ (-NONE- *-1933))))
+          (. .)) )
+
+
+************** FRASE NEWS-481 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Osce))
+    (VP (VMA~FU reagira')
+        (ADVP (ADVB ancora) (ADVB piu') (ADVB lentamente))
+        (, ,)
+        (PP (PREP per)
+            (NP
+                (NP (ART~DE la) (NOU~CP complessita') (ADJ~DI stessa))
+                (PP (PREP dei)
+                    (NP (ART~DE dei) (ADJ~PO suoi) (NOU~CP meccanismi) (ADJ~QU decisionali))))))
+        (. .)) )
+
+
+************** FRASE NEWS-482 **************
+
+ ( (S
+    (VP (VMA~RE È)
+        (ADVP (ADVB quindi))
+        (ADJP-PRD (ADJ~QU probabile))
+        (CONJ che)
+        (S
+            (PRN
+                (, ,)
+                (PP-TMP (ADVB ancora) (PREP per)
+                    (NP (ADJ~IN qualche) (NOU~CS giorno)))
+                 (, ,))
+              (NP-SBJ (PRO~ID tutto))
+              (VP (VMA~FU dipendera')
+                  (PP
+                      (PP (PREP dalle)
+                          (NP
+                              (NP (ART~DE dalle) (NOU~CP iniziative))
+                              (PP (PREP dei)
+                                  (NP (ART~DE dei) (ADJ~QU singoli) (NOU~CP Paesi)))))
+                         (CONJ e)
+                         (PP (PREP dalla)
+                             (NP
+                                 (NP (ART~DE dalla) (NOU~CA capacita'))
+                                 (PP (PREP di)
+                                     (NP (NOU~CS autocontrollo)))
+                                  (PP (PREP degli)
+                                      (NP (ART~DE degli) (ADJ~DI stessi) (NOU~CP albanesi)))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-483 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE La) (NOU~CS situazione))
+        (VP (VMA~RE e')
+            (ADJP-PRD (ADJ~QU grave))))
+      (, ,)
+      (CONJ ma)
+      (S
+          (VP (VMO~CO potrebbe)
+              (S
+                  (VP (VMA~IN divenire)
+                      (ADVP (ADVB anche))
+                      (ADJP-PRD (ADJ~QU peggiore)))
+                   (NP-SBJ (-NONE- *-7.1033)))
+                (CONJ se)
+                (S
+                    (NP (PRO~RI si))
+                    (VP (VMA~IM internazionalizzasse))
+                    (NP-SBJ (-NONE- *-7.1033))))
+              (NP-SBJ-7.1033 (-NONE- *-133)))
+           (. .)) )
+
+
+************** FRASE NEWS-484 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE La) (NOU~CS decisione))
+            (PP (PREP della)
+                (NP-3.133 (ART~DE della) (NOU~PR Grecia)))
+             (PP (PREP di)
+                 (S
+                     (VP (VMA~IN chiudere)
+                         (NP
+                             (NP (ART~DE la) (ADJ~PO sua) (NOU~CS frontiera) (ADJ~QU terrestre))
+                             (PP (PREP con)
+                                 (NP (ART~DE l') (NOU~PR Albania)))))
+                        (NP-SBJ (-NONE- *-3.133)))))
+               (VP (VMA~RE e')
+                   (ADJP-PRD
+                       (ADJP (ADVB DEL_TUTTO) (ADJ~QU comprensibile))
+                       (CONJ e)
+                       (ADJP (ADJ~QU giustificata)))))
+              (, ,)
+              (CONJ ma)
+              (S
+                  (VP (VMA~RE rischia)
+                      (PP (PREP di)
+                          (S
+                              (VP (VMA~IN rimettere)
+                                  (PP (PREP in)
+                                      (NP (NOU~CS discussione)))
+                                   (NP
+                                       (NP (ADJ~DE quella) (NOU~CS riapertura))
+                                       (PP (PREP dei)
+                                           (NP
+                                               (NP (ART~DE dei) (NOU~CP rapporti))
+                                               (PP (PREP tra)
+                                                   (NP (ART~DE i)
+                                                       (NP (NUMR due)) (NOU~CP Paesi)))))
+                                           (SBAR
+                                               (NP-3333 (PRO~RE che))
+                                               (S
+                                                   (NP-SBJ (-NONE- *-3333))
+                                                   (VP (VAU~IM era)
+                                                       (VP (VAU~PA stata)
+                                                           (ADVP (ADVB faticosamente))
+                                                           (VP (VMA~PA arrangiata))))
+                                                     (PP-TMP (PREP in)
+                                                         (NP (ADJ~DE questi) (NOU~CP anni)))
+                                                      (PP-LGS (PREP dalla)
+                                                          (NP
+                                                              (NP (ART~DE dalla) (NOU~CS mediazione))
+                                                              (PP (PREP degli)
+                                                                  (NP (ART~DE degli) (NOU~PR STATI_UNITI)))))))))
+                                             (NP-SBJ (-NONE- *-22.1033)))))
+                                    (NP-SBJ-22.1033 (-NONE- *-133)))
+                                 (. .)) )
+
+
+************** FRASE NEWS-485 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE La) (NOU~CA crisi))
+        (PP-LOC (PREP in)
+            (NP (NOU~PR Albania))))
+      (VP (VMO~CO potrebbe)
+          (ADVP (ADVB facilmente))
+          (S
+              (VP (VMA~IN estendersi)
+                  (NP (PRO~RI estendersi))
+                  (PP-LOC
+                      (PP (PREP alla)
+                          (NP
+                              (NP (ART~DE alla) (NOU~CS provincia) (ADJ~QU serba))
+                              (PP (PREP del)
+                                  (NP (ART~DE del) (NOU~PR Kosovo)))
+                               (PRN
+                                   (, ,)
+                                   (VP (VMA~PA abitata)
+                                       (NP (-NONE- *))
+                                       (PP-LGS (PREP da)
+                                           (NP
+                                               (NP (ART~IN una) (NOU~CS maggioranza))
+                                               (PP (PREP di)
+                                                   (NP (NOU~CP albanesi))))))
+                                       (, ,))))
+                              (CONJ e)
+                              (PP (ADVB persino) (PREP alle)
+                                  (NP
+                                      (NP (ART~DE alle) (NOU~CP minoranze) (ADJ~QU albanesi))
+                                      (PP-LOC (PREP in)
+                                          (NP (NOU~PR Macedonia)))))))
+                           (NP-SBJ (-NONE- *-133))))
+                     (. .)) )
+
+
+************** FRASE NEWS-486 **************
+
+ ( (NP (ART~IN Un)
+    (NP
+        (NP (ADJ~DI altro) (ADJ~QU difficile) (NOU~CS focolaio))
+        (PP (PREP di)
+            (NP (NOU~CP guerre) (ADJ~QU balcaniche))))
+      (. .)) )
+
+
+************** FRASE NEWS-487 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE L') (ADJ~QU unico) (NOU~CS modo))
+        (PP (PREP per)
+            (S
+                (VP (VMA~IN uscire)
+                    (PP-LOC (PREP da)
+                        (NP (ADJ~DE questa) (NOU~CS situazione))))
+                  (NP-SBJ (-NONE- *)))))
+         (VP (VMA~RE sembra)
+             (S
+                 (VP (VMA~IN essere)
+                     (NP-PRD
+                         (NP (PRO~DE quello))
+                         (PP (PREP di)
+                             (S
+                                 (VP (VMA~IN indire)
+                                     (NP-1533
+                                         (NP (ADJ~QU nuove) (NOU~CP elezioni) (ADJ~QU politiche))
+                                         (, ,)
+                                         (PP (PREP da)
+                                             (S
+                                                 (VP (VMA~IN svolgersi)
+                                                     (NP (PRO~RI svolgersi))
+                                                     (PRN
+                                                         (, ,)
+                                                         (NP-TMP (ADJ~DE questa) (NOU~CS volta))
+                                                         (, ,))
+                                                      (PP-LOC (PREP sotto)
+                                                          (NP (ART~IN un) (ADJ~QU serio) (NOU~CS controllo) (ADJ~QU internazionale))))
+                                                    (NP-SBJ (-NONE- *-1533))))))
+                                        (NP-SBJ (-NONE- *))))))
+                            (NP-SBJ (-NONE- *-133))))
+                      (. .)) )
+
+
+************** FRASE NEWS-488 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ-233
+        (NP (ART~DE i) (PRO~OR primi))
+        (PP (PREP a)
+            (S
+                (VP (VMO~IN doversene)
+                    (NP-5.133 (PRO~PE doversene))
+                    (NP-5.233 (PRO~PE doversene))
+                    (S
+                        (VP (VMA~IN convincere)
+                            (NP (-NONE- *-5.133))
+                            (NP (-NONE- *-5.233)))
+                         (NP-SBJ (-NONE- *-333))))
+                   (NP-SBJ (-NONE- *-333)))))
+          (VP (VMO~FU dovranno)
+              (S
+                  (VP (VMA~IN essere)
+                      (NP-PRD (ART~DE gli) (ADJ~DI stessi) (NOU~CP albanesi))
+                      (, ,)
+                      (PP (PREP A_COMINCIARE_DA)
+                          (NP-1633 (ART~DE dal)
+                              (NP (NOU~CS Parlamento)) (S+REDUC
+                                  (S
+                                      (S
+                                          (VP (VMA~PA eletto)
+                                              (NP-TMP (ART~DE lo) (ADJ~DI scorso) (NOU~CS maggio)))
+                                           (NP-SBJ (-NONE- *-1633))))
+                                     (CONJ e)
+                                     (ADJP
+                                         (ADVP (ADVB palesemente) (ADVB ben) (ADVB poco)) (ADJ~QU rappresentativo)
+                                         (PRN
+                                             (-LRB- -LRB-)
+                                             (PP (ADVB almeno) (PREP nella)
+                                                 (NP (ART~DE nella) (NOU~CS situazione) (ADJ~QU attuale)))
+                                              (-RRB- -RRB-)))))))
+                            (NP-SBJ (-NONE- *-233))))
+                      (. .)) )
+
+
+************** FRASE NEWS-489 **************
+
+ ( (S
+    (PP (ADVB Solo) (PREP a)
+        (NP (ADJ~DE queste) (NOU~CP condizioni)))
+     (VP (VMA~FU sara')
+         (ADVP-TMP (ADVB poi))
+         (ADVP (ADVB anche))
+         (ADJP-PRD (ADJ~QU possibile))
+         (S-EXTPSBJ-1433
+             (VP-933 (VMA~IN parlare)
+                 (PP (PREP di)
+                     (NP
+                         (NP (ADJ~QU nuove) (NOU~CP operazioni))
+                         (PP (PREP di)
+                             (NP (NOU~CS assistenza) (ADJ~QU economica)))))) (-NONE- *-)
+                 (NP-SBJ (-NONE- *))))
+           (VP-SBJ (-NONE- *-933))
+           (. .)) )
+
+
+************** FRASE NEWS-490 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (ADVP (ADVB pero'))
+        (NP-SBJ-333 (ART~DE la) (NOU~CS situazione))
+        (VP (VMO~IM dovesse)
+            (S
+                (S
+                    (VP (VMA~IN esplodere))
+                    (NP-SBJ-6.1033 (-NONE- *-333)))
+                 (CONJ ed)
+                 (S
+                     (VP (VMA~IN evolversi)
+                         (NP (PRO~RI evolversi))
+                         (PP-LOC (PREP in)
+                             (NP
+                                 (ADJP
+                                     (ADJP (ADJ~QU vera))
+                                     (CONJ e)
+                                     (ADJP (ADJ~QU propria)))
+                                  (NP (NOU~CS guerra) (ADJ~QU civile)))))
+                         (NP-SBJ (-NONE- *-6.1033))))))
+             (, ,)
+             (ADVP (ADVB probabilmente))
+             (ADVP (ADVB non))
+             (NP-LOC (PRO~LO ci))
+             (VP (VMA~FU saranno)
+                 (NP-EXTPSBJ-2033
+                     (NP (ADJ~IN molte) (NOU~CP alternative))
+                     (PP (PREP all')
+                         (NP (ART~DE all') (NOU~CS intervento))))
+                   (, ,)
+                   (PP (ADVB SE_NON_ALTRO) (PREP per)
+                       (S
+                           (VP (VMA~IN evitare)
+                               (NP
+                                   (NP (NOU~CP danni) (ADJ~QU maggiori))
+                                   (PP (PREP alla)
+                                       (NP (ART~DE alla) (ADJ~QU fragile) (NOU~CA stabilita') (ADJ~QU regionale)))))
+                              (NP-SBJ (-NONE- *)))))
+                     (NP-SBJ (-NONE- *-2033))
+                     (. .)) )
+
+
+************** FRASE NEWS-491 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE L') (NOU~CS esperienza))
+        (PP (PREP di)
+            (NP (ADJ~DE questi) (ADJ~OR ultimi)
+                (NP (NUMR cinque)) (NOU~CP anni))))
+       (VP (VMA~RE rischia)
+           (PP (PREP di)
+               (S
+                   (VP (VMA~IN mandare)
+                       (PP-LOC (PREP in)
+                           (NP (NOU~CS fumo)))
+                        (NP
+                            (NP (ADJ~DE questo) (NOU~CS capitale))
+                            (PP (PREP di)
+                                (NP (NOU~CS simpatia)))))
+                       (NP-SBJ (-NONE- *-133)))))
+              (. .)) )
+
+
+************** FRASE NEWS-492 **************
+
+ ( (S
+    (PP-TMP (PREP All')
+        (NP
+            (NP (ART~DE All') (NOU~CS inizio))
+            (PP (PREP di)
+                (NP (ADJ~DE questo) (NOU~CS secolo)))))
+       (, ,)
+       (NP-SBJ-733
+           (NP (ART~DE il) (NOU~CS governo))
+           (PP (PREP di)
+               (NP (NOU~PR Roma))))
+         (VP (VAU~IM aveva)
+             (VP (VMA~PA mostrato)
+                 (NP
+                     (NP (ADJ~QU grande) (NOU~CS interesse))
+                     (PP (PREP per)
+                         (NP (ART~DE l') (NOU~PR Albania))))
+                   (, ,)
+                   (S
+                       (VP (VMA~GE sostenendone)
+                           (NP-19.133 (PRO~PE sostenendone))
+                           (NP
+                               (NP (ART~DE il) (NOU~CS diritto))
+                               (NP (-NONE- *-19.133))
+                               (PP (PREP all')
+                                   (NP (ART~DE all') (NOU~CS autonomia))))))))
+                 (NP-SBJ (-NONE- *-733))
+                 (. .)) )
+
+
+************** FRASE NEWS-493 **************
+
+ ( (S
+    (PP-TMP (ADVB Gia') (PREP nel)
+        (NP (ART~DE nel) (ADJ~QU lontano) (NUMR 1866)))
+     (, ,)
+     (NP-SBJ (NOU~PR Giuseppe) (NOU~PR Garibaldi))
+     (VP (VAU~IM aveva)
+         (VP (VMA~PA scritto)))
+      (. .)) )
+
+
+************** FRASE NEWS-494 **************
+
+ ( (S
+    (' ')
+    (NP-SBJ
+        (NP (ART~DE La) (NOU~CS causa))
+        (PP (PREP degli)
+            (NP (ART~DE degli) (NOU~CP albanesi))))
+      (VP (VMA~RE e')
+          (NP-PRD (ART~DE la) (PRO~PO mia)))
+       (' ')
+       (. .)) )
+
+
+************** FRASE NEWS-495 **************
+
+ ( (S
+    (CONJ E)
+    (PP-LOC (PREP nell')
+        (NP (ART~DE nell') (NOU~PR Italia) (ADJ~QU meridionale)
+            (PRN
+                (, ,)
+                (SBAR
+                    (S
+                        (NP-LOC (PRO~LO dove))
+                        (VP (VAU~IM erano)
+                            (VP (VMA~PA fiorite)
+                                (NP-EXTPSBJ-933 (ADJ~IN numerose) (NOU~CP colonie) (ADJ~QU albanesi))))
+                          (NP-SBJ (-NONE- *-933))))
+                    (, ,))))
+           (PP-TMP (PREP nel)
+               (NP (ART~DE nel) (NUMR 1903)))
+            (VP (VAU~RA fu)
+                (VP (VMA~PA fondato)
+                    (NP-EXTPSBJ-1733 (ART~IN un)
+                        (' ')
+                        (NP (NOU~CS Comitato) (ADJ~QU albanese))
+                        (' ')
+                        (SBAR
+                            (NP-2333 (ART~DE la)
+                                (NP (PRO~RE cui)) (NOU~CS presidenza))
+                             (S
+                                 (NP-SBJ (-NONE- *-2333))
+                                 (VP (VAU~RA fu)
+                                     (VP (VMA~PA affidata)
+                                         (PP (PREP al)
+                                             (NP (ART~DE al) (NOU~CS generale)
+                                                 (NP (NOU~PR Ricciotti) (NOU~PR Garibaldi))))
+                                           (PP (PREP sulla)
+                                               (NP
+                                                   (NP (ART~DE sulla) (NOU~CS base))
+                                                   (PP (PREP del)
+                                                       (NP (ART~DE del) (NOU~CS programma)
+                                                           (NP
+                                                               (NP
+                                                                   (' ') (ART~DE L') (NOU~PR Albania)
+                                                                   (' '))
+                                                                (PP (PREP agli)
+                                                                    (NP (ART~DE agli) (NOU~CP albanesi)))))))))))))))
+                             (NP-SBJ (-NONE- *-1733))
+                             (. .)) )
+
+
+************** FRASE NEWS-496 **************
+
+ ( (S
+    (S
+        (S-TMP
+            (VP (VMA~PA Scoppiata)
+                (NP-EXTPSBJ-233 (ART~DE la) (ADJ~OR prima) (NOU~CS guerra) (ADJ~QU mondiale)))
+             (NP-SBJ (-NONE- *-233)))
+          (, ,)
+          (NP-SBJ (ART~DE le) (NOU~CP truppe) (ADJ~QU austriache))
+          (VP (VMA~RA occuparono)
+              (NP
+                  (NP (ART~IN una) (NOU~CS parte))
+                  (PP (PREP del)
+                      (NP (ART~DE del) (NOU~CS Paese))))))
+          (CONJ e)
+          (S
+              (NP (ART~DE lo) (PRO~DE stesso))
+              (VP (VMA~RA fecero)
+                  (PRN
+                      (, ,)
+                      (PP-TMP (PREP A_PARTIRE_DA)
+                          (NP (ART~DE dal) (NUMR 1915)))
+                       (, ,))
+                    (NP-EXTPSBJ-2533 (PRO~DE quelle) (ADJ~QU italiane)))
+                 (NP-SBJ (-NONE- *-2533)))
+              (. .)) )
+
+
+************** FRASE NEWS-497 **************
+
+ ( (S
+    (S
+        (PP-TMP (PREP Nel)
+            (NP (ART~DE Nel) (NUMR 1917)))
+         (PRN
+             (, ,)
+             (PP (PREP con)
+                 (NP
+                     (NP (ART~DE il) (NOU~CS proclama))
+                     (PP (PREP di)
+                         (NP (NOU~PR Argirocastro)))))
+                (, ,))
+             (NP-SBJ (ART~DE il) (NOU~CS generale) (NOU~PR Ferrero))
+             (VP (VMA~RA promise)
+                 (NP
+                     (NP (ART~DE l') (NOU~CS indipendenza))
+                     (PP (PREP dell')
+                         (NP (ART~DE dell') (NOU~PR Albania))))
+                   (PP-LOC (PREP sotto)
+                       (NP
+                           (NP (ART~DE la) (NOU~CS protezione))
+                           (PP (PREP dell')
+                               (NP (ART~DE dell') (NOU~PR Italia)))))))
+                (, ,)
+                (CONJ ma)
+                (S
+                    (S
+                        (NP-SBJ
+                            (NP (ART~DE l') (NOU~CS accordo))
+                            (ADJP
+                                (ADJP (ADJ~QU italo))
+                                (PUNCT -)
+                                (ADJP (ADJ~QU greco)))
+                             (PP-TMP (PREP del)
+                                 (NP (ART~DE del) (NOU~CS luglio)
+                                     (NP (NUMR 1919))))
+                               (PRN
+                                   (, ,)
+                                   (SBAR
+                                       (NP-3333 (PRO~RE che))
+                                       (S
+                                           (NP-SBJ (-NONE- *-3333))
+                                           (VP (VMA~IM riconosceva)
+                                               (NP (ADJ~IN alcuni) (NOU~CP diritti))
+                                               (PP (PREP ad)
+                                                   (NP (NOU~PR Atene))))))
+                                       (, ,)))
+                                 (VP (VAU~RA fu)
+                                     (VP (VMA~PA preso)
+                                         (ADVP (ADVB male))
+                                         (PP-LGS (PREP dagli)
+                                             (NP (ART~DE dagli) (NOU~CP albanesi))))))
+                                 (CONJ e)
+                                 (S
+                                     (NP-SBJ (NOU~PR Valona))
+                                     (VP (VMA~PA insorse)
+                                         (PP (PREP contro)
+                                             (NP (ART~DE la) (NOU~CS presenza) (ADJ~QU italiana))))))
+                                 (. .)) )
+
+
+************** FRASE NEWS-498 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (ADJ~QU buoni) (NOU~CP rapporti))
+    (VP (VMA~RA tornarono)
+        (CONJ appena)
+        (S
+            (S
+                (NP-SBJ (ART~DE l') (NOU~PR Italia))
+                (NP (PRO~RI si))
+                (VP (VMA~RA libero')
+                    (PP (PREP di)
+                        (NP (ADJ~DE quell') (NOU~CS accordo)))))
+               (CONJ e)
+               (S
+                   (NP-SBJ-1433 (ART~DE il) (NOU~CS governo) (ADJ~QU italiano))
+                   (VP (VMO~RA pote')
+                       (S
+                           (VP (VMA~IN sponsorizzare)
+                               (NP
+                                   (NP (ART~DE l') (NOU~CS ammissione))
+                                   (PP (PREP dell')
+                                       (NP (ART~DE dell') (NOU~PR Albania)))
+                                    (PP-LOC (PREP nella)
+                                        (NP
+                                            (NP (ART~DE nella) (NOU~CA Societa'))
+                                            (PP (PREP delle)
+                                                (NP (ART~DE delle) (NOU~CP Nazioni)))))
+                                       (, ,)
+                                       (SBAR
+                                           (NP-2333 (PRO~RE che))
+                                           (S
+                                               (NP-SBJ (-NONE- *-2333))
+                                               (VP (VMA~RA avvenne)
+                                                   (NP (ART~DE il) (NUMR 17) (NOU~CS dicembre)
+                                                       (NP (NUMR 1920)))
+                                                    (ADVP-TMP (ADVB contemporaneamente)
+                                                        (PP (PREP alla)
+                                                            (NP
+                                                                (NP (ART~DE alla) (NOU~CS proclamazione))
+                                                                (PP (PREP della)
+                                                                    (NP (ART~DE della) (ADJ~PO sua) (NOU~CS indipendenza)))))))))))
+                                         (NP-SBJ (-NONE- *-1433)))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-499 **************
+
+ ( (S
+    (VP
+        (PP-TMP (PREP Nel)
+            (NP (ART~DE Nel) (NUMR 1924)))
+         (NP-EXTPSBJ-333 (ART~DE il) (NOU~PR Ahmed))
+         (VP (VMA~RA assunse)
+             (NP (ART~DE il) (NOU~CS potere)))
+          (CONJ e)
+          (S
+              (NP-TMP (NUMR quattro) (NOU~CP anni) (ADVB dopo))
+              (VP (VAU~RA fu)
+                  (VP (VMA~PA proclamato)
+                      (NP-PRD (NOU~CP re))))
+                (NP-SBJ (-NONE- *-333))))
+          (NP-SBJ (-NONE- *-333))
+          (. .)) )
+
+
+************** FRASE NEWS-500 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (ART~IN una) (NOU~CS fase))
+            (PP (PREP di)
+                (NP
+                    (NP (NOU~CP concessioni))
+                    (PP (PREP alla)
+                        (NP (ART~DE alla) (NOU~PR Jugoslavia)))))))
+         (VP (VMA~RA oriento')
+             (NP (ART~DE la) (ADJ~PO sua) (NOU~CS politica))
+             (PP-LOC (PREP verso)
+                 (NP (ART~DE l') (NOU~PR Italia)
+                     (SBAR
+                         (S
+                             (PP (PREP con)
+                                 (NP (PRO~RE cui)))
+                              (VP (VMA~RA concluse)
+                                  (NP (ART~DE il) (NUMR 27) (NOU~CA novembre)
+                                      (NP (NUMR 1927)))
+                                   (NP
+                                       (NP (ART~IN un) (NOU~CS patto))
+                                       (PP (PREP di)
+                                           (NP
+                                               (NP (NOU~CS amicizia))
+                                               (CONJ e)
+                                               (NP (NOU~CS sicurezza))))))
+                                   (NP-SBJ (-NONE- *-8.1033)))))))
+                    (NP-SBJ-8.1033 (-NONE- *))
+                    (. .)) )
+
+
+************** FRASE NEWS-501 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (NOU~CP magistrati))
+    (PRN
+        (, ,)
+        (ADVP-TMP (ADVB intanto))
+        (, ,))
+     (VP (VAU~RE hanno)
+         (VP (VMA~PA confermato)
+             (NP
+                 (NP (ART~DE l') (NOU~CS incriminazione))
+                 (PP (PREP per)
+                     (NP
+                         (NP (NOU~CA responsabilita'))
+                         (PP (PREP nelle)
+                             (NP
+                                 (NP (ART~DE nelle) (NOU~CP violenze))
+                                 (PP-TMP (PREP dei)
+                                     (NP (ART~DE dei) (NOU~CP giorni) (ADJ~DI scorsi)))))
+                            (PP (PREP dei)
+                                (NP
+                                    (NP (ART~DE dei) (ADJ~QU massimi) (NOU~CP dirigenti))
+                                    (PP (PREP dei)
+                                        (NP
+                                            (NP (ART~DE dei) (NOU~CP partiti))
+                                            (PP (PREP di)
+                                                (NP (NOU~CS opposizione)))))
+                                       (, ,)
+                                       (PP (PREP dagli)
+                                           (NP
+                                               (NP (ART~DE dagli) (ADJ~QU ex) (NOU~CP comunisti))
+                                               (PP (PREP del)
+                                                   (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU socialista))))
+                                             (PP (PREP alla)
+                                                 (NP
+                                                     (NP (ART~DE alla) (NOU~CS destra))
+                                                     (PP (PREP di)
+                                                         (NP (NOU~PR Alleanza) (ADJ~QU democratica)))))))))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-502 **************
+
+ ( (S
+    (S
+        (ADVP (ADVB Non))
+        (VP (VAU~RE sono)
+            (VP (VMA~PA perseguite)
+                (PP
+                    (PP (PREP per)
+                        (NP (ART~DE le) (ADJ~PO loro) (NOU~CP idee))) (-NONE- *-1333))))
+            (NP-SBJ-3.1033 (-NONE- *)))
+         (PUNCT -)
+         (VP (VAU~RE ha)
+             (VP (VMA~PA dichiarato)
+                 (NP-EXTPSBJ-1133 (NOU~PR Berisha))
+                 (PUNCT -)
+                 (CONJ ma)
+                 (PP (PREP per)
+                     (NP (ART~DE gli)
+                         (NP (NOU~CP atti))
+                         (VP (VMA~PA compiuti)
+                             (NP (-NONE- *)))))))
+              (NP-SBJ (-NONE- *-1133))
+              (. .)) )
+
+
+************** FRASE NEWS-503 **************
+
+ ( (S
+    (VP
+        (NP-PRD (NOU~CP Tempi) (ADJ~QU duri)) (-NONE- *)
+        (PP-LOC (PREP a)
+            (NP (NOU~PR Tirana)))
+         (PP (PREP per)
+             (NP (ART~DE i)
+                 (NP (NOU~CP partiti))
+                 (SBAR
+                     (NP-8333 (PRO~RE-833 che))
+                     (S
+                         (NP-SBJ (-NONE- *-8333))
+                         (PP-TMP (PREP dal)
+                             (NP (ART~DE dal) (NOU~CS maggio) (ADJ~DI scorso)))
+                          (VP (VMA~RE contestano)
+                              (NP
+                                  (NP (ART~DE la) (ADJ~QU larghissima) (NOU~CS vittoria) (ADJ~QU elettorale))
+                                  (PP (PREP del)
+                                      (NP (ART~DE del) (NOU~CS Centro)
+                                          (PUNCT -)
+                                          (NP (NOU~CS destra)))))
+                                 (S
+                                     (VP (VMA~GE disertando)
+                                         (NP (ART~DE il) (NOU~CS Parlamento)))
+                                      (NP-SBJ (-NONE- *-833)))))))))
+                 (NP-SBJ (-NONE- *))
+                 (. .)) )
+
+
+************** FRASE NEWS-504 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~IN una) (NOU~CS manifestazione))
+        (PP (PREP di)
+            (NP (ADVB circa) (NUMR 200) (NOU~CP persone)))
+         (, ,)
+         (VP (VMA~PA inscenata)
+             (NP (-NONE- *))
+             (PP-LOC (PREP davanti)
+                 (PP (PREP al)
+                     (NP (ART~DE al)
+                         (NP (ADJ~QU vecchio) (NOU~CS stadio))
+                         (SBAR
+                             (S
+                                 (NP-LOC (PRO~LO dove))
+                                 (NP-TMP (NOU~CS domenica) (ADJ~DI scorsa))
+                                 (VP (VAU~IM erano)
+                                     (VP (VMA~PA cominciati)
+                                         (NP-EXTPSBJ-1833 (ART~DE i)
+                                             (NP (NOU~CP disordini))
+                                             (ADJP (ADVB piu') (ADJ~QU violenti)))))
+                                    (NP-SBJ (-NONE- *-1833)))))))))
+               (, ,)
+               (ADVP-TMP (ADVB ieri))
+               (VP (VAU~RE e')
+                   (VP (VAU~PA stata)
+                       (ADVP (ADVB facilmente))
+                       (VP (VMA~PA dispersa))))
+                 (PP-LGS (PREP dalla)
+                     (NP-28.133 (ART~DE dalla) (NOU~CS polizia)))
+                  (, ,)
+                  (PP (PREP senza)
+                      (S
+                          (VP (VMA~IN ricorrere)
+                              (PP (PREP a)
+                                  (NP (NOU~CP metodi) (ADJ~QU pesanti))))
+                            (NP-SBJ (-NONE- *-28.133))))
+                      (. .)) )
+
+
+************** FRASE NEWS-505 **************
+
+ ( (S
+    (VP
+        (PP (PREP Per)
+            (S
+                (VP (VMA~IN prevenire)
+                    (NP (ADJ~DI altre) (NOU~CP proteste)))
+                 (NP-SBJ (-NONE- *))))
+           (VP (VAU~RE sono)
+               (VP (VAU~PA state)
+                   (ADVP (ADVB comunque))
+                   (VP (VMA~PA rafforzate))))
+             (PP-LOC (PREP nella)
+                 (NP (ART~DE nella) (NOU~CS capitale)))
+              (NP-EXTPSBJ-1133
+                  (NP (ART~DE le) (NOU~CP pattuglie))
+                  (PP (PREP di)
+                      (NP
+                          (NP (NOU~CS guardia))
+                          (PP (PREP agli)
+                              (NP (ART~DE agli) (NOU~CP edifici) (ADJ~QU pubblici))))))
+                  (, ,)
+                  (S
+                      (S
+                          (NP-SBJ (PRO~RI si))
+                          (VP (VAU~RE sono)
+                              (VP (VMA~PA rivisti)
+                                  (NP
+                                      (NP (ART~DE i) (NOU~CP militari))
+                                      (PP (PREP in)
+                                          (NP (NOU~CS divisa)))))))
+                           (CONJ ma)
+                           (S
+                               (NP-SBJ
+                                   (NP (ART~DE l') (NOU~CS atmosfera) (ADJ~QU palpabile))
+                                   (PP-LOC (PREP a)
+                                       (NP (NOU~PR Tirana))))
+                                 (ADVP (ADVB non))
+                                 (VP (VMA~RE e')
+                                     (ADVP (ADVB certo))
+                                     (PP-PRD (PREP ad)
+                                         (NP (ADJ~QU alta) (NOU~CS tensione)))))))
+                          (NP-SBJ (-NONE- *-1133))
+                          (. .)) )
+
+
+************** FRASE NEWS-506 **************
+
+ ( (S
+    (PP-LOC (PREP In)
+        (NP (ADJ~DE questa) (NOU~CS vicenda)))
+     (VP (VMA~RE tira)
+         (NP-EXTPSBJ-533 (ART~IN un')
+             (NP (NOU~CS aria))
+             (ADJP (ADVB tutta) (ADJ~QU balcanica))))
+       (NP-SBJ (-NONE- *-533))
+       (. .)) )
+
+
+************** FRASE NEWS-507 **************
+
+ ( (S
+    (VP
+        (PP-LOC (PREP Da)
+            (NP (ART~IN una) (NOU~CS parte)))
+         (NP-LOC (PRO~LO c'))
+         (VP (VMA~RE e')
+             (NP-EXTPSBJ-633
+                 (NP (ART~DE la) (NOU~CS reazione)
+                     (PP (PREP di)
+                         (NP (NOU~PR Berisha))))
+                   (PP
+                       (CONJ e)
+                       (PP (PREP della)
+                           (NP (ART~DE della) (NOU~CS polizia))))))
+               (, ,)
+               (S
+                   (PP-LOC (PREP dall')
+                       (NP (ART~DE dall') (PRO~ID altra)))
+                    (NP (PRO~RI-1633 si))
+                    (VP (VMA~RE tenta)
+                        (PP (PREP di)
+                            (S
+                                (VP (VMA~IN tessere)
+                                    (NP
+                                        (NP (ART~IN una) (NOU~CS mediazione))
+                                        (PP (PREP tra)
+                                            (NP
+                                                (NP (NOU~CS Governo))
+                                                (CONJ e)
+                                                (NP (NOU~CS opposizione))))))
+                                    (NP-SBJ (-NONE- *-1633)))))
+                           (NP-SBJ (-NONE- *-1633))))
+                     (NP-SBJ (-NONE- *-633))
+                     (. .)) )
+
+
+************** FRASE NEWS-508 **************
+
+ ( (S
+    (VP
+        (ADVP-TMP (ADVB |L'_ALTRO_IERI|))
+        (NP-433 (PRO~RI si))
+        (VP (VAU~RE e')
+            (VP (VMA~PA avuto)
+                (NP
+                    (NP (ART~IN un) (ADJ~OR primo) (NOU~CS incontro))
+                    (PP (PREP tra)
+                        (NP (ART~DE le) (NOU~CP parti)
+                            (PRN
+                                (, ,)
+                                (SBAR
+                                    (NP-1333 (PRO~RE che))
+                                    (S
+                                        (NP-SBJ (-NONE- *-1333))
+                                        (ADVP (ADVB ufficialmente))
+                                        (ADVP (ADVB non))
+                                        (NP (PRO~RI si))
+                                        (VP (VMA~RE parlano)
+                                            (ADVP-TMP (ADVB DA_TEMPO)))))
+                                   (, ,)))))))
+                 (CONJ e)
+                 (S
+                     (ADVP-TMP (ADVB oggi))
+                     (NP-LOC (PRO~LO ce))
+                     (NP-2533 (PRO~PE ne))
+                     (VP (VMA~FU sara')
+                         (ADVP (ADVB probabilmente))
+                         (NP (ART~IN un) (-NONE- *-2533)))
+                      (NP-SBJ (-NONE- *-2833))))
+                (NP-SBJ (-NONE- *-433))
+                (. .)) )
+
+
+************** FRASE NEWS-509 **************
+
+ ( (S
+    (PP (PREP per)
+        (NP-233
+            (NP (PRO~RE quanto))
+            (SBAR
+                (S
+                    (VP (VAU~RE e')
+                        (VP (VMA~PA dato)
+                            (S
+                                (VP (VMA~IN sapere)
+                                    (NP (-NONE- *-4.1033)))
+                                 (NP-SBJ (-NONE- *)))))
+                        (NP-SBJ-4.1033 (-NONE- *-233))))))
+            (PP-TMP (PREP negli)
+                (NP (ART~DE negli) (ADJ~OR ultimi) (NOU~CP mesi)))
+             (NP-SBJ
+                 (NP-933
+                     (NP (ART~DE il) (NOU~CS Centro)) (-NONE- *-)
+                     (PUNCT -)
+                     (NP (NOU~CS destra))
+                     (PP (PREP al)
+                         (NP (ART~DE al) (NOU~CS potere))))
+                   (CONJ e)
+                   (NP (ART~DE gli) (ADJ~QU ex) (NOU~CP comunisti)))
+                (NP (PRO~RI si))
+                (VP (VAU~IM erano)
+                    (VP (VMA~PA trovati)
+                        (PP-LOC (PREP intorno)
+                            (PP (PREP a)
+                                (NP (ART~IN un) (NOU~CS tavolo))))
+                          (PP-LOC (PREP in)
+                              (NP (ADVB soltanto)
+                                  (NP (NOU~CS zona) (ADJ~QU neutra))))
+                            (, ,)
+                            (PP-LOC (PREP dentro)
+                                (PP (PREP alla)
+                                    (NP
+                                        (NP (ART~DE alla) (NOU~CS residenza))
+                                        (PP (PREP dell')
+                                            (NP (ART~DE dell') (NOU~CS ambasciata) (ADJ~QU italiana)))
+                                         (PRN
+                                             (, ,)
+                                             (SBAR
+                                                 (S
+                                                     (NP-LOC (PRO~LO dove))
+                                                     (NP-TMP (ART~IN un) (NOU~CS tempo))
+                                                     (VP (VMA~IM aveva)
+                                                         (NP (NOU~CS sede))
+                                                         (NP-EXTPSBJ-4333 (ART~DE il) (NOU~CS museo)
+                                                             (NP (NOU~PR Lenin)
+                                                                 (PUNCT -) (NOU~PR Stalin))))
+                                                        (NP-SBJ (-NONE- *-4333))))))))))
+                                (NP-SBJ (-NONE- *-933))
+                                (. .)) )
+
+
+************** FRASE NEWS-510 **************
+
+ ( (S
+    (PP
+        (PP (PREP Sulle)
+            (NP (ART~DE Sulle)
+                (' ') (NOU~CP piramidi)
+                (' ') (ADJ~QU albanesi)))
+          (CONJ e)
+          (PP (PREP sugli)
+              (NP (ART~DE sugli)
+                  (NP (NOU~CP eventi))
+                  (SBAR
+                      (NP-9333 (PRO~RE che))
+                      (S
+                          (NP-SBJ (-NONE- *-9333))
+                          (VP (VAU~RE hanno)
+                              (VP (VMA~PA preceduto)
+                                  (NP
+                                      (NP (ART~DE i) (NOU~CP fallimenti))
+                                      (CONJ e)
+                                      (NP
+                                          (NP (ART~DE il) (NOU~CS congelamento))
+                                          (PP (PREP dei)
+                                              (NP (ART~DE dei) (NOU~CP depositi))))))))))))
+                (VP (VMA~RE affiorano)
+                    (ADVP-TMP (ADVB intanto))
+                    (NP-EXTPSBJ-2233 (ADJ~QU strane) (NOU~CP storie)))
+                 (NP-SBJ (-NONE- *-2233))
+                 (. .)) )
+
+
+************** FRASE NEWS-511 **************
+
+ ( (S
+    (NP-SBJ (PRO~ID Qualcuno))
+    (PRN
+        (, ,)
+        (ADVP (ADVB provvidenzialmente))
+        (, ,))
+     (VP (VMA~RE fornisce)
+         (ADVP (ADVB anche))
+         (NP (NOU~CP dati) (ADJ~QU concreti)))
+      (. .)) )
+
+
+************** FRASE NEWS-512 **************
+
+ ( (NP (ART~DE il)
+    (NP (ADVB PER_ESEMPIO)
+        (NP (NOU~CS direttore))
+        (PP (PREP della)
+            (NP
+                (NP (ART~DE della) (NOU~CS Banca) (ADJ~QU statale))
+                (PP (PREP di)
+                    (NP (NOU~CS risparmio)))))
+           (PRN
+               (, ,)
+               (NP (NOU~PR Bedri) (NOU~PR Collaku))))
+         (. .)) )
+
+
+************** FRASE NEWS-513 **************
+
+ ( (S
+    (PP-TMP (PREP In)
+        (NP (ART~IN un) (ADJ~QU solo) (NOU~CS giorno)))
+     (PRN
+         (, ,)
+         (NP-TMP (NUMR due) (NOU~CP settimane) (ADJ~DI fa))
+         (, ,))
+      (VP (VAU~RE abbiamo)
+          (VP (VMA~PA visto)
+              (NP (-NONE- *-1633))
+              (S-PRD
+                  (VP (VMA~IN arrivare)
+                      (PP-LOC (PREP nel)
+                          (NP (ART~DE nel) (ADJ~PO nostro) (NOU~CS istituto)))
+                       (NP-EXTPSBJ-1633
+                           (NP (NOU~CP depositi))
+                           (PP (PREP per) (NUMR 800)))
+                        (, ,)
+                        (NP (ART~IN una)
+                            (NP (NOU~CS tendenza))
+                            (VP (VMA~PA iniziata)
+                                (NP (-NONE- *))
+                                (PP-TMP (PREP a)
+                                    (NP
+                                        (NP (NOU~CA meta'))
+                                        (NP (NOU~CS dicembre)))))
+                               (SBAR
+                                   (NP-2333 (PRO~RE che) (-NONE- *-))
+                                   (S
+                                       (NP-SBJ-2833 (-NONE- *-2333))
+                                       (NP-2933 (PRO~RI si))
+                                       (VP (VAU~IM era)
+                                           (VP (VMA~PA andata)
+                                               (S
+                                                   (ADVP (ADVB VIA_VIA))
+                                                   (VP (VMA~GE rafforzando)
+                                                       (NP (-NONE- *-2933)))
+                                                    (NP-SBJ (-NONE- *-2833)))))))))
+                               (NP-SBJ (-NONE- *-1633)))))
+                      (NP-SBJ (-NONE- *))
+                      (. .)) )
+
+
+************** FRASE NEWS-514 **************
+
+ ( (S
+    (S
+        (ADVP (ADVB Evidentemente))
+        (NP-SBJ-233
+            (NP (PRO~ID molti))
+            (PP (PREP di)
+                (NP
+                    (NP (PRO~DE coloro))
+                    (SBAR
+                        (NP-5333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-5333))
+                            (VP (VAU~IM avevano)
+                                (VP (VMA~PA investito)
+                                    (PP-LOC (PREP in)
+                                        (NP (ADJ~DE queste) (NOU~CA societa'))))))))))
+                (VP (VAU~IM avevano)
+                    (VP (VMA~PA ricevuto)
+                        (NP
+                            (NP (ART~DE il) (NOU~CS pagamento))
+                            (PP (PREP degli)
+                                (NP (ART~DE degli) (NOU~CP interessi)))))))
+                 (CONJ ma)
+                 (S
+                     (VP (VMA~IM tornavano)
+                         (PP (PREP ad)
+                             (S
+                                 (VP (VMA~IN affidare)
+                                     (NP (ART~DE i) (ADJ~PO loro) (NOU~CP soldi))
+                                     (PP (PREP a)
+                                         (NP (PRO~PE noi))))
+                                   (NP-SBJ (-NONE- *-18.1033)))))
+                          (NP-SBJ-18.1033 (-NONE- *-233)))
+                       (. .)) )
+
+
+************** FRASE NEWS-515 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~IN Un) (NOU~CS imprenditore) (ADJ~QU edile))
+        (PP-LOC (PREP del)
+            (NP (ART~DE del) (NOU~PR Centro) (NOU~PR Italia)))
+         (, ,)
+         (SBAR
+             (NP-8333 (PRO~RE che))
+             (S
+                 (NP-SBJ (-NONE- *-8333))
+                 (ADVP-LOC (ADVB qui))
+                 (VP (VAU~RE ha)
+                     (VP (VMA~PA costruito)
+                         (NP (ADJ~IN diversi) (NOU~CP immobili)))))))
+          (, ,)
+          (VP (VMA~RE afferma)
+              (CONJ che)
+              (S
+                  (PRN
+                      (, ,)
+                      (PP-TMP (ADVB proprio) (PREP nel)
+                          (NP (ART~DE nel)
+                              (NP (NOU~CS periodo))
+                              (SBAR
+                                  (S
+                                      (PP (PREP in)
+                                          (NP (PRO~RE cui)))
+                                       (VP (VMA~IM iniziavano)
+                                           (PP (PREP a)
+                                               (S
+                                                   (VP (VMA~IN circolare))
+                                                   (NP-SBJ (-NONE- *-2633))))
+                                             (NP-EXTPSBJ-2633
+                                                 (NP (NOU~CP voci) (ADJ~QU allarmanti))
+                                                 (PP
+                                                     (PP (PREP sulla)
+                                                         (NP
+                                                             (NP (ART~DE sulla) (NOU~CS finanziaria))
+                                                             (PP (PREP della)
+                                                                 (NP (ART~DE della) (NOU~CS zingara) (NOU~PR Sude))))))))
+                                               (NP-SBJ (-NONE- *-2633))))))
+                                   (, ,))
+                                (VP (VAU~RE ha)
+                                    (VP (VMA~PA registrato)
+                                        (NP
+                                            (NP (ART~IN un') (NOU~CS impennata))
+                                            (PP (PREP di)
+                                                (NP (NOU~CP vendite))))))
+                                    (NP-SBJ (-NONE- *-133))))
+                              (. .)) )
+
+
+************** FRASE NEWS-516 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-LOC (PRO~LO c'))
+    (VP (VMA~RE e')
+        (NP-EXTPSBJ-433 (ART~IN dell') (PRO~ID altro)))
+     (NP-SBJ (-NONE- *-433))
+     (. .)) )
+
+
+************** FRASE NEWS-517 **************
+
+ ( (S
+    (PP-LOC (PREP A)
+        (NP (NOU~PR Tirana)))
+     (VP (VMA~RE sono)
+         (PP-SBJ (-NONE- *-433))
+         (PP-EXTPSBJ-933 (PREP-433 in) (-NONE- *-)
+             (NP (PRO~ID molti)))
+          (PP (PREP a)
+              (VP (VMA~IN sussurrare) (-NONE- *-433)
+                  (CONJ che)
+                  (S
+                      (NP-SBJ
+                          (ADJbar-SBJ (ADJ~IN alcune)
+                              (NP
+                                  (' ') (NOU~CP piramidi)
+                                  (' '))))
+                         (ADVP (ADVB non))
+                         (VP (VAU~FU verranno)
+                             (VP (VMA~PA travolte)
+                                 (PP-LGS (PREP dal)
+                                     (NP (ART~DE dal) (NOU~CA crack)))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-518 **************
+
+ ( (NP (ART~DE I)
+    (NP (NOU~CP nomi))
+    (. .)) )
+
+
+************** FRASE NEWS-519 **************
+
+ ( (NP
+    (NP (NOU~PR Vefa)
+        (, ,)
+        (NP
+            (NP (PRO~DE quelle))
+            (ADVP (ADVB IN_SOSTANZA))
+            (ADVP (ADVB piu') (ADVB direttamente))
+            (VP (VMA~PA collegate)
+                (NP (-NONE- *))
+                (PP (PREP al)
+                    (NP (ART~DE al) (NOU~CS Partito) (ADJ~QU democratico)))
+                 (CONJ mentre)
+                 (S
+                     (NP-SBJ1
+                         (NP-SBJ (PRO~ID altre))
+                         (PRN
+                             (, ,)
+                             (VP
+                                 (ADVP-TMP (ADVB gia')) (VMA~PA dichiarate)
+                                 (NP (-NONE- *))
+                                 (VP
+                                     (VP (VMA~PA fallite))
+                                     (CONJ o)
+                                     (PP (PREP con)
+                                         (NP (ART~DE i)
+                                             (NP (NOU~CP beni))
+                                             (VP (VMA~PA congelati)
+                                                 (NP (-NONE- *)))))))
+                                  (, ,)))
+                            (VP (VAU~IM avevano)
+                                (VP (VMA~PA raccolto)
+                                    (ADVP (ADVB soprattutto))
+                                    (NP
+                                        (NP (ART~DE gli) (NOU~CP investimenti))
+                                        (PP (PREP di)
+                                            (NP (ADJ~QU ex) (NOU~CP comunisti))))))))))
+                    (, ,)
+                    (NP (NOU~PR Gjallica)
+                        (, ,) (NOU~PR Kamberi))
+                     (. .)) )
+
+
+************** FRASE NEWS-520 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~RE Chi))
+        (SBAR
+            (S
+                (ADVP (ADVB non))
+                (VP (VMA~FU chiudera')
+                    (NP (ART~DE i) (NOU~CP battenti)))
+                 (NP-SBJ (-NONE- *-133)))))
+        (VP (VMA~RE e')
+            (NP-PRD (ART~DE il)
+                (NP (NOU~CS signor))
+                (NP (NOU~PR Pellum) (NOU~PR Shehaj))
+                (SBAR
+                    (NP-1333 (PRO~RE che))
+                    (S
+                        (NP-SBJ (-NONE- *-1333))
+                        (PP (PREP attraverso)
+                            (NP-1333 (ART~DE la) (NOU~CS compagnia) (NOU~PR Silva)))
+                         (VP (VAU~RE ha)
+                             (VP (VMA~PA raccolto)
+                                 (NP (NOU~CP fondi))
+                                 (PP (PREP per)
+                                     (S
+                                         (VP (VMA~IN finanziare)
+                                             (NP
+                                                 (NP (ART~DE i) (ADJ~PO suoi) (NOU~CP investimenti))
+                                                 (PP-LOC (PREP nelle)
+                                                     (NP
+                                                         (NP (ART~DE nelle) (NOU~CP cave))
+                                                         (PP (PREP di)
+                                                             (NP (NOU~CS bitume)))))))
+                                              (NP-SBJ (-NONE- *-1333))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-521 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE L') (NOU~CS inflazione))
+        (VP (VMA~RE e')
+            (NP-PRD
+                (NP (ART~DE il) (ADJ~QU peggior) (NOU~CS nemico))
+                (PP (PREP del)
+                    (NP (ART~DE del) (NOU~CS popolo))))))
+        (CONJ e)
+        (S
+            (VP-SBJ (VMA~IN rimettere)
+                (PP-LOC+METAPH (PREP in)
+                    (NP (NOU~CS circolazione)))
+                 (PP-1333 (PREP senza)
+                     (NP (NOU~CS controllo)))
+                  (NP
+                      (NP (ART~IN una) (NOU~CS massa) (ADJ~QU imponente))
+                      (PP (PREP di)
+                          (NP (NOU~CS denaro)))))
+                 (NP-SBJ (-NONE- *)))
+              (VP (VMA~RE significa)
+                  (S
+                      (VP (VMA~IN svalutare)
+                          (NP (ART~DE la) (ADJ~PO nostra) (NOU~CS moneta)))
+                       (NP-SBJ (-NONE- *))))
+                 (. .)) )
+
+
+************** FRASE NEWS-522 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Berisha))
+    (VP (VMA~RE teme)
+        (ADVP-TMP (ADVB poi))
+        (ADVP (ADVB anche))
+        (NP (ART~IN un) (ADJ~DI altro) (NOU~CS fenomeno) (ADJ~QU negativo)))
+     (. .)) )
+
+
+************** FRASE NEWS-523 **************
+
+ ( (NP (ART~DE la)
+    (NP
+        (NP (NOU~CS scomparsa))
+        (PP-LOC (PREP dal)
+            (NP (ART~DE dal) (NOU~CS sistema) (ADJ~QU albanese)
+                (PRN
+                    (, ,)
+                    (NP
+                        (NP (NOU~CS vittima))
+                        (PP (PREP di)
+                            (NP
+                                (NP (ART~IN un') (NOU~CS ondata))
+                                (PP (PREP di)
+                                    (NP (NOU~CS sfiducia))))))
+                        (, ,))))
+               (PP (PREP di)
+                   (NP
+                       (NP (ART~IN una) (NOU~CS massa) (ADJ~QU imponente))
+                       (PP (PREP di)
+                           (NP (NOU~CP investimenti))))))
+               (. .)) )
+
+
+************** FRASE NEWS-524 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP (PRO~DE questo)))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA annunciato)
+             (NP
+                 (NP (ART~DE la) (NOU~CS creazione))
+                 (PP (PREP di)
+                     (NP
+                         (NP (ADJ~QU nuove) (NOU~CP zone) (ADJ~QU franche) (ADJ~QU esentasse))
+                         (SBAR
+                             (NP-1333 (PRO~RE che) (-NONE- *-))
+                             (S
+                                 (NP-SBJ-1233 (-NONE- *-1333))
+                                 (VP (VMO~FU dovranno)
+                                     (S
+                                         (VP (VMA~IN attirare)
+                                             (NP (ART~DE i)
+                                                 (NP (NOU~CP capitali))
+                                                 (VP (VMA~PA salvati)
+                                                     (NP (-NONE- *))
+                                                     (PP (PREP dai)
+                                                         (NP (ART~DE dai) (NOU~CP fallimenti))))))
+                                             (NP-SBJ (-NONE- *-1233)))))))))))
+                  (NP-SBJ (-NONE- *))
+                  (. .)) )
+
+
+************** FRASE NEWS-525 **************
+
+ ( (S
+    (CONJ Ma)
+    (ADVP (ADVB dove))
+    (VP (VMA~FU troveranno)
+        (NP (ART~DE i) (NOU~CP soldi))
+        (NP-EXTPSBJ-633 (-NONE- *-)
+            (NP-633 (ART~DE il) (NOU~CS Governo) (-NONE- *-))
+            (CONJ e)
+            (NP (ART~DE le) (NOU~CP banche)))
+         (PP (PREP per)
+             (S
+                 (VP (VMA~IN mettere)
+                     (NP (PRDT tutta) (ART~DE l') (NOU~CS operazione)))
+                  (NP-SBJ (-NONE- *-633)))))
+         (NP-SBJ (-NONE- *-633))
+         (. ?)) )
+
+
+************** FRASE NEWS-526 **************
+
+ ( (S
+    (PUNCT -)
+    (VP (VMA~RE risponde)
+        (NP-EXTPSBJ-433 (ADJ~QU Semplice) (NOU~PR Berisha))
+        (PUNCT -)
+        (S
+            (VP (-NONE- *-133))
+            (NP-SBJ (-NONE- *))))
+      (NP-SBJ (-NONE- *-433))
+      (. .)) )
+
+
+************** FRASE NEWS-527 **************
+
+ ( (S
+    (CONJ e)
+    (VP
+        (ADVP (ADVB non))
+        (VP (VMA~RE e')
+            (ADJP-PRD (ADJ~QU vero))
+            (CONJ che)
+            (S
+                (VP (VMA~RE rappresentano)
+                    (NP
+                        (NP (ADVB soltanto) (ART~IN un) (PRO~ID terzo))
+                        (PP (PREP di)
+                            (NP-1133
+                                (NP (PRO~RE quanto))
+                                (SBAR
+                                    (S
+                                        (VP (VAU~RE e')
+                                            (VP (VAU~PA stato)
+                                                (VP (VMA~PA raccolto))))
+                                          (NP-SBJ (-NONE- *-1133))
+                                          (PP-LGS (PREP dalle)
+                                              (NP (ART~DE dalle) (NOU~CP finanziarie)))))))))
+                         (NP-SBJ (-NONE- *))))
+                   (, ,)
+                   (S
+                       (NP-SBJ (ART~DE i) (ADJ~PO nostri) (NOU~CP dati))
+                       (VP (VMA~RE smentiscono)
+                           (NP (ADJ~DE questa) (NOU~CS affermazione)))))
+                  (. .)) )
+
+
+************** FRASE NEWS-528 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (NP-SBJ (ADJ~DE queste) (NOU~CP parole))
+        (VP (VAU~FU saranno)
+            (VP (VMA~PA confermate))))
+      (, ,)
+      (ADVP (ADVB allora))
+      (NP-SBJ-833
+          (NP (ART~DE gli) (NOU~CP esperti))
+          (PP
+              (PP (PREP del)
+                  (NP (ART~DE del) (NOU~CS Fondo) (ADJ~QU monetario)))
+               (CONJ e)
+               (PP (PREP della)
+                   (NP (ART~DE della) (NOU~CS Banca) (ADJ~QU mondiale)))))
+          (VP (VMO~FU dovranno)
+              (S
+                  (VP (VMA~IN rivedere)
+                      (PP (PREP in)
+                          (NP (NOU~CA velocita')))
+                       (NP
+                           (NP (ART~DE i) (ADJ~PO loro) (NOU~CP criteri))
+                           (PP
+                               (PP (PREP di)
+                                   (NP (NOU~CS calcolo))))))))
+                 (NP-SBJ (-NONE- *-833))
+                 (. .)) )
+
+
+************** FRASE NEWS-529 **************
+
+ ( (S
+    (CONJ quando)
+    (S
+        (NP-SBJ (PRO~RI si))
+        (VP (VMA~RE parla)
+            (PP (PREP di)
+                (NP (NOU~PR Albania)))))
+       (PRN
+           (, ,)
+           (ADVP (ADVB evidentemente))
+           (, ,))
+        (VP (VMA~RE saltano)
+            (NP-EXTPSBJ-1133
+                (NP (PRDT tutti) (ART~DE i) (NOU~CP parametri) (ADJ~QU convenzionali))
+                (PP
+                    (PP (PREP di)
+                        (NP (NOU~CS bilancio))))))
+            (NP-SBJ (-NONE- *-1133))
+            (. .)) )
+
+
+************** FRASE NEWS-530 **************
+
+ ( (S
+    (VP (VMA~RE Siamo)
+        (ADJP-PRD (ADJ~QU grati)
+            (PP (PREP a)
+                (NP-533 (PRO~ID tutti)
+                    (NP (PRO~DE coloro)))
+                 (SBAR
+                     (NP-6333 (PRO~RE che))
+                     (S
+                         (NP-SBJ (-NONE- *-6333))
+                         (VP (VMA~RE offrono)
+                             (NP
+                                 (NP (NOU~CS aiuto))
+                                 (CONJ ed)
+                                 (NP (NOU~CS assistenza) (ADJ~QU tecnica))))))))
+               (, ,)
+               (PP (PREP senza)
+                   (S
+                       (VP (VMA~IN aggiungere)
+                           (NP (PRO~ID nulla) (ADVB DI_PIÙ)))
+                        (NP-SBJ (-NONE- *-533)))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-531 **************
+
+ ( (S
+    (CONJ Eppure)
+    (NP-SBJ-233
+        (NP (ART~DE gli) (NOU~CP esperti))
+        (PP
+            (PP (PREP della)
+                (NP (ART~DE della) (NOU~CS Banca)))
+             (CONJ e)
+             (PP (PREP del)
+                 (NP (ART~DE del) (NOU~CS Fondo)))))
+        (VP (VMA~RE sono)
+            (PP-PRD (PREP al)
+                (NP (ART~DE al) (NOU~CS lavoro)))
+             (PP (PREP da)
+                 (NP (NOU~CP giorni)))
+              (PP (PREP per)
+                  (S
+                      (VP (VMA~IN studiare)
+                          (NP (ART~IN una)
+                              (NP (NOU~CS soluzione))
+                              (SBAR
+                                  (NP-1333 (PRO~RE che))
+                                  (S
+                                      (NP-SBJ (-NONE- *-1333))
+                                      (VP (VMA~FU coinvolgera')
+                                          (NP
+                                              (NP (ART~DE i) (NOU~CA partner) (ADJ~QU economici))
+                                              (ADJP (ADVB piu') (ADJ~QU importanti))
+                                              (PP (PREP di)
+                                                  (NP (NOU~PR Tirana)))))))))
+                             (NP-SBJ (-NONE- *-233)))))
+                    (. .)) )
+
+
+************** FRASE NEWS-532 **************
+
+ ( (S
+    (CONJ quando)
+    (S
+        (NP-SBJ-233 (ART~DE la) (NOU~CS gente))
+        (NP (PRO~RI si))
+        (VP (VAU~RE e')
+            (VP (VMA~PA riversata)
+                (PP-LOC (PREP in)
+                    (NP (NOU~CS strada)))
+                 (PP (PREP per)
+                     (S
+                         (VP (VMA~IN protestare)
+                             (ADVP (ADVB rabbiosamente))
+                             (PP-TMP (PREP dopo)
+                                 (NP
+                                     (NP (ART~DE il) (NOU~CS congelamento))
+                                     (PP (PREP dei)
+                                         (NP
+                                             (NP (ART~DE dei) (NOU~CP fondi))
+                                             (PP (PREP di)
+                                                 (NP
+                                                     (NP (PRO~ID alcune))
+                                                     (PP (PREP delle)
+                                                         (NP (ART~DE delle)
+                                                             (' ') (NOU~CP piramidi)
+                                                             (' '))))))))))
+                                  (NP-SBJ (-NONE- *-233)))))))
+                   (, ,)
+                   (VP (VMA~IM correva)
+                       (NP-EXTPSBJ (NOU~CS voce) (-NONE- *-))
+                       (CONJ che)
+                       (S
+                           (NP-SBJ (ART~DE la) (NOU~CS bancarotta))
+                           (VP (VAU~IM era)
+                               (VP (VMA~PA stata)
+                                   (NP-PRD (ART~IN un)
+                                       (NP (NOU~CS complotto))
+                                       (VP (VMA~PA ordito)
+                                           (NP (-NONE- *))
+                                           (PP (PREP tra)
+                                               (NP
+                                                   (NP-3533 (NOU~CS Governo))
+                                                   (CONJ e)
+                                                   (NP (NOU~PR Fondo) (ADJ~QU monetario))))
+                                             (PP (PREP per)
+                                                 (S
+                                                     (VP (VMA~IN incamerare)
+                                                         (NP
+                                                             (NP (ART~DE i)
+                                                                 (NP (NUMR 400)) (ADJ~QU sudati) (NOU~CP risparmi))
+                                                              (CONJ e)
+                                                              (NP
+                                                                  (NP (ART~DE gli) (NOU~CP interessi))
+                                                                  (PP (PREP da)
+                                                                      (NP (NOU~CS favola)))
+                                                                   (VP (VMA~PA promessi)
+                                                                       (NP (-NONE- *))
+                                                                       (PP-LGS (PREP da)
+                                                                           (NP
+                                                                               (NP (NOU~CP finanzieri))
+                                                                               (PP (PREP senza)
+                                                                                   (NP (NOU~CP scrupoli)))))))))
+                                                              (NP-SBJ (-NONE- *-3533))))))))))
+                                      (NP-SBJ (-NONE- *-2533))
+                                      (. .)) )
+
+
+************** FRASE NEWS-533 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Le) (NOU~CP pietre))
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP manifestanti))))
+      (VP
+          (VP (VAU~IM avevano)
+              (ADVP-TMP (ADVB allora))) (VMA~PA preso)
+           (PP (PREP di)
+               (NP (NOU~CS mira)))
+            (NP
+                (NP (ART~DE i)
+                    (NP (NOU~CP palazzi))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (NOU~CS potere))))
+                  (CONJ ma)
+                  (NP
+                      (NP (ADVB anche) (ART~DE le) (NOU~CP vetrate))
+                      (PP (PREP degli)
+                          (NP
+                              (NP (ART~DE degli) (NOU~CP uffici))
+                              (PP-LOC (PREP di)
+                                  (NP (NOU~PR Tirana)))
+                               (PP (PREP del)
+                                   (NP (ART~DE del) (NOU~CS Fondo) (ADJ~QU monetario))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-534 **************
+
+ ( (S
+    (PP (PREP Alla)
+        (NP (ART~DE Alla) (NOU~CS VOX_POPULI)))
+     (NP-SBJ-433 (NOU~PR Berisha))
+     (VP (VMA~RE risponde)
+         (ADVP-TMP (ADVB adesso))
+         (S
+             (VP (VMA~GE evocando)
+                 (NP
+                     (NP (ART~DE lo) (NOU~CS spettro))
+                     (PP (PREP della)
+                         (NP (ART~DE della) (NOU~PR Segurimi)
+                             (, ,)
+                             (NP
+                                 (NP (ART~DE la) (NOU~CS polizia) (ADJ~QU segreta))
+                                 (PP (PREP del)
+                                     (NP (ART~DE del) (ADJ~QU defunto) (NOU~CS regime) (ADJ~QU comunista)))
+                                  (SBAR
+                                      (NP-2333 (PRO~RE che))
+                                      (S
+                                          (NP-SBJ (-NONE- *-2333))
+                                          (PP-TMP (PREP al)
+                                              (NP
+                                                  (NP (ART~DE al) (NOU~CS tempo))
+                                                  (PP (PREP dello)
+                                                      (NP
+                                                          (NP (ART~DE dello) (NOU~CS stalinismo) (ADJ~QU ferreo))
+                                                          (PP (PREP di)
+                                                              (NP (NOU~PR Enver) (NOU~PR Hoxha)))))))
+                                               (VP (VMA~IM aveva)
+                                                   (PP-LOC (PREP al)
+                                                       (NP (ART~DE al) (NOU~CS servizio)))
+                                                    (NP
+                                                        (NP (NUMR 5.000) (NOU~CP delatori))
+                                                        (PP (PREP su)
+                                                            (NP
+                                                                (NP (NUMR tre) (NOU~CP milioni))
+                                                                (PP (PREP di)
+                                                                    (NP (NOU~CP albanesi))))))))))))))))
+                          (NP-SBJ (-NONE- *-433))
+                          (. .)) )
+
+
+************** FRASE NEWS-535 **************
+
+ ( (S
+    (NP-133 (ART~DE I) (NOU~CP disordini))
+    (PUNCT -)
+    (VP (VAU~RE ha)
+        (VP (VMA~PA detto)
+            (PUNCT -6-)
+            (S
+                (NP-SBJ (-NONE- *-133))
+                (VP (VAU~RE sono)
+                    (VP (VAU~PA stati)
+                        (VP (VMA~PA fomentati))))
+                  (PP (PREP con)
+                      (NP
+                          (NP (NOU~CP metodi))
+                          (CONJ e)
+                          (NP
+                              (NP (NOU~CP schemi))
+                              (PP (PREP della)
+                                  (NP (ART~DE della)
+                                      (VP (VMA~PA disciolta)
+                                          (NP (-NONE- *)))
+                                       (NP (NOU~CS polizia) (ADJ~QU segreta))))))))))
+               (NP-SBJ (-NONE- *))
+               (. .)) )
+
+
+************** FRASE NEWS-536 **************
+
+ ( (S
+    (PP (PREP Alla)
+        (NP
+            (NP (ART~DE Alla) (ADJ~PO sua) (NOU~CA ipotesi))
+            (PP (PREP di)
+                (NP (NOU~CS complotto)))))
+       (NP-SBJ (ART~DE il) (NOU~CS Presidente))
+       (VP (VAU~RE ha)
+           (VP (VMA~PA fatto)
+               (S
+                   (VP (VMA~IN seguire)
+                       (ADVP-TMP (ADVB subito))
+                       (NP-1233 (NOU~CP fatti) (ADJ~QU concreti)))
+                    (NP-SBJ (-NONE- *-1233)))))
+           (. .)) )
+
+
+************** FRASE NEWS-537 **************
+
+ ( (S
+    (VP
+        (PP-LOC (PREP Nel)
+            (NP
+                (NP (ART~DE Nel) (NOU~CS distretto))
+                (PP-LOC (PREP di)
+                    (NP (NOU~PR Berat)))))
+           (VP (VAU~RE-533 sono)
+               (VP (VAU~PA-633 state)
+                   (VP (VMA~PA-733 arrestate))))
+             (NP-EXTPSBJ-833 (NUMR 150) (NOU~CP-933 persone))
+             (, ,)
+             (S
+                 (VP (-NONE- *-533)
+                     (VP (-NONE- *-633)
+                         (VP (-NONE- *-733))))
+                   (NP-SBJ (-NONE- *-1133))
+                   (NP-EXTPSBJ-1133
+                       (NP (PRO~ID altre))
+                       (NP (NUMR 70) (-NONE- *-933)))
+                    (PP-LOC (PREP nella)
+                        (NP
+                            (NP (ART~DE nella) (NOU~CS regione))
+                            (PP-LOC (PREP di)
+                                (NP (NOU~PR Valona)))
+                             (, ,)
+                             (NP (ART~DE il)
+                                 (' ')
+                                 (NP (NOU~CS vivaio))
+                                 (' ')
+                                 (SBAR
+                                     (S
+                                         (PP-LOC (PREP in)
+                                             (NP (PRO~RE cui)))
+                                          (VP (VAU~IM avevano)
+                                              (VP (VMA~PA prosperato)
+                                                  (NP-EXTPSBJ-2633
+                                                      (NP (PRO~ID alcuni))
+                                                      (PP (PREP dei)
+                                                          (NP
+                                                              (ADJP (ADVB piu') (ADJ~QU noti))
+                                                              (NP (ART~DE dei) (NOU~CP finanzieri) (ADJ~QU albanesi))
+                                                              (PP (PREP d')
+                                                                  (NP (NOU~CS assalto))))))))
+                                                (NP-SBJ (-NONE- *-2633)))))))))
+                           (NP-SBJ (-NONE- *-833))
+                           (. .)) )
+
+
+************** FRASE NEWS-538 **************
+
+ ( (S
+    (PP-LOC (PREP Nella)
+        (NP (ART~DE Nella) (NOU~CS rete)))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA caduti)
+             (NP-EXTPSBJ-533
+                 (NP (ADJ~IN diversi) (NOU~CP dirigenti))
+                 (PP (PREP dell')
+                     (NP (ART~DE dell') (NOU~CS opposizione)))
+                  (, ,)
+                  (SBAR
+                      (S
+                          (PP (PREP tra)
+                              (NP (PRO~RE cui)))
+                           (VP (-NONE- *)
+                               (NP-LOC (-NONE- *))
+                               (NP-EXTPSBJ-1333
+                                   (NP (ADVB anche) (ART~DE il) (NOU~CS segretario))
+                                   (PP (PREP del)
+                                       (NP
+                                           (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU socialista))
+                                           (PP-LOC (PREP di)
+                                               (NP (NOU~PR Valona)))))))
+                                (NP-SBJ (-NONE- *-1333)))))))
+                 (NP-SBJ (-NONE- *-533))
+                 (. .)) )
+
+
+************** FRASE NEWS-539 **************
+
+ ( (S
+    (CONJ Mentre)
+    (S
+        (PP-TMP (PREP a)
+            (NP (NOU~CS ottobre)))
+         (NP-SBJ-433
+             (NP (NOU~CS Fondo) (ADJ~QU monetario))
+             (CONJ e)
+             (NP (NOU~CS Banca) (ADJ~QU mondiale)))
+          (VP (VMA~IM lanciavano)
+              (NP
+                  (NP (ART~DE l') (NOU~CS allarme))
+                  (PP (PREP per)
+                      (NP
+                          (NP (ART~DE la)
+                              (' ') (NOU~CS bolla)
+                              (' ') (ADJ~QU finanziaria))
+                           (PP-LOC (PREP di)
+                               (NP (NOU~PR Tirana))))))
+                   (PRN
+                       (PUNCT -)
+                       (S
+                           (VP (VMA~GE mettendo)
+                               (PP (PREP in)
+                                   (NP (NOU~CS guardia)))
+                                (NP (ART~DE il) (NOU~CS Governo))
+                                (PP (PREP dalle)
+                                    (NP (ART~DE dalle)
+                                        (NP (NOU~CA societa'))
+                                        (SBAR
+                                            (NP-2333 (PRO~RE che))
+                                            (S
+                                                (NP-SBJ (-NONE- *-2333))
+                                                (VP (VMA~IM promettevano)
+                                                    (PP
+                                                        (PP (PREP a)
+                                                            (NP (ADJ~QU ingenui) (NOU~CP risparmiatori)))
+                                                         (CONJ ma)
+                                                         (PP (PREP a)
+                                                             (NP (ADVB anche)
+                                                                 (NP (NOU~CP profittatori))
+                                                                 (PP (PREP di)
+                                                                     (NP (ADJ~IN ogni) (NOU~CS genere))))))
+                                                         (NP
+                                                             (NP (NOU~CP tassi) (ADJ~QU DA_CAPOGIRO))
+                                                             (PP (PREP di)
+                                                                 (NP (NOU~CS interesse))))))))))
+                                         (NP-SBJ (-NONE- *-433)))
+                                      (PUNCT -))))
+                             (NP-SBJ-4633 (ART~DE gli) (ADJ~QU ex) (NOU~CP comunisti))
+                             (NP (PRO~RI si))
+                             (VP (VMA~IM leccavano)
+                                 (NP
+                                     (NP (ART~DE le) (NOU~CP ferite))
+                                     (PP (PREP della)
+                                         (NP (ART~DE della) (NOU~CS sconfitta) (ADJ~QU elettorale))))
+                                   (, ,)
+                                   (S
+                                       (VP (VMA~GE disinteressandosi)
+                                           (NP (PRO~RI disinteressandosi))
+                                           (PP (PREP di)
+                                               (NP (ART~IN un)
+                                                   (NP (NOU~CS problema))
+                                                   (VP (VMA~PE incombente)
+                                                       (NP (-NONE- *))))))))
+                                     (NP-SBJ (-NONE- *-4633))
+                                     (. .)) )
+
+
+************** FRASE NEWS-540 **************
+
+ ( (S
+    (S
+        (PP-LOC (PREP A)
+            (NP (NOU~PR Tirana)))
+         (NP-SBJ-333
+             (NP (ART~DE il) (NOU~CA Forum))
+             (PP (PREP dell')
+                 (NP (ART~DE dell') (NOU~CS opposizione)))
+              (, ,)
+              (SBAR
+                  (NP-8333 (PRO~RE che))
+                  (S
+                      (NP-SBJ (-NONE- *-8333))
+                      (VP (VMA~RE riunisce)
+                          (NP
+                              (NP (ART~DE i) (NOU~CP partiti))
+                              (PP (PREP anti)
+                                  (PUNCT -)
+                                  (NP (NOU~PR Berisha))))))))
+                (, ,)
+                (VP (VAU~RE ha)
+                    (VP (VMA~PA convocato)
+                        (NP (ART~IN delle) (NOU~CP manifestazioni)))))
+               (CONJ ma)
+               (S
+                   (PP
+                       (PP (ADVB |UN_PO'|) (PREP per)
+                           (NP (ART~DE la) (NOU~CS repressione)))
+                        (CONJ e)
+                        (PP (PREP per)
+                            (NP (ADVB |UN_PO'|)
+                                (NP (NOU~CP difetti))
+                                (PP (PREP di)
+                                    (NP (NOU~CS organizzazione))))))
+                        (ADVP (ADVB non))
+                        (VP (VAU~RE e')
+                            (VP (VMA~PA riuscito)
+                                (PRN
+                                    (, ,)
+                                    (ADVP-TMP (ADVB finora))
+                                    (, ,))
+                                 (PP (PREP a)
+                                     (S
+                                         (VP (VMA~IN ottenere)
+                                             (NP (NOU~CP risultati) (ADJ~QU politici) (ADJ~QU concreti)))
+                                          (NP-SBJ (-NONE- *-35.1033))))))
+                              (NP-SBJ-35.1033 (-NONE- *-333)))
+                           (. .)) )
+
+
+************** FRASE NEWS-541 **************
+
+ ( (S
+    (S
+        (VP (VMA~PA Rimasta)
+            (PP (PREP senza)
+                (NP (NOU~CS lavoro)))
+             (PP-TMP (PREP dopo)
+                 (NP
+                     (NP (ART~DE la) (NOU~CS fine))
+                     (PP (PREP del)
+                         (NP (ART~DE del) (NOU~CS regime) (ADJ~QU comunista))))))
+             (NP-SBJ (-NONE- *-12.1033)))
+          (, ,)
+          (VP (VAU~IM era)
+              (VP (VMA~PA riuscita)
+                  (PP (PREP a)
+                      (S
+                          (VP (VMA~IN mettere)
+                              (ADVP (ADVB IN_PIEDI))
+                              (NP (ART~IN una)
+                                  (NP (NOU~CS finanziaria))
+                                  (SBAR
+                                      (NP-1333 (PRO~RE che))
+                                      (S
+                                          (NP-SBJ (-NONE- *-1333))
+                                          (VP (VMA~IM pagava)
+                                              (NP
+                                                  (NP (NOU~CP interessi))
+                                                  (PP (PREP del)
+                                                      (NP
+                                                          (NP (ART~DE del) (NUMR 50) (SPECIAL %))
+                                                          (PP (PREP al)
+                                                              (NP (ART~DE al) (NOU~CS mese)))))))))))
+                                   (NP-SBJ (-NONE- *-12.1033))))))
+                       (NP-SBJ-12.1033 (-NONE- *))
+                       (. .)) )
+
+
+************** FRASE NEWS-542 **************
+
+ ( (PP
+    (PP (ADVB Ovviamente) (PREP con)
+        (NP
+            (NP (ART~DE i) (NOU~CP denari))
+            (PP (PREP di)
+                (NP (ADJ~QU nuovi) (NOU~CP sottoscrittori)))))
+       (. .)) )
+
+
+************** FRASE NEWS-543 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (PRO~ID tutto))
+    (VP (VMA~RE regge)
+        (PP (PREP fino)
+            (PP (PREP a)
+                (NP-633 (PRO~RE quando)
+                    (S
+                        (VP (VMA~RE sono)
+                            (NP-TMP (-NONE- *-633))
+                            (ADJP-PRD
+                                (ADJP-1133
+                                    (ADVP
+                                        (ADVbar (ADVB molto))) (ADVB piu') (ADJ~QU consistenti)
+                                     (NP (ART~DE i) (NOU~CP versamenti)
+                                         (PRN
+                                             (-LRB- -LRB-)
+                                             (SBAR
+                                                 (S
+                                                     (NP-1433 (PRO~RE che))
+                                                     (NP-SBJ-1533
+                                                         (NP (ART~DE i) (NOU~CP gestori))
+                                                         (PP (PREP di)
+                                                             (NP (ADJ~DE queste) (NOU~CP imprese))))
+                                                       (VP (VMA~RE provvedono)
+                                                           (ADVP (ADVB comunque))
+                                                           (PP (PREP a)
+                                                               (S
+                                                                   (VP (VMA~IN scremare)
+                                                                       (NP (-NONE- *-1433))
+                                                                       (PP (PREP a) (ADJ~PO proprio) (NOU~CS vantaggio)))
+                                                                    (NP-SBJ (-NONE- *-1533)))))))
+                                                     (-RRB- -RRB-))))
+                                            (, ,)
+                                            (PP (PREP delle)
+                                                (NP
+                                                    (NP (ART~DE delle) (NOU~CP richieste))
+                                                    (PP (PREP di)
+                                                        (NP (NOU~CS rimborso)))))))
+                                         (NP-SBJ (-NONE- *-1133)))))))
+                          (. .)) )
+
+
+************** FRASE NEWS-544 **************
+
+ ( (S
+    (CONJ Quando)
+    (S
+        (NP-SBJ (ART~DE il) (NOU~CS meccanismo))
+        (NP (PRO~RI si))
+        (VP (VMA~RE inceppa)))
+     (, ,)
+     (VP (VMA~RE e')
+         (NP-PRD (ART~DE il) (NOU~CS disastro)))
+      (NP-SBJ (-NONE- *))
+      (. .)) )
+
+
+************** FRASE NEWS-545 **************
+
+ ( (S
+    (NP-SBJ-133 (NOU~PR Sudja))
+    (VP (VAU~IM era)
+        (VP (VMA~PA riuscita)
+            (PP (PREP ad)
+                (S
+                    (VP (VMA~IN accreditarsi)
+                        (NP (PRO~RI accreditarsi))
+                        (PP (PREP come)
+                            (NP
+                                (NP (NOU~CS LONGA_MANUS))
+                                (PP (PREP di)
+                                    (NP
+                                        (VP
+                                            (VP (VMA~PA presunti))
+                                            (, ,)
+                                            (ADJP
+                                                (ADJP (ADJ~QU inesistenti))
+                                                (CONJ e)
+                                                (ADJP (ADJ~QU ricchissimi))))
+                                          (NP (NOU~CP finanzieri) (ADJ~QU arabi))
+                                          (SBAR
+                                              (S
+                                                  (PP-1733 (PREP dei)
+                                                      (NP (ART~DE dei) (PRO~RE quali)))
+                                                   (VP (VAU~CO sarebbe)
+                                                       (VP (VMA~PA stata)
+                                                           (ADVP (ADVB IN_REALTÀ))
+                                                           (PRN
+                                                               (, ,)
+                                                               (ADVP (ADVB A_SUO_DIRE))
+                                                               (, ,))
+                                                            (NP-PRD
+                                                                (NP (NOU~CP prestanome))
+                                                                (PP (-NONE- *-1733)))))
+                                                       (NP-SBJ (-NONE- *-133)))))))))
+                                  (NP-SBJ (-NONE- *-133))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-546 **************
+
+ ( (S
+    (NP-SBJ
+        (ADVP (ADVB Oltre)) (NUMR 100))
+     (NP (PRO~PE le))
+     (VP (VAU~RE hanno)
+         (VP (VMA~PA creduto)))
+      (. .)) )
+
+
+************** FRASE NEWS-547 **************
+
+ ( (S
+    (NP-TMP (ADVB Solo) (ADJ~IN poche)
+        (NP (NOU~CP settimane) (ADJ~DI fa)))
+     (VP (VAU~IM aveva)
+         (VP (VMA~PA organizzato)
+             (NP (ADVB anche) (ART~IN una)
+                 (NP (NOU~CS lotteria))
+                 (SBAR
+                     (NP-1333 (PRO~RE che))
+                     (S
+                         (NP-SBJ (-NONE- *-1333))
+                         (NP (PRO~PE le))
+                         (VP (VAU~CO avrebbe)
+                             (VP (VMA~PA fruttato)
+                                 (NP
+                                     (NP (ADVB circa) (NUMR 6) (NOU~CP miliardi))
+                                     (PP (PREP di)
+                                         (NP (NOU~CS incasso)))))))))))
+              (NP-SBJ (-NONE- *))
+              (. .)) )
+
+
+************** FRASE NEWS-548 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Un) (NOU~CA crack) (ADJ~QU finanziario))
+    (VP (VMA~RE scatena)
+        (NP (ART~DE l') (NOU~CS opposizione)))
+     (. .)) )
+
+
+************** FRASE NEWS-549 **************
+
+ ( (S
+    (PP-LOC (ADVB Anche) (PREP sull')
+        (NP (ART~DE sull') (NOU~PR Albania)))
+     (VP (VMA~RE soffia)
+         (NP-EXTPSBJ-533
+             (NP (ART~DE il) (NOU~CS vento))
+             (PP (PREP della)
+                 (NP (ART~DE della) (NOU~CS protesta)))))
+        (NP-SBJ (-NONE- *-533))
+        (. .)) )
+
+
+************** FRASE NEWS-550 **************
+
+ ( (S
+    (VP
+        (S
+            (VP (VMA~RE Parto)
+                (PP (PREP per)
+                    (NP (ART~DE le) (NOU~CP vacanze))))
+              (NP-SBJ (-NONE- *-1433)))
+           (, ,)
+           (VP (VAU~IM aveva)
+               (VP (VMA~PA dichiarato)
+                   (ADVP (ADVB allegramente))
+                   (NP-TMP
+                       (NP (ART~IN una) (NOU~CS decina))
+                       (PP (PREP di)
+                           (NP (NOU~CP giorni) (ADJ~DI fa))))
+                     (NP-EXTPSBJ-1433 (NOU~PR Sudja))))
+               (, ,)
+               (CONJ e)
+               (S
+                   (NP-SBJ (ART~DE la) (NOU~CS notizia))
+                   (VP (VAU~IM aveva)
+                       (VP (VMA~PA avuto)
+                           (PP-LOC (PREP su)
+                               (NP (NOU~PR Tirana)))
+                            (NP
+                                (NP (ART~DE l') (NOU~CS effetto))
+                                (PP (PREP di)
+                                    (NP (ART~IN una) (NOU~CS bomba))))))))
+                  (NP-SBJ (-NONE- *-1433))
+                  (. .)) )
+
+
+************** FRASE NEWS-551 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Le)
+            (' ') (NOU~CP vacanze)
+            (' '))
+         (VP (VMA~PA annunciate)
+             (NP (-NONE- *)))
+          (PP (PREP di)
+              (NP (NOU~PR Sudja) (NOU~PR Kademi))))
+        (VP (VMA~IM erano)
+            (NP-PRD (ART~DE il)
+                (NP (NOU~CS segnale))
+                (PP (PREP in)
+                    (NP (NOU~CS codice)))
+                 (CONJ che)
+                 (S
+                     (VP (VMA~IM stava)
+                         (PP (PREP per)
+                             (S
+                                 (VP (VMA~IN esplodere)
+                                     (PP (PREP come)
+                                         (NP
+                                             (NP (ART~IN una) (NOU~CS bolla))
+                                             (PP (PREP di)
+                                                 (NP (NOU~CS sapone))))))
+                                     (NP-SBJ (-NONE- *-2333))))
+                               (NP-433 (ART~DE il) (NOU~CS gruppo) (NOU~PR Gjallica)
+                                   (, ,)
+                                   (NP
+                                       (NP (PRO~ID una))
+                                       (PP (PREP delle)
+                                           (NP (ART~DE delle)
+                                               (NP (ADJ~IN molte))
+                                               (' ')
+                                               (NP (NOU~CP piramidi) (ADJ~QU finanziarie))
+                                               (' ')
+                                               (SBAR
+                                                   (NP-3333 (PRO~RE che))
+                                                   (S
+                                                       (NP-SBJ (-NONE- *-3333))
+                                                       (PP-TMP (PREP dopo)
+                                                           (NP
+                                                               (NP (ART~DE il) (NOU~CS crollo))
+                                                               (PP (PREP del)
+                                                                   (NP (ART~DE del) (NOU~CS comunismo)))))
+                                                          (VP (VAU~RE hanno)
+                                                              (VP (VMA~PA calamitato)
+                                                                  (NP (ART~DE gli) (NOU~CP investimenti) (ADJ~QU nazionali)))))))))))
+                                       (NP-SBJ (-NONE- *-2333)))))
+                              (. .)) )
+
+
+************** FRASE NEWS-552 **************
+
+ ( (S
+    (PP-SBJ (PREP In) (NUMR 500))
+    (, ,)
+    (VP (VAU~RE hanno)
+        (VP (VMA~PA scommesso)
+            (PP (PREP su)
+                (NP (ADJ~DE questa) (NOU~CS pesca) (ADJ~QU miracolosa)))
+             (PP (PREP con)
+                 (NP
+                     (NP (ART~DE la) (NOU~CS promessa))
+                     (PP (PREP di)
+                         (NP
+                             (NP (NOU~CP rendimenti) (ADJ~QU mensili))
+                             (PP (PREP sul)
+                                 (NP (ART~DE sul)
+                                     (NP (NOU~CS capitale))
+                                     (VP (VMA~PA versato)
+                                         (NP (-NONE- *)))))
+                                (PP (PREP dal)
+                                    (NP (ART~DE dal) (NUMR 30) (SPECIAL %))
+                                    (PP (PREP al)
+                                        (NP (ART~DE al) (NUMR 50) (SPECIAL %))))))))
+                      (, ,)
+                      (PP-LOC (PREP in)
+                          (NP (ART~IN un)
+                              (NP (NOU~CS Paese))
+                              (S
+                                  (S
+                                      (S
+                                          (PP-LOC (PREP in)
+                                              (NP (PRO~RE cui)))
+                                           (NP-SBJ (ART~DE l') (NOU~CS inflazione) (ADJ~QU ufficiale))
+                                           (VP (VMA~RE e')
+                                               (PP-PRD (PREP del)
+                                                   (NP (ART~DE del) (NUMR 20) (SPECIAL %)
+                                                       (NP (ART~DE l') (NOU~CS anno)))))))
+                                        (CONJ e)
+                                        (S
+                                            (NP-SBJ (ART~DE il) (NOU~CS reddito) (ADJ~QU medio) (ADJ~QU PRO_CAPITE))
+                                            (ADVP (ADVB non))
+                                            (VP (VMA~RE supera)
+                                                (NP (ART~DE i)
+                                                    (NP (NUMR 700)) (NOU~CP dollari)))))))))
+                            (. .)) )
+
+
+************** FRASE NEWS-553 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE Il) (NOU~CS crollo))
+            (PP (PREP di)
+                (NP (ADJ~DE questo) (NOU~CS sistema) (ADJ~QU finanziario) (ADJ~QU parallelo)
+                    (PRN
+                        (, ,)
+                        (VP (VMA~PA drogato)
+                            (NP (-NONE- *))
+                            (PP (PREP con)
+                                (NP
+                                    (NP (NOU~CP interessi))
+                                    (PP (PREP da)
+                                        (NP (NOU~CS usuraio))))))
+                            (, ,)))))
+                (VP (VMA~RE frantuma)
+                    (NP
+                        (NP (ART~DE i) (NOU~CP sogni))
+                        (PP (PREP di)
+                            (NP (NOU~CS ricchezza)))
+                         (PP (PREP della)
+                             (NP
+                                 (NP (ART~DE della) (NOU~CS nazione))
+                                 (ADJP (ADVB piu') (ADJ~QU povera))
+                                 (PP (PREP d')
+                                     (NP (NOU~PR Europa))))))))
+                   (CONJ e)
+                   (S
+                       (VP (VMA~RE rischia)
+                           (PP (PREP di)
+                               (S
+                                   (VP (VMA~IN assestare)
+                                       (NP (ART~IN un) (ADJ~QU duro) (NOU~CS colpo))
+                                       (PP
+                                           (PP (PREP al)
+                                               (NP-3433
+                                                   (NP (ART~DE al) (NOU~CS Governo))
+                                                   (PP (PREP del)
+                                                       (NP (ART~DE del) (ADJ~OR primo) (NOU~CS ministro)
+                                                           (NP (NOU~PR Aleksander) (NOU~PR Meksi))))))
+                                               (CONJ e)
+                                               (PP (PREP al)
+                                                   (NP
+                                                       (NP (ART~DE al) (NOU~CS prestigio))
+                                                       (PRN
+                                                           (, ,)
+                                                           (PP (PREP per)
+                                                               (NP (ART~DE la) (NOU~CA verita')))
+                                                            (ADVP-TMP (ADVB ormai))
+                                                            (VP (VMA~PA offuscato)
+                                                                (NP (-NONE- *))
+                                                                (PP-LGS (PREP dai)
+                                                                    (NP (ART~DE dai) (NOU~CP brogli) (ADJ~QU elettorali))))
+                                                              (, ,))
+                                                           (PP (PREP del)
+                                                               (NP (ART~DE del) (NOU~CS presidente)
+                                                                   (NP5 (NOU~PR Sali) (NOU~PR Berisha)
+                                                                       (, ,)
+                                                                       (VP (VMA~PA accusati)
+                                                                           (NP (-NONE- *))
+                                                                           (PP-LGS (PREP dalla)
+                                                                               (NP (ART~DE dalla) (NOU~CS rabbia) (ADJ~QU popolare)))
+                                                                            (PP (PREP di)
+                                                                                (S
+                                                                                    (ADVP (ADVB non))
+                                                                                    (VP (VAU~IN essere)
+                                                                                        (VP (VMA~PA intervenuti)
+                                                                                            (PP (PREP in)
+                                                                                                (NP (NOU~CS tempo)))
+                                                                                             (PP (PREP per)
+                                                                                                 (S
+                                                                                                     (VP (VMA~IN frenare)
+                                                                                                         (NP
+                                                                                                             (NP (ART~DE la) (NOU~CS corsa))
+                                                                                                             (PP (PREP alla)
+                                                                                                                 (NP (ART~DE alla) (NOU~CS speculazione)))))
+                                                                                                        (NP-SBJ (-NONE- *-3433))))))
+                                                                                            (NP-SBJ (-NONE- *-3433))))))))))))
+                                                              (NP-SBJ (-NONE- *-27.1033)))))
+                                                     (NP-SBJ-27.1033 (-NONE- *-133)))
+                                                  (. .)) )
+
+
+************** FRASE NEWS-554 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE I)
+        (NP (NOU~CP risparmiatori) (ADJ~QU albanesi))
+        (S
+            (S
+                (NP-4333 (PRO~RE che) (-NONE- *-))
+                (S
+                    (NP-SBJ-433 (-NONE- *-4333))
+                    (VP
+                        (ADVP-TMP (ADVB oggi)) (VMA~RE scendono)
+                        (PP-LOC (PREP in)
+                            (NP (NOU~CS piazza)))
+                         (VP (VMA~GE scontrandosi)
+                             (NP (PRO~RI scontrandosi))
+                             (PP (PREP con)
+                                 (NP (ART~DE la) (NOU~CS polizia)))))))
+                  (CONJ e)
+                  (S
+                      (VP (VMA~RE prendono)
+                          (PP (PREP a)
+                              (NP (NOU~CP sassate)))
+                           (NP
+                               (NP (ART~DE le) (NOU~CP vetrate))
+                               (PP
+                                   (PP (PREP di)
+                                       (NP (NOU~CP municipi)))
+                                    (CONJ e)
+                                    (PP (PREP delle)
+                                        (NP
+                                            (NP (ART~DE delle) (NOU~CP sedi))
+                                            (PP (PREP del)
+                                                (NP (ART~DE del) (NOU~CS Partito) (ADJ~QU democratico))))))))
+                              (NP-SBJ (-NONE- *-433)))))
+                     (, ,)
+                     (ADVP-TMP (ADVB presto))
+                     (VP (VMA~FU andranno)
+                         (PP (PREP a)
+                             (S
+                                 (VP (VMA~IN ingrossare)
+                                     (PP (PREP come)
+                                         (PP
+                                             (PP (PREP a)
+                                                 (NP (NOU~PR Belgrado)))
+                                              (CONJ e)
+                                              (PP (PREP a)
+                                                  (NP (NOU~PR Sofia)))))
+                                         (NP
+                                             (NP (ART~DE i) (NOU~CP cortei))
+                                             (PP (PREP degli)
+                                                 (NP (ART~DE degli) (NOU~CP scontenti)))))
+                                        (NP-SBJ (-NONE- *-133)))))
+                               (. .)) )
+
+
+************** FRASE NEWS-555 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE L') (NOU~CS opposizione))
+        (PP (PREP a)
+            (NP (NOU~PR Berisha)))
+         (PRN
+             (, ,)
+             (VP (VMA~PA rappresentata)
+                 (NP (-NONE- *))
+                 (PP-LGS
+                     (PP (ADVB soprattutto) (PREP dal)
+                         (NP (ART~DE dal) (NOU~CS Partito) (ADJ~QU socialista)))
+                      (, ,)
+                      (CONJ cioe')
+                      (PP (PREP dagli)
+                          (NP (ART~DE dagli) (ADJ~QU ex) (NOU~CP comunisti)))))
+                 (, ,)))
+           (VP
+               (VP (VAU~RE ha)
+                   (ADVP-TMP (ADVB gia'))) (VMA~PA annunciato)
+                (PP-TMP (PREP per) (ADVB domani))
+                (NP
+                    (NP (ART~IN una) (ADJ~QU grande) (NOU~CS manifestazione))
+                    (PP-LOC (PREP a)
+                        (NP (NOU~PR Tirana)))
+                     (PP (PREP contro)
+                         (NP (ART~DE il) (NOU~CS Governo)))))
+                (. .)) )
+
+
+************** FRASE NEWS-556 **************
+
+ ( (S
+    (VP
+        (PP-LOC (PREP In)
+            (NP (NOU~PR Serbia)
+                (CONJ e) (NOU~PR Bulgaria)))
+          (VP (VMA~RE-533 protestano)
+              (PP (PREP contro)
+                  (NP (ART~DE gli) (ADJ~QU ex) (NOU~CP comunisti))))
+            (, ,)
+            (S
+                (PP-LOC (PREP a)
+                    (NP (NOU~PR Tirana)))
+                 (VP (-NONE- *-533)
+                     (PP (PREP contro)
+                         (NP
+                             (NP (ART~IN un) (NOU~CS Governo))
+                             (PP (PREP di)
+                                 (NP (NOU~CA centrodestra)))
+                              (, ,)
+                              (NP
+                                  (NP (PRO~ID uno))
+                                  (PP (PREP dei)
+                                      (NP (ART~DE dei)
+                                          (NP (PRO~ID pochi))
+                                          (VP (VMA~PA rimasti)
+                                              (NP (-NONE- *))
+                                              (PP-LOC (PREP al)
+                                                  (NP (ART~DE al) (NOU~CS potere)))
+                                               (PP-LOC (PREP nei)
+                                                   (NP (ART~DE nei) (NOU~PR Balcani)))
+                                                (PP-TMP (PREP dopo)
+                                                    (NP (ART~DE le) (NOU~CP consultazioni) (ADJ~QU elettorali))))))))))
+                            (NP-SBJ (-NONE- *-5.1033))))
+                      (NP-SBJ (-NONE- *-5.1033))
+                      (. .)) )
+
+
+************** FRASE NEWS-557 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ-233 (ART~DE le) (NOU~CP etichette))
+    (ADVP (ADVB non))
+    (VP (VMO~RE devono)
+        (S
+            (VP (VMA~IN trarre)
+                (NP (-NONE- *))
+                (PP (PREP in)
+                    (NP (NOU~CS inganno))))
+              (NP-SBJ (-NONE- *-233))))
+        (. .)) )
+
+
+************** FRASE NEWS-558 **************
+
+ ( (S
+    (VP
+        (ADVP-LOC (ADVB Quasi) (ADVB ovunque)
+            (PP-LOC (PREP all')
+                (NP (ART~DE all') (NOU~CS Est))))
+          (VP (VMA~RE comandano)
+              (NP-EXTPSBJ-733
+                  (NP (ADJ~QU ex) (NOU~CP comunisti))
+                  (PP (PREP di)
+                      (NP (VMA~PA provata)
+                          (NP (NOU~CS fede))))))
+              (, ,)
+              (S
+                  (ADVP (ADVB PER_ESEMPIO))
+                  (NP-SBJ (NOU~PR Sali) (NOU~PR Berisha))
+                  (PP-TMP (PREP negli)
+                      (NP (ART~DE negli) (NOU~CP anni)
+                          (NP (NUMR 80))))
+                    (VP (VMA~IM era)
+                        (NP-PRD
+                            (NP (ART~DE il) (NOU~CS capo))
+                            (NP (NOU~CS cellula))
+                            (PP (PREP del)
+                                (NP (ART~DE del) (NOU~PR Pc) (ADJ~QU albanese)))
+                             (PP-LOC (PREP al)
+                                 (NP
+                                     (NP (ART~DE al) (NOU~CS Policlinico))
+                                     (PP-LOC (PREP di)
+                                         (NP (NOU~PR Tirana)))))))))
+                    (NP-SBJ (-NONE- *-733))
+                    (. .)) )
+
+
+************** FRASE NEWS-559 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~ID Nessuno))
+        (PP (PREP di)
+            (NP (ADJ~DE questi) (ADJ~QU ex) (NOU~CP comunisti))))
+      (VP (VMA~RE fa)
+          (PP
+              (PP (PREP del)
+                  (NP (ART~DE del) (NOU~CS socialismo)))
+               (CONJ o)
+               (PRN
+                   (, ,)
+                   (PP-1133 (PREP all')
+                       (NP (ART~DE all') (NOU~CS opposto)))
+                    (, ,))
+                 (PP (PREP del)
+                     (NP (ART~DE del) (NOU~CS capitalismo))))
+               (, ,)
+               (NP (ART~IN delle) (ADJ~QU autentiche) (NOU~CP bandiere) (ADJ~QU ideologiche)))
+            (. .)) )
+
+
+************** FRASE NEWS-560 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (PRO~DE Cio'))
+        (SBAR
+            (NP-2333 (PRO~RE che))
+            (S
+                (NP-SBJ (-NONE- *-2333))
+                (VP (VMA~RE distingue)
+                    (NP (ART~DE l') (NOU~PR Albania))
+                    (PP (PREP dallo)
+                        (NP (ART~DE dallo) (NOU~PR Zaire)))))))
+         (VP (VMA~RE e')
+             (ADVP (ADVB soprattutto))
+             (NP-PRD (ART~DE la) (NOU~CS vegetazione)))
+          (. .)) )
+
+
+************** FRASE NEWS-561 **************
+
+ ( (S
+    (PP-133 (PREP In)
+        (NP (NOU~CS fondo)))
+     (, ,)
+     (VP (VMO~RE devono)
+         (S
+             (VP (VAU~IN aver)
+                 (VP (VMA~PA pensato)
+                     (NP-733 (ART~DE i) (NOU~CP dirigenti) (ADJ~QU albanesi))
+                     (, ,)
+                     (S
+                         (VP-11.1133 (VMA~RE aiuta)
+                             (NP
+                                 (NP (ART~DE l') (NOU~CS economia))
+                                 (PP (PREP del)
+                                     (NP (ART~DE del) (NOU~CS Paese))))
+                               (PP (-NONE- *-11.1133)))
+                            (NP-SBJ (-NONE- *)))))
+                   (NP-SBJ (-NONE- *-733))))
+             (NP-SBJ (-NONE- *-733))
+             (. .)) )
+
+
+************** FRASE NEWS-562 **************
+
+ ( (S
+    (NP-TMP
+        (NP (ADVB Neppure) (ART~IN un) (NOU~CS paio))
+        (PP (PREP di)
+            (NP (NOU~CP mesi) (ADJ~DI fa))))
+      (, ,)
+      (CONJ quando)
+      (S
+          (ADVP-TMP (ADVB gia'))
+          (NP-SBJ-1033
+              (NP (ADJ~IN alcuni) (NOU~CP fondi))
+              (PP (PREP di)
+                  (NP (NOU~CS investimento) (ADJ~QU spericolati))))
+            (VP (VMA~IM faticavano)
+                (PP (PREP a)
+                    (S
+                        (VP (VMA~IN pagare)
+                            (NP (ART~DE gli) (NOU~CP interessi))))))
+                (NP-SBJ (-NONE- *-1033)))
+             (, ,)
+             (NP-SBJ (ART~DE il) (NOU~CA lek)
+                 (PRN
+                     (, ,)
+                     (NP (ART~DE la) (NOU~CS moneta) (ADJ~QU albanese))
+                     (, ,)))
+               (VP (VAU~IM aveva)
+                   (VP (VMA~PA toccato)
+                       (NP
+                           (NP (ART~DE i) (NOU~CP massimi))
+                           (PP (PREP sul)
+                               (NP (ART~DE sul) (NOU~CS dollaro))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-563 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE I) (NOU~CP risparmiatori)
+            (PRN
+                (, ,)
+                (ADVP (ADVB quasi))
+                (VP (VMA~PA impazziti)
+                    (NP (-NONE- *))
+                    (PP (PREP dalle)
+                        (NP
+                            (NP (ART~DE dalle) (NOU~CP prospettive))
+                            (PP (PREP di)
+                                (NP (NOU~CS guadagno))))))
+                    (, ,)))
+              (VP (VMA~IM continuavano)
+                  (PP (PREP a)
+                      (S
+                          (VP (VMA~IN versare)
+                              (PP (PREP a)
+                                  (NP (NOU~PR Sudja)))
+                               (NP (NOU~CP somme) (ADJ~QU stratosferiche)))
+                            (NP-SBJ (-NONE- *-133)))))
+                   (NP-SBJ (-NONE- *-133)))
+                (CONJ e)
+                (S
+                    (VP (VMA~IM vendevano)
+                        (NP
+                            (NP (NOU~CP montagne))
+                            (PP (PREP di)
+                                (NP (NOU~CS valuta) (ADJ~QU pregiata))))
+                          (CONJ PUR_DI)
+                          (S
+                              (VP (VMA~IN partecipare)
+                                  (PP (PREP alla)
+                                      (NP
+                                          (NP (ART~DE alla) (NOU~CS costruzione))
+                                          (PP (PREP della)
+                                              (NP (ART~DE della)
+                                                  (' ') (NOU~CS piramide) (ADJ~QU finanziaria)
+                                                  (' '))))))
+                                   (NP-SBJ (-NONE- *-133))))
+                             (NP-SBJ (-NONE- *-133)))
+                          (. .)) )
+
+
+************** FRASE NEWS-564 **************
+
+ ( (S
+    (ADVP (ADVB Insomma))
+    (, ,)
+    (NP-SBJ (ART~DE la) (NOU~CS zingara))
+    (VP (VAU~IM era)
+        (VP (VMA~PA diventata)
+            (NP-PRD-733
+                (NP (ART~IN una) (ADJ~QU potente) (NOU~CS calamita))
+                (PP (PREP per)
+                    (S
+                        (VP (VMA~IN rastrellare)
+                            (NP
+                                (NP (NOU~CP dollari))
+                                (, ,)
+                                (NP
+                                    (NP (NOU~CP marchi))
+                                    (, ,)
+                                    (NP
+                                        (NP (NOU~CP lire))
+                                        (, ,)
+                                        (NP
+                                            (NP (PRO~DE quello))
+                                            (SBAR
+                                                (NP-1333 (PRO~RE che) (-NONE- *-))
+                                                (S
+                                                    (NP-SBJ-1933 (-NONE- *-1333))
+                                                    (VP (VMA~RE serve)
+                                                        (PP (PREP per)
+                                                            (S
+                                                                (VP (VMA~IN pagare)
+                                                                    (NP (ART~DE le) (NOU~CP importazioni)))
+                                                                 (NP-SBJ (-NONE- *-1933))))))))))))
+                                   (NP-SBJ (-NONE- *-733)))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-565 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CA deficit))
+        (PP (PREP della)
+            (NP
+                (NP (ART~DE della) (NOU~CS bilancia) (ADJ~QU commerciale))
+                (PP-LOC (PREP di)
+                    (NP (NOU~PR Tirana))))))
+        (VP (VMA~RE sfiora)
+            (ADVP-TMP (ADVB ormai))
+            (NP
+                (NP (ART~DE il) (ADJ~QU mezzo) (NOU~CS miliardo))
+                (PP (PREP di)
+                    (NP (NOU~CP dollari)))))
+           (. .)) )
+
+
+************** FRASE NEWS-566 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ
+            (NP (ART~DE La) (NOU~CS piramide))
+            (PP (PREP di)
+                (NP (NOU~PR Sudja))))
+          (CONJ e)
+          (NP (ADJ~DI altre) (NOU~CP iniziative) (ADJ~QU simili)))
+       (VP (VAU~RE hanno)
+           (VP (VMA~PA contribuito)
+               (PP (PREP alla)
+                   (NP
+                       (NP (ART~DE alla) (NOU~CA deregulation))
+                       (PP (PREP della)
+                           (NP
+                               (NP (ART~DE della)
+                                   (' ') (NOU~CS terra)
+                                   (' '))
+                                (PP (PREP delle)
+                                    (NP (ART~DE delle) (NOU~CP aquile)))
+                                 (, ,)
+                                 (NP (ART~IN un)
+                                     (NP (NOU~CS Paese))
+                                     (S
+                                         (S
+                                             (NP-2333 (PRO~RE che))
+                                             (S
+                                                 (NP-SBJ (-NONE- *-2333))
+                                                 (ADVP (ADVB-2333 non))
+                                                 (VP (VMA~RE-2433 ha)
+                                                     (ADVP-TMP (ADVB piu'))
+                                                     (NP (ART~IN una) (NOU~CS dittatura)))))
+                                            (CONJ ma)
+                                            (VP (-NONE- *-2433)
+                                                (ADVP (-NONE- *-2333))
+                                                (ADVP (ADVB neppure))
+                                                (NP (ART~IN una)
+                                                    (NP (ADJ~QU vera) (NOU~CS democrazia))
+                                                    (VP (VMA~PA accompagnata)
+                                                        (NP (-NONE- *))
+                                                        (PP-LGS (PREP da)
+                                                            (NP (ART~IN un') (NOU~CS economia) (ADJ~QU decente))))))))))))))
+                        (. .)) )
+
+
+************** FRASE NEWS-567 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Albania))
+    (NP (PRO~RI si))
+    (VP (VAU~RE e')
+        (VP (VMA~PA dimenticata)
+            (CONJ che)
+            (S
+                (PP (PREP per)
+                    (S
+                        (VP (VMA~IN vivere))
+                        (NP-SBJ (-NONE- *))))
+                  (VP (VMA~RE bisogna)
+                      (ADVP (ADVB anche))
+                      (S
+                          (VP (VMA~IN produrre)
+                              (NP (-NONE- *)))
+                           (NP-SBJ (-NONE- *))))
+                     (NP-SBJ (-NONE- *)))))
+            (. .)) )
+
+
+************** FRASE NEWS-568 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE L') (NOU~CS agricoltura)
+            (PRN
+                (, ,)
+                (SBAR
+                    (S
+                        (PP-LOC (PREP nella)
+                            (NP (ART~DE nella) (PRO~RE quale)))
+                         (VP (VAU~RE e')
+                             (VP (VMA~PA impegnato)
+                                 (ADVP-TMP (ADVB ancora))
+                                 (NP-EXTPSBJ-933 (ART~DE il) (NUMR 50) (SPECIAL %)
+                                     (PP (PREP della)
+                                         (NP (ART~DE della) (NOU~CS popolazione) (ADJ~QU attiva))))))
+                             (NP-SBJ (-NONE- *-933))))
+                       (, ,)))
+                 (VP (VMA~RE boccheggia)
+                     (PP (PREP nonostante)
+                         (NP (ART~DE le) (NOU~CP riforme)))))
+                (CONJ e)
+                (S
+                    (ADVP-TMP (ADVB oggi))
+                    (NP-SBJ-2233 (NOU~PR Tirana)
+                        (, ,)
+                        (SBAR
+                            (NP-2333 (PRO~RE che))
+                            (S
+                                (NP-SBJ (-NONE- *-2333))
+                                (NP-TMP (ART~IN una) (NOU~CS volta))
+                                (VP (VMA~IM vantava)
+                                    (NP (ART~DE l') (NOU~CS autosufficienza) (ADJ~QU alimentare))))))
+                        (, ,)
+                        (VP (VAU~RE e')
+                            (VP (VMA~PA costretta)
+                                (PP (PREP a)
+                                    (S
+                                        (VP (VMA~IN importare)
+                                            (NP (ART~DE il) (NOU~CS grano)))))
+                                   (CONJ perche')
+                                   (S
+                                       (NP-SBJ (ART~DE le) (NOU~CP colture) (ADJ~QU intensive))
+                                       (VP
+                                           (VP (VAU~RE sono)
+                                               (ADVP (ADVB praticamente))) (VMA~PA azzerate)
+                                            (PP-LGS (PREP dalla)
+                                                (NP
+                                                    (NP (ART~DE dalla) (NOU~CS frammentazione))
+                                                    (PP (PREP delle)
+                                                        (NP (ART~DE delle) (NOU~CP terre)))))))))
+                                   (NP-SBJ (-NONE- *-2233)))
+                                (. .)) )
+
+
+************** FRASE NEWS-569 **************
+
+ ( (S
+    (PP (PREP Invece)
+        (PP (PREP dei)
+            (NP (ART~DE dei) (NOU~CP cereali))))
+      (VP (VMA~RE fiorisce)
+          (NP-EXTPSBJ-533 (ART~DE la)
+              (NP (NOU~CA marijuana))
+              (, ,)
+              (SBAR
+                  (S
+                      (PP-833 (PREP di)
+                          (NP (PRO~RE cui)))
+                       (NP-SBJ (ART~DE l') (NOU~PR Albania))
+                       (VP (VAU~RE e')
+                           (VP (VMA~PA diventato)
+                               (NP-PRD
+                                   (ADJP (ADVB piu') (ADJ~QU importante))
+                                   (NP (ART~DE il) (NOU~CS produttore) (ADJ~QU europeo))
+                                   (PP (-NONE- *-833)))))))))
+              (NP-SBJ (-NONE- *-533))
+              (. .)) )
+
+
+************** FRASE NEWS-570 **************
+
+ ( (S
+    (PP (PREP A)
+        (NP
+            (NP (NUMR 800) (NOU~CP dollari))
+            (PP (PREP al)
+                (NP (ART~DE al) (NOU~CS chilo)))))
+       (VP (VMA~RE rende)
+           (ADVP (ADVB certamente))
+           (ADVP (ADVB DI_PIÙ))
+           (NP-EXTPSBJ-1033 (ART~DE la) (NOU~CS canapa) (ADJ~QU indiana))
+           (PP (PREP del)
+               (NP (ART~DE del) (NOU~CS frumento))))
+         (NP-SBJ (-NONE- *-1033))
+         (. .)) )
+
+
+************** FRASE NEWS-571 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS regime) (ADJ~QU serbo))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA scelto)
+            (NP (ART~DE la) (NOU~CS linea) (ADJ~QU dura))))
+      (. .)) )
+
+
+************** FRASE NEWS-572 **************
+
+ ( (S
+    (S
+        (VP (VMA~GE Ignorando)
+            (NP
+                (NP (ART~DE le) (NOU~CP raccomandazioni))
+                (PP (PREP dell')
+                    (NP
+                        (NP (ART~DE dell') (NOU~CS Organizzazione))
+                        (PP (PREP per)
+                            (NP
+                                (NP (ART~DE la) (NOU~CS sicurezza))
+                                (CONJ e)
+                                (NP
+                                    (NP (ART~DE la) (NOU~CS cooperazione))
+                                    (PP-LOC (PREP in)
+                                        (NP (NOU~PR Europa))))))))))
+                (NP-SBJ (-NONE- *-1633)))
+             (, ,)
+             (ADVP-TMP (ADVB ieri))
+             (NP-SBJ-1633 (ART~DE il) (NOU~CS Governo) (ADJ~QU serbo))
+             (VP (VAU~RE ha)
+                 (VP (VMA~PA proclamato)
+                     (NP
+                         (NP (ART~DE la) (NOU~CA regolarita'))
+                         (PP (PREP della)
+                             (NP
+                                 (NP (ART~DE della) (NOU~CS vittoria))
+                                 (PP (PREP dell')
+                                     (NP
+                                         (NP (ART~DE dell') (NOU~CS alleanza))
+                                         (PP (PREP di)
+                                             (NP (NOU~CS sinistra))))))))
+                           (PP-LOC (PREP in)
+                               (NP
+                                   (NP (NUMR 8) (-NONE- *-3333))
+                                   (PP (PREP delle)
+                                       (NP (ART~DE delle)
+                                           (NP (NUMR 14))
+                                           (NP (NOU~CA-3333 citta'))
+                                           (SBAR
+                                               (NP-3333 (PRO~RE che))
+                                               (S
+                                                   (NP-SBJ (-NONE- *-3333))
+                                                   (VP (VAU~IM erano)
+                                                       (VP (VAU~PA state)
+                                                           (VP (VMA~PA conquistate))))
+                                                     (PP-LGS (PREP dal)
+                                                         (NP
+                                                             (NP (ART~DE dal) (NOU~CS cartello))
+                                                             (PP (PREP dei)
+                                                                 (NP
+                                                                     (NP (ART~DE dei) (NOU~CP partiti))
+                                                                     (PP (PREP di)
+                                                                         (NP (NOU~CS opposizione))))) (NOU~PR Zajedno)))
+                                                          (PP-TMP (PREP al)
+                                                              (NP
+                                                                  (NP (ART~DE al) (ADJ~OR primo) (NOU~CS turno))
+                                                                  (PP (PREP delle)
+                                                                      (NP (ART~DE delle)
+                                                                          (NP (NOU~CP elezioni))
+                                                                          (ADVP-TMP (ADVB poi))
+                                                                          (VP (VMA~PA annullate)
+                                                                              (NP (-NONE- *))
+                                                                              (PP-LGS (PREP dal)
+                                                                                  (NP
+                                                                                      (NP (ART~DE dal) (NOU~CS regime))
+                                                                                      (PP (PREP di)
+                                                                                          (NP (NOU~PR Milosevic))))))))))))))))))
+                                          (. .)) )
+
+
+************** FRASE NEWS-573 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS partito) (ADJ~QU socialista))
+    (VP
+        (VP (VAU~RE ha)
+            (ADVP-TMP (ADVB intanto))) (VMA~PA presentato)
+         (PP (PREP alla)
+             (NP (ART~DE alla) (NOU~CS Corte) (ADJ~QU suprema)))
+          (NP
+              (NP (ART~IN una) (NOU~CS denuncia))
+              (PP (PREP contro)
+                  (NP (ART~DE la)
+                      (NP (NOU~CS Commissione) (ADJ~QU elettorale))
+                      (SBAR
+                          (NP-1333 (PRO~RE che))
+                          (S
+                              (NP-SBJ (-NONE- *-1333))
+                              (VP (VAU~IM aveva)
+                                  (VP (VMA~PA proclamato)
+                                      (PP-TMP (PREP nei)
+                                          (NP (ART~DE nei) (NOU~CP giorni) (ADJ~DI scorsi)))
+                                       (NP
+                                           (NP (ART~DE la) (NOU~CS vittoria))
+                                           (PP (PREP di)
+                                               (NP (NOU~PR Zajedno)))
+                                            (PP-LOC (PREP al)
+                                                (NP
+                                                    (NP (ART~DE al) (NOU~CS Comune))
+                                                    (PP-LOC (PREP di)
+                                                        (NP (NOU~PR Belgrado))))))))))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-574 **************
+
+ ( (S
+    (CONJ E)
+    (NP-SBJ
+        (NP (ADVB anche) (ART~DE il) (NOU~CS ministero))
+        (PP (PREP degli)
+            (NP (ART~DE degli) (NOU~CP Interni))))
+      (VP (VMA~RE mostra)
+          (NP (ART~DE i) (NOU~CP muscoli)))
+       (. .)) )
+
+
+************** FRASE NEWS-575 **************
+
+ ( (S
+    (PP-TMP (PREP Dopo)
+        (NP
+            (NP (NOU~CP settimane))
+            (PP (PREP di)
+                (NP (NOU~CP tentennamenti)))))
+       (, ,)
+       (NP-TMP
+           (NP (NOU~CA lunedi'))
+           (NP-TMP (NOU~CS notte)))
+        (NP-SBJ-833 (ART~DE la) (NOU~CS polizia) (ADJ~QU speciale) (ADJ~QU antisommossa))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA usato)
+                (NP (ART~DE la) (NOU~CS forza))
+                (PP (PREP contro)
+                    (NP-1733
+                        (NP (ADJ~IN alcuni) (NOU~CP gruppi))
+                        (PP (PREP di)
+                            (NP (NOU~CP manifestanti)))))
+                   (PP (PREP per)
+                       (S
+                           (VP (VMA~IN impedire)
+                               (CONJ che)
+                               (S
+                                   (NP (PRO~RI si))
+                                   (VP (VMA~IM unissero)
+                                       (PP (PREP agli)
+                                           (NP (ART~DE agli)
+                                               (NP (NOU~CP studenti))
+                                               (SBAR
+                                                   (NP-2333 (PRO~RE che))
+                                                   (S
+                                                       (NP-SBJ (-NONE- *-2333))
+                                                       (PP-TMP (PREP da)
+                                                           (NP (NUMR due) (NOU~CP giorni)))
+                                                        (VP (VAU~RE stanno)
+                                                            (VP (VMA~GE fronteggiando)
+                                                                (NP (ART~DE i) (NOU~CP poliziotti))
+                                                                (PP-LOC (PREP al)
+                                                                    (NP
+                                                                        (NP (ART~DE al) (NOU~CS limitare))
+                                                                        (PP (PREP della)
+                                                                            (NP
+                                                                                (NP (ART~DE della) (NOU~CS zona) (ADJ~QU pedonale))
+                                                                                (PP (PREP della)
+                                                                                    (NP (ART~DE della) (NOU~PR Kneza)
+                                                                                        (, ,)
+                                                                                        (NP
+                                                                                            (NP (ART~DE il) (NOU~CS cuore))
+                                                                                            (PP (PREP di)
+                                                                                                (NP (NOU~PR Belgrado)))))))))))))))))
+                                                   (NP-SBJ (-NONE- *-1733))))))))
+                                 (NP-SBJ (-NONE- *-833))
+                                 (. .)) )
+
+
+************** FRASE NEWS-576 **************
+
+ ( (S
+    (NP-PRD (ART~IN Una) (NOU~CS decina))
+    (VP (-NONE- *)
+        (NP-EXTPSBJ-333 (ART~DE i) (NOU~CP feriti)))
+     (NP-SBJ (-NONE- *-333))
+     (. .)) )
+
+
+************** FRASE NEWS-577 **************
+
+ ( (S
+    (NP-SBJ (ART~DE I) (NOU~CP reparti) (ADJ~QU speciali))
+    (VP
+        (ADVP (ADVB non))
+        (VP (VAU~IM erano)
+            (ADVP-TMP (ADVB piu'))) (VMA~PA entrati)
+         (PP-LOC (PREP in)
+             (NP (NOU~CS azione)))
+          (PP-TMP (PREP dopo)
+              (NP
+                  (NP (ART~DE i) (ADJ~QU sanguinosi) (NOU~CP scontri))
+                  (PP-TMP
+                      (PP (PREP del)
+                          (NP (ART~DE del) (NUMR 25) (-NONE- *-1933)))
+                       (CONJ e)
+                       (PP (PREP del)
+                           (NP-1933 (ART~DE del) (NUMR 26) (NOU~CS dicembre)))))))
+            (. .)) )
+
+
+************** FRASE NEWS-578 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS quotidiano) (ADJ~QU belgradese) (NOU~PR Telegraph))
+    (ADVP-TMP (ADVB ieri))
+    (VP (VMA~IM scriveva)
+        (CONJ che)
+        (S
+            (NP-SBJ-833 (NOU~PR Milosevic))
+            (VP (VMA~RE e')
+                (ADVP-TMP (ADVB ormai))
+                (ADJP-PRD (ADJ~QU deciso)
+                    (PP (PREP a)
+                        (S
+                            (VP (VMA~IN proclamare)
+                                (NP
+                                    (NP (ART~DE lo) (NOU~CS stato))
+                                    (PP (PREP di)
+                                        (NP (NOU~CS emergenza)))))
+                               (NP-SBJ (-NONE- *-833))))))))
+             (. .)) )
+
+
+************** FRASE NEWS-579 **************
+
+ ( (S
+    (CONJ Ma)
+    (PP-LOC (PREP sulla)
+        (NP (ART~DE sulla) (NOU~PR Serbia)))
+     (VP (VMA~RE pesa)
+         (ADVP (ADVB anche))
+         (NP-EXTPSBJ-633 (ART~IN un') (ADJ~DI altra) (NOU~CS minaccia)))
+      (NP-SBJ (-NONE- *-633))
+      (. .)) )
+
+
+************** FRASE NEWS-580 **************
+
+ ( (S
+    (VP
+        (PP-LOC (PREP Nei)
+            (NP (ART~DE Nei) (NOU~PR Balcani)))
+         (ADVP-TMP (ADVB oggi))
+         (ADVP (ADVB non))
+         (NP-433 (PRO~RI-533 si))
+         (VP (VMA~RE-633 governa)
+             (PP
+                 (PP (PREP IN_NOME_DI)
+                     (NP (NOU~PR Marx)))
+                  (CONJ oppure)
+                  (PP (PREP IN_NOME_DI)
+                      (NP (ART~IN un)
+                          (PUNCT -)
+                          (NP (ADJ~QU neo) (NOU~CS capitalismo))
+                          (ADJP
+                              (ADJP (ADJ~QU libero))
+                              (CONJ e)
+                              (ADJP (ADJ~QU selvaggio)))))))
+               (, ,)
+               (CONJ ma)
+               (S
+                   (NP-SBJ-21.1033 (-NONE- *-533))
+                   (VP (-NONE- *-633)
+                       (ADVP (ADVB semplicemente))
+                       (PP (PREP per)
+                           (S
+                               (S
+                                   (VP (VMA~IN-2433 mantenere)
+                                       (PP-LOC (PREP al)
+                                           (NP (ART~DE al) (NOU~CS potere)))
+                                        (NP (ART~IN un) (NOU~CA-2833 clan))
+                                        (PP (PREP contro)
+                                            (NP (ART~IN un) (ADJ~DI altro) (-NONE- *-2833))))
+                                      (NP-SBJ (-NONE- *-21.1033)))
+                                   (, ,)
+                                   (S
+                                       (VP (-NONE- *-2433)
+                                           (NP
+                                               (NP (ART~IN un) (NOU~CS partito)
+                                                   (PUNCT -)
+                                                   (NP (NOU~CS mafia)))
+                                                (CONJ e)
+                                                (NP (ART~IN un)
+                                                    (NP (NOU~CS-3933 gruppo))
+                                                    (ADJP
+                                                        (ADJP (ADJ~QU politico))
+                                                        (PUNCT -)
+                                                        (ADJP (ADJ~QU affaristico)))))
+                                               (PP (PREP AL_POSTO_DI)
+                                                   (NP (ART~IN un) (ADJ~DI altro) (-NONE- *-3933))))
+                                             (NP-SBJ (-NONE- *-21.1033)))))
+                                    (, ,)
+                                    (ADJP-PRD (ADVB cinicamente) (ADJ~QU consapevoli)
+                                        (CONJ che)
+                                        (S
+                                            (NP-SBJ (ART~DE la) (NOU~CS democrazia))
+                                            (VP (VMA~RE e')
+                                                (ADVP (ADVB soltanto))
+                                                (NP-PRD
+                                                    (NP (ART~IN una) (NOU~CS facciata) (ADJ~QU cosmetica))
+                                                    (PP (PREP per)
+                                                        (S
+                                                            (VP (VMA~IN ottenere)
+                                                                (NP
+                                                                    (NP (NOU~CP finanziamenti))
+                                                                    (CONJ e)
+                                                                    (NP (NOU~CP crediti)))
+                                                                 (PP (PREP dalle)
+                                                                     (NP (ART~DE dalle)
+                                                                         (NP (NOU~CP istituzioni))
+                                                                         (ADJP
+                                                                             (ADJP (ADJ~QU internazionali))
+                                                                             (CONJ ed)
+                                                                             (ADJP (ADJ~QU europee))))))
+                                                                 (NP-SBJ (-NONE- *-21.1033)))))))))))
+                                      (NP-SBJ (-NONE- *-533))
+                                      (. .)) )
+
+
+************** FRASE NEWS-581 **************
+
+ ( (S
+    (NP (ADJ~DI-SBJ Altre) (NOU~CP fonti))
+    (VP (VMA~RE riferiscono)
+        (PP (PREP di)
+            (NP-533 (ART~IN un)
+                (NP (NOU~CS convoglio))
+                (SBAR
+                    (S
+                        (VP (VMA~PA diretto)
+                            (PP-LOC (PREP a)
+                                (NP (NOU~PR Valona))))
+                          (NP-SBJ (-NONE- *-533))))
+                    (, ,)
+                    (SBAR
+                        (NP-1333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-1333))
+                            (ADVP-TMP (ADVB ieri)
+                                (NP-TMP (NOU~CS mattina)))
+                             (VP (VAU~CO sarebbe)
+                                 (VP (VAU~PA stato)
+                                     (VP (VMA~PA preso))))
+                               (PP (PREP d')
+                                   (NP (NOU~CS assalto))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-582 **************
+
+ ( (S
+    (CONJ Dopo)
+    (S
+        (VP (VAU~IN aver)
+            (VP (VMA~PA fatto)
+                (S
+                    (VP (VMA~IN scendere)
+                        (NP-533 (ART~DE i) (NOU~CP passeggeri)))
+                     (NP-SBJ (-NONE- *-533)))))
+            (NP-SBJ (-NONE- *-833)))
+         (, ,)
+         (NP-SBJ-833 (ART~DE i) (NOU~CP rivoltosi))
+         (VP (VAU~CO avrebbero)
+             (VP (VMA~PA rovesciato)
+                 (NP (ART~DE le) (NOU~CP carrozze))))
+           (. .)) )
+
+
+************** FRASE NEWS-583 **************
+
+ ( (S
+    (NP (NOU~CP Disordini))
+    (NP (PRO~RI si))
+    (VP (VMA~RE segnalano)
+        (PP-LOC (ADVB anche) (PREP in)
+            (NP (ADJ~IN numerose) (ADJ~DI altre) (NOU~CA citta'))))
+      (. .)) )
+
+
+************** FRASE NEWS-584 **************
+
+ ( (PP
+    (PP
+        (PP (PREP Nel)
+            (NP
+                (NP (ART~DE Nel) (NOU~CS centro) (ADJ~QU industriale))
+                (PP (PREP di)
+                    (NP (NOU~PR Elbasan))))))
+        (, ,)
+        (PP
+            (PP (PREP a)
+                (NP (NOU~PR Librazhd)))
+             (, ,)
+             (PP (PREP a)
+                 (NP
+                     (NP (NOU~PR Lac)
+                         (PRN
+                             (-LRB- -LRB-)
+                             (S
+                                 (ADVP-LOC (ADVB anche) (ADVB qui))
+                                 (NP-PRD
+                                     (NP (NOU~CS obiettivo))
+                                     (PP (PREP dei)
+                                         (NP (ART~DE dei) (NOU~CP manifestanti))))
+                                   (VP (VAU~RE e')
+                                       (VP (VMA~PA stato)
+                                           (NP-EXTPSBJ-2033
+                                               (NP (ART~DE il) (NOU~CS commissariato))
+                                               (PP (PREP di)
+                                                   (NP (NOU~CS polizia))))))
+                                       (NP-SBJ (-NONE- *-2033)))
+                                    (-RRB- -RRB-)))
+                              (, ,)
+                              (NP (NOU~PR Kuchova)
+                                  (, ,)
+                                  (NP (NOU~PR Memaljai)
+                                      (, ,)
+                                      (NP (NOU~PR Tepelene)
+                                          (PRN
+                                              (-LRB- -LRB-)
+                                              (S
+                                                  (PP-LOC (PREP nel)
+                                                      (NP
+                                                          (NP (ART~DE nel) (NOU~CS carcere))
+                                                          (PP (PREP di)
+                                                              (NP (ADJ~DE questa) (NOU~CA citta')))))
+                                                     (VP (VAU~RE e')
+                                                         (VP (VMA~PA detenuto)
+                                                             (NP-EXTPSBJ-3933
+                                                                 (NP (ART~DE il) (NOU~CA leader))
+                                                                 (PP (PREP dell')
+                                                                     (NP (ART~DE dell') (NOU~CS opposizione) (ADJ~QU socialista)))
+                                                                  (, ,)
+                                                                  (NP (NOU~PR Fatos) (NOU~PR Nano))
+                                                                  (, ,)
+                                                                  (SBAR
+                                                                      (NP-4333 (PRO~RE che))
+                                                                      (S
+                                                                          (NP-SBJ (-NONE- *-4333))
+                                                                          (VP (VAU~RE sta)
+                                                                              (VP (VMA~GE cavalcando)
+                                                                                  (NP (ART~DE la) (NOU~CS rivolta)))))))))
+                                                             (NP-SBJ (-NONE- *-3933)))
+                                                          (-RRB- -RRB-))))))))
+                                     (. .)) )
+
+
+************** FRASE NEWS-585 **************
+
+ ( (S
+    (PP (PREP Per)
+        (NP
+            (NP (NOU~CP motivi))
+            (PP (PREP di)
+                (NP (NOU~CS sicurezza)))))
+       (, ,)
+       (NP-SBJ (ART~DE la) (NOU~CS Federazione) (ADJ~QU nazionale)
+           (NP (NOU~CS calcio)))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA sospeso)
+                (PRN
+                    (, ,)
+                    (ADVP (ADVB FINO_A_NUOVO_ORDINE))
+                    (, ,))
+                 (NP (ART~DE il)
+                     (NP (NOU~CS campionato))
+                     (, ,)
+                     (SBAR
+                         (NP-2333 (PRO~RE che))
+                         (S
+                             (NP-SBJ (-NONE- *-2333))
+                             (PP-LOC (PREP in)
+                                 (NP (NOU~PR Albania)))
+                              (NP (PRO~RI si))
+                              (VP (VMA~RE disputa)
+                                  (NP-TMP (ART~DE il) (NOU~CS sabato))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-586 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE L') (NOU~CS ambasciata) (ADJ~QU americana))
+        (PP-LOC (PREP a)
+            (NP (NOU~PR Tirana))))
+      (VP (VAU~RE ha)
+          (VP (VMA~PA avvisato)
+              (NP-833 (ART~DE i) (NOU~CP cittadini) (NOU~PR Usa))
+              (PP
+                  (PP (PREP di)
+                      (S
+                          (VP (VMA~IN muoversi)
+                              (NP-12.133 (PRO~RI muoversi))
+                              (PP (PREP con)
+                                  (NP (ADJ~QU estrema) (NOU~CS cautela)))
+                               (PP-LOC (PREP nel)
+                                   (NP (ART~DE nel) (NOU~CS Paese))))
+                             (NP-SBJ (-NONE- *-833))))
+                       (CONJ e)
+                       (PP (PREP di)
+                           (S
+                               (VP (VMA~IN evitare)
+                                   (NP (ART~DE gli) (NOU~CP assembramenti)))
+                                (NP-SBJ (-NONE- *-12.133)))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-587 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133
+            (NP (ART~DE I) (NOU~CP partiti))
+            (PP (PREP d')
+                (NP (NOU~CS opposizione))
+                (PP (PREP al)
+                    (NP
+                        (NP (ART~DE al) (NOU~CS Governo))
+                        (PP (PREP di)
+                            (NP (NOU~CS destra)))
+                         (PP (PREP del)
+                             (NP (ART~DE del) (NOU~CS presidente) (NOU~PR Berisha)))))))
+              (VP (VAU~RE stanno)
+                  (VP (VMA~GE soffiando)
+                      (PP-LOC (PREP sul)
+                          (NP
+                              (NP (ART~DE sul) (NOU~CS fuoco))
+                              (PP (PREP delle)
+                                  (NP (ART~DE delle) (NOU~CP proteste))))))))
+                (CONJ e)
+                (S
+                    (VP (VAU~RE hanno)
+                        (VP (VMA~PA indetto)
+                            (NP (ART~IN una) (NOU~CS manifestazione))
+                            (PP-TMP (PREP per) (ADVB oggi))
+                            (PP-LOC (PREP nella)
+                                (NP (ART~DE nella) (NOU~CS capitale)))))
+                       (NP-SBJ (-NONE- *-133)))
+                    (. .)) )
+
+
+************** FRASE NEWS-588 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Gli) (NOU~CP investimenti))
+        (PP (PREP a)
+            (NP (NOU~CS piramide)))
+         (, ,)
+         (SBAR
+             (NP-6333 (PRO~RE che))
+             (S
+                 (NP-SBJ (-NONE- *-6333))
+                 (VP (VAU~IM venivano)
+                     (VP (VMA~PA gestiti)
+                         (PP-LGS (PREP da)
+                             (NP (NUMR dieci) (ADJ~QU diverse) (NOU~CA societa') (ADJ~QU finanziarie)))
+                          (S
+                              (VP (VMA~GE promettendo)
+                                  (NP (NOU~CP rendimenti) (ADJ~QU elevatissimi)))
+                               (NP-SBJ (-NONE- *))))))))
+             (, ,)
+             (VP (VAU~RE sono)
+                 (VP (VMA~PA crollati)
+                     (CONJ quando)
+                     (S
+                         (ADVP (ADVB non))
+                         (VP (VAU~RE sono)
+                             (VP (VAU~PA stati)
+                                 (ADVP-TMP (ADVB piu'))
+                                 (VP (VMA~PA raccolti))))
+                           (NP-SBJ (-NONE- *-2633))
+                           (NP-EXTPSBJ-2633
+                               (NP (NOU~CP azionisti))
+                               (ADJP (ADJ~QU disposti)
+                                   (PP (PREP ad)
+                                       (S
+                                           (VP (VMA~IN alimentare)
+                                               (NP
+                                                   (NP (ART~DE la) (NOU~CS base))
+                                                   (PP (PREP della)
+                                                       (NP (ART~DE della) (NOU~CS piramide)))))
+                                              (NP-SBJ (-NONE- *-2633)))))))))
+                         (. .)) )
+
+
+************** FRASE NEWS-589 **************
+
+ ( (S
+    (S
+        (VP (VMA~GE Affrontando)
+            (NP
+                (NP (PRO~ID una))
+                (PP (PREP delle)
+                    (NP (ART~DE delle)
+                        (ADJP (ADVB piu') (ADJ~QU gravi))
+                        (NP (NOU~CA crisi)
+                            (PP (PREP del)
+                                (NP (ART~DE del) (ADJ~PO proprio) (NOU~CS Governo)))
+                             (PP-1033 (PREP da)
+                                 (NP-1133 (PRO~RE quando)
+                                     (S
+                                         (VP (VAU~RE hanno)
+                                             (VP (VMA~PA sconfitto)
+                                                 (NP-13.1133 (-NONE- *-1133))
+                                                 (NP-TMP (-NONE- *-13.1133))
+                                                 (NP (ART~DE gli) (ADJ~QU ex) (NOU~CP comunisti))
+                                                 (PP-TMP (PREP nel)
+                                                     (NP (ART~DE nel) (NUMR 1992)))))
+                                            (NP-SBJ (-NONE- *-2033))))))))))
+                    (NP-SBJ (-NONE- *-2033)))
+                 (, ,)
+                 (NP-SBJ-2033
+                     (NP (ART~DE i) (NOU~CP Democratici))
+                     (PP (PREP di)
+                         (NP (NOU~PR Sali) (NOU~PR Berisha))))
+                   (VP (VAU~RE hanno)
+                       (VP (VMA~PA tentato)
+                           (PP (PREP di)
+                               (S
+                                   (VP (VMA~IN calmare)
+                                       (NP
+                                           (NP (ART~DE gli) (NOU~CP animi))
+                                           (PP (PREP della)
+                                               (NP-31.133 (ART~DE della) (NOU~CS popolazione)
+                                                   (PRN
+                                                       (, ,)
+                                                       (SBAR
+                                                           (NP-3333 (PRO~RE che))
+                                                           (S
+                                                               (NP-SBJ (-NONE- *-3333))
+                                                               (VP (VMA~RE rischia)
+                                                                   (PP (PREP di)
+                                                                       (S
+                                                                           (VP (VMA~IN perdere)
+                                                                               (NP
+                                                                                   (NP (ART~DE i) (NOU~CP risparmi))
+                                                                                   (PP (PREP di)
+                                                                                       (NP (ART~IN un') (ADJ~QU intera) (NOU~CS vita)))))
+                                                                              (NP-SBJ (-NONE- *-31.133)))))))
+                                                               (, ,))))))
+                                                (NP-SBJ (-NONE- *-2033))))
+                                          (S
+                                              (S
+                                                  (VP (VMA~GE vietando)
+                                                      (NP
+                                                          (NP (ART~DE gli) (NOU~CP schemi))
+                                                          (PP (PREP d')
+                                                              (NP (NOU~CS investimento)))
+                                                           (PP (PREP a)
+                                                               (NP (NOU~CS piramide)))))
+                                                      (NP-SBJ (-NONE- *-2033)))
+                                                   (, ,)
+                                                   (S
+                                                       (S
+                                                           (VP (VMA~GE prevedendo)
+                                                               (NP
+                                                                   (NP (NOU~CP pene) (ADJ~QU detentive))
+                                                                   (PP-TMP (PREP fino)
+                                                                       (PP (PREP a)
+                                                                           (NP (NUMR vent') (NOU~CP anni)))))
+                                                                  (PP (PREP per)
+                                                                      (NP (ART~DE i) (NOU~CP responsabili))))
+                                                                (NP-SBJ (-NONE- *-2033)))
+                                                             (CONJ e)
+                                                             (S
+                                                                 (VP (VMA~GE congelando)
+                                                                     (NP (ART~DE i) (NOU~CP fondi))))))))
+                                                   (NP-SBJ (-NONE- *-2033))
+                                                   (. .)) )
+
+
+************** FRASE NEWS-590 **************
+
+ ( (S
+    (VP
+        (PP (PREP Per)
+            (NP
+                (NP (PRO~ID molti))
+                (PP (PREP degli)
+                    (NP
+                        (NP (ART~DE degli) (NOU~CP organizzatori))
+                        (PP (PREP della)
+                            (NP (ART~DE della) (NOU~CS truffa)))))))
+             (VP (VAU~RE sono)
+                 (VP (VMA~PA scattate)
+                     (NP-EXTPSBJ-933 (ART~DE le) (NOU~CP manette))))
+               (, ,)
+               (CONJ ma)
+               (S
+                   (NP-SBJ-1333 (ART~DE il) (NOU~CS Governo))
+                   (VP (VAU~RE e')
+                       (VP (VMA~PA finito)
+                           (ADVP (ADVB LO_STESSO))
+                           (PP-LOC+METAPH (PREP nell')
+                               (NP
+                                   (NP (ART~DE nell') (NOU~CS occhio))
+                                   (PP (PREP del)
+                                       (NP (ART~DE del) (NOU~CS ciclone)))))
+                              (PP (PREP con)
+                                  (NP (ART~DE l') (NOU~CS accusa)
+                                      (PP (PREP di)
+                                          (S
+                                              (VP
+                                                  (VP (VAU~IN esserne)
+                                                      (NP-27.133 (PRO~PE esserne))) (VMA~PA stato)
+                                                   (NP-PRD
+                                                       (PRN
+                                                           (, ,)
+                                                           (CONJ se)
+                                                           (NP
+                                                               (NP (ADVB non) (NOU~CS complice))
+                                                               (NP (-NONE- *-27.133)))
+                                                            (, ,))
+                                                         (NP (ADVB PER_LO_MENO) (NOU~CS convivente))))
+                                                   (NP-SBJ (-NONE- *-1333))))))))))
+                           (NP-SBJ (-NONE- *-933))
+                           (. .)) )
+
+
+************** FRASE NEWS-591 **************
+
+ ( (S
+    (CONJ Ma)
+    (NP-SBJ
+        (NP (ADVB proprio) (ART~DE il) (NOU~CS congelamento))
+        (PP (PREP dei)
+            (NP
+                (NP (ART~DE dei) (NOU~CP patrimoni))
+                (PP (PREP dei)
+                    (NP (ART~DE dei) (NOU~CP fondi))))))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA fatto)
+                (S
+                    (VP (VMA~IN salire)
+                        (ADVP (ADVB AL_MASSIMO))
+                        (NP-1433 (ART~DE la) (NOU~CS tensione)))
+                     (NP-SBJ (-NONE- *-1433)))
+                  (, ,)
+                  (CONJ DATO_CHE)
+                  (S
+                      (NP-SBJ-1933 (ADJ~IN molti) (NOU~CP investitori))
+                      (VP (VMA~RE temono)
+                          (PP (PREP di)
+                              (S
+                                  (ADVP (ADVB non))
+                                  (VP (VMA~IN vedere)
+                                      (ADVP-TMP (ADVB piu'))
+                                      (NP (ART~DE i) (ADJ~PO loro) (NOU~CP soldi)))
+                                   (NP-SBJ (-NONE- *-1933))))))))
+                 (. .)) )
+
+
+************** FRASE NEWS-592 **************
+
+ ( (S
+    (NP
+        (NP (ART~IN Un) (NOU~CS miliardo))
+        (PP (PREP di)
+            (NP (NOU~CP dollari))))
+      (PUNCT -)
+      (VP (VMA~RE dice)
+          (NP-EXTPSBJ-733 (NOU~PR John) (NOU~PR King)
+              (, ,)
+              (NP
+                  (NP (NOU~CS rappresentante))
+                  (PP-LOC (PREP a)
+                      (NP (NOU~PR Tirana)))
+                   (PP (PREP del)
+                       (NP (ART~DE del) (NOU~CS Fondo) (ADJ~QU monetario) (ADJ~QU internazionale))))))
+           (NP-SBJ (-NONE- *-733))
+           (PUNCT -)
+           (. .)) )
+
+
+************** FRASE NEWS-593 **************
+
+ ( (S
+    (NP-SBJ (PRO~DE Questa))
+    (VP (VMA~RE e')
+        (NP-PRD
+            (NP (ART~DE la) (ADJ~PO nostra) (NOU~CS stima))
+            (PRN
+                (, ,)
+                (ADVP (ADVB PER_DIFETTO))
+                (, ,))
+             (PP (PREP dei)
+                 (NP (ART~DE dei)
+                     (NP (NOU~CP soldi))
+                     (VP (VMA~PA investiti)
+                         (NP (-NONE- *))
+                         (PP-LOC (PREP nelle)
+                             (NP (ART~DE nelle)
+                                 (NP (NOU~CA societa'))
+                                 (SBAR
+                                     (NP-1333 (PRO~RE che))
+                                     (S
+                                         (NP-SBJ (-NONE- *-1333))
+                                         (VP (VMA~IM costituivano)
+                                             (NP (ART~DE il) (NOU~PR Ponzi) (NOU~CA scheme) (ADJ~QU albanese))))))))))))
+               (. .)) )
+
+
+************** FRASE NEWS-594 **************
+
+ ( (S
+    (VP (VMA~RA Fu)
+        (NP-EXTPSBJ-233 (ART~DE l'))
+        (NP-EXTPSBJ-633
+            (ADJP
+                (ADJP (ADJ~QU italo))
+                (PUNCT -)
+                (ADJP (ADJ~QU americano))) (NOU~PR Tom) (NOU~PR Ponzi))
+          (PP (PREP a)
+              (S
+                  (VP (VMA~IN inventare)
+                      (PP-LOC (PREP nella)
+                          (NP
+                              (NP (ART~DE nella) (NOU~PR Chicago))
+                              (PP-TMP (PREP di)
+                                  (NP (NOU~PR Al) (NOU~PR Capone)))))
+                         (NP-1633 (ART~DE il)
+                             (NP (NOU~CS meccanismo) (ADJ~QU infernale))
+                             (SBAR
+                                 (NP-1333 (PRO~RE che))
+                                 (S
+                                     (NP-SBJ (-NONE- *-1333))
+                                     (VP
+                                         (PP-LOC (PREP nella)
+                                             (NP
+                                                 (NP (ART~DE nella) (NOU~PR Milano) (ADJ~QU rampante))
+                                                 (PP-TMP (PREP degli)
+                                                     (NP (ART~DE degli) (NOU~CP anni)
+                                                         (NP (DATE '80))))))
+                                             (VP (VAU~IM era)) (VMA~PA diventato)
+                                             (PRN
+                                                 (, ,)
+                                                 (S
+                                                     (ADVP (ADVB leggermente))
+                                                     (VP-2933 (VMA~PA corretto))
+                                                     (NP-SBJ (-NONE- *-1633)))
+                                                  (, ,))
+                                               (NP-PRD
+                                                   (NP (ART~IN un) (NOU~CS gioco))
+                                                   (PP (PREP di)
+                                                       (NP (NOU~CA società))))
+                                                 (VP-PRD (-NONE- *-2933)))))))
+                                  (NP-SBJ (-NONE- *-233)))))
+                         (NP-SBJ (-NONE- *-233))
+                         (. .)) )
+
+
+************** FRASE NEWS-595 **************
+
+ ( (S
+    (NP (PRO~RI Si))
+    (VP (VMA~IM chiamava)
+        (NP-PRD (ART~DE l')
+            (" ") (NOU~PR Aeroplano)
+            (" ")))
+      (NP-SBJ (-NONE- *))
+      (. .)) )
+
+
+************** FRASE NEWS-596 **************
+
+ ( (S
+    (S
+        (NP-SBJ (PRO~RI Si))
+        (' ')
+        (VP (VMA~IM scuciva)
+            (' ')
+            (NP (ART~IN un) (NOU~CS milione))))
+      (CONJ e)
+      (S
+          (S
+              (NP-SBJ-833 (PRO~RI se))
+              (NP-933 (PRO~PE ne))
+              (VP (VMA~IM riceveva)
+                  (PP-PRD (PREP in)
+                      (NP (NOU~CS regalo)))
+                   (NP (ART~IN un) (-NONE- *-933))))
+             (, ,)
+             (S
+                 (NP-PRD (ART~DE l') (ADJ~QU importante))
+                 (VP (VMA~IM era)
+                     (S-EXTPSBJ-433
+                         (VP-1933 (VMA~IN trovare)
+                             (ADVP-TMP (ADVB sempre))
+                             (NP
+                                 (NP (ADJ~IN qualche) (ADJ~QU nuovo) (NOU~CS passeggero))
+                                 (PP (PREP da)
+                                     (S
+                                         (VP (VMA~IN infilare)
+                                             (NP (-NONE- *-2333))
+                                             (PP-LOC (PREP nella)
+                                                 (NP (ART~DE nella) (NOU~CA WAITING_LIST))))
+                                           (NP-SBJ (-NONE- *-833))))
+                                     (PP (PREP per)
+                                         (NP (ART~DE il)
+                                             (" ") (NOU~CS volo)
+                                             (" ") (ADJ~QU milionario))))
+                                    (, ,)
+                                    (PP-TMP (PREP fino)
+                                        (PP (PREP a)
+                                            (CONJ quando)
+                                            (S
+                                                (S
+                                                    (NP-SBJ-3933 (ART~DE i)
+                                                        (ADJP (ADVB piu') (ADJ~QU sfortunati)))
+                                                     (VP (VMA~IM restavano)
+                                                         (ADVP (ADVB immancabilmente))
+                                                         (PP-LOC (PREP a)
+                                                             (NP (NOU~CS terra)))))
+                                                    (, ,)
+                                                    (CONJ cioe')
+                                                    (S
+                                                        (NP-LOC (PRO~LO ci))
+                                                        (VP (VMA~IM rimettevano)
+                                                            (NP (ART~DE i) (NOU~CP soldi)))
+                                                         (NP-SBJ (-NONE- *-3933)))))))
+                                          (NP-SBJ (-NONE- *))))
+                                    (VP-SBJ (-NONE- *-1933))))
+                              (. .)) )
+
+
+************** FRASE NEWS-597 **************
+
+ ( (S
+    (PP-TMP (PREP Negli)
+        (NP (ART~DE Negli) (NOU~CP anni)
+            (NP (NUMR 20))))
+      (NP-SBJ-433 (NOU~PR Ponzi))
+      (VP (VMA~IM prometteva)
+          (NP
+              (NP (NOU~CP interessi))
+              (PP (PREP da)
+                  (NP (NOU~CS brivido)))
+               (PP-TMP (PREP in)
+                   (NP (ADJ~IN poche) (NOU~CP settimane)))
+                (SBAR
+                    (S
+                        (NP (PRO~RE che))
+                        (VP (VMA~IM ripagava)
+                            (PP (PREP ai)
+                                (NP (ART~DE ai) (ADJ~OR primi) (NOU~CP clienti)))
+                             (PP (PREP con)
+                                 (NP
+                                     (NP (ART~DE i) (NOU~CP soldi))
+                                     (PP (PREP dei)
+                                         (NP (ART~DE dei) (ADJ~QU nuovi) (NOU~CP sottoscrittori))))))))))
+                 (NP-SBJ (-NONE- *-433))
+                 (. .)) )
+
+
+************** FRASE NEWS-598 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Gli) (PRO~OR ultimi))
+    (VP (VMA~RA finirono)
+        (PRN
+            (, ,)
+            (ADVP (ADVB ovviamente))
+            (, ,))
+         (ADJP-PRD (ADJ~QU AL_VERDE)))
+      (. .)) )
+
+
+************** FRASE NEWS-599 **************
+
+ ( (NP
+    (NP
+        (NP (PRO~ID Niente))
+        (PP (PREP di) (ADJ~QU nuovo))
+        (PRN
+            (, ,)
+            (ADVP (ADVB IN_SOSTANZA))
+            (, ,))
+         (PP-LOC (PREP sotto)
+             (NP
+                 (NP (ART~DE il) (NOU~CS cielo))
+                 (PP (PREP della)
+                     (NP
+                         (NP (ART~DE della)
+                             (' ') (NOU~CS terra)
+                             (' '))
+                          (PP (PREP delle)
+                              (NP (ART~DE delle) (NOU~CP aquile))))))))
+            (, ,)
+            (CONJ ma)
+            (S
+                (NP-SBJ
+                    (NP (ART~DE le) (NOU~CP dimensioni))
+                    (PP (PREP della)
+                        (NP (ART~DE della) (NOU~CS stangata))))
+                  (NP-TMP (ADJ~DE questa) (NOU~CS volta))
+                  (VP (VMA~RE sono)
+                      (ADJP-PRD (ADJ~QU colossali))))
+                (. .)) )
+
+
+************** FRASE NEWS-600 **************
+
+ ( (S
+    (S-TMP
+        (VP (VMA~PA Placata)
+            (NP-EXTPSBJ-233
+                (NP (ART~DE la) (NOU~CS rivolta))
+                (PP (PREP di)
+                    (NP (NOU~CS piazza)))))
+           (NP-SBJ (-NONE- *-233)))
+        (VP (VMA~RE restano)
+            (NP-EXTPSBJ-733 (-NONE- *-)
+                (NP-733 (ART~DE la) (NOU~CS rabbia) (-NONE- *-) (ADJ~QU popolare))
+                (CONJ e)
+                (NP (ART~DE i)
+                    (NP (NUMR mille)) (NOU~CP interrogativi)
+                    (PP (PREP sul)
+                        (NP
+                            (NP (ART~DE sul) (NOU~CS disastro))
+                            (PP (PREP da)
+                                (NP
+                                    (NP (ART~IN un) (NOU~CS miliardo))
+                                    (PP (PREP di)
+                                        (NP (NOU~CP dollari))))))))))
+                (NP-SBJ (-NONE- *-733))
+                (. .)) )
+
+
+************** FRASE NEWS-601 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~IN Una) (NOU~CS truffa))
+        (PP (PREP AI_DANNI_DI)
+            (NP (ART~DE dell') (NOU~PR UNIONE_EUROPEA))))
+      (VP (VAU~RE è)
+          (VP (VAU~PA stata)
+              (VP (VMA~PA scoperta))))
+        (PP-LGS (PREP da)
+            (NP
+                (NP (NOU~CP carabinieri))
+                (CONJ e)
+                (NP
+                    (NP (NOU~CS GUARDIA_DI_FINANZA))
+                    (SBAR
+                        (NP-1333 (PRO~RE che))
+                        (S
+                            (NP-SBJ (-NONE- *-1333))
+                            (VP (VAU~RE stanno)
+                                (VP (VMA~GE eseguendo)
+                                    (PP-LOC (PREP in)
+                                        (NP (NOU~PR Calabria)
+                                            (, ,)
+                                            (NP (NOU~PR Lazio)
+                                                (, ,)
+                                                (NP (NOU~PR Toscana)
+                                                    (CONJ e) (NOU~PR Piemonte)))))
+                                        (NP
+                                            (NP (NUMR 45) (NOU~CP ordinanze))
+                                            (PP (PREP di)
+                                                (NP
+                                                    (NP (NOU~CS custodia) (ADJ~QU cautelare))
+                                                    (PP-LOC (PREP in)
+                                                        (NP (NOU~CS carcere)))))))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-602 **************
+
+ ( (S
+    (PP (PREP Tra)
+        (NP (ART~DE gli) (NOU~CP arrestati)))
+     (VP (VMA~RE figurano)
+         (NP-EXTPSBJ-733
+             (NP
+                 (NP-533
+                     (NP (NOU~CP dirigenti))
+                     (PP-LOC (PREP nel)
+                         (NP
+                             (NP (ART~DE nel) (NOU~CS settore))
+                             (PP (PREP dell')
+                                 (NP (ART~DE dell') (NOU~CS ortofrutta))))))
+                     (CONJ e)
+                     (NP (NOU~CP funzionari) (ADJ~QU regionali))) (-NONE- *-)
+                  (, ,)
+                  (NP
+                      (NP
+                          (NP (NOU~CP presidenti))
+                          (PP (PREP di)
+                              (NP (NOU~CP cooperative))))
+                        (, ,)
+                        (NP
+                            (NP (NOU~CP amministratori))
+                            (CONJ e)
+                            (NP
+                                (NP (NOU~CP soci))
+                                (PP (PREP di)
+                                    (NP
+                                        (NP (NOU~CP organizzazioni))
+                                        (CONJ ed)
+                                        (NP
+                                            (NP (NOU~CP unioni))
+                                            (PP (PREP di)
+                                                (NP (NOU~CP produttori)))))))))))
+                     (NP-SBJ (-NONE- *-533))
+                     (. .)) )
+
+
+************** FRASE NEWS-603 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Le) (NOU~CP accuse))
+    (VP (VMA~RE variano)
+        (PP (PREP dall')
+            (NP (ART~DE dall')
+                (NP (NOU~CS ASSOCIAZIONE_A_DELINQUERE))
+                (VP (VMA~PA finalizzata)
+                    (NP-EXTPSBJ-733 (NOU~CS ASSOCIAZIONE_A_DELINQUERE) (-NONE- *-))
+                    (NP (-NONE- *))))
+              (PP (PREP alla)
+                  (NP (ART~DE alla)
+                      (NP
+                          (NP (NOU~CS truffa) (ADJ~QU aggravata)) (S+REDUC
+                              (S
+                                  (S
+                                      (VP (VMA~PA consumata))
+                                      (NP-SBJ-12.1033 (-NONE- *-11.1033))))
+                                (CONJ e)
+                                (S
+                                    (VP (VMA~PA tentata))
+                                    (NP-SBJ (-NONE- *-12.1033))))
+                              (PP (PREP all')
+                                  (NP (ART~DE all') (NOU~PR Ue))))
+                            (, ,)
+                            (NP
+                                (NP
+                                    (NP (NOU~CS corruzione))
+                                    (VP (VMA~PA commesse)
+                                        (NP (-NONE- *))
+                                        (PP-LGS (PREP da)
+                                            (NP
+                                                (NP (ADJ~QU pubblici) (NOU~CP ufficiali))
+                                                (CONJ e)
+                                                (NP (NOU~CP privati))))))
+                                    (CONJ e)
+                                    (NP
+                                        (NP (NOU~CA falsità))
+                                        (PP-LOC (PREP in)
+                                            (NP (NOU~CS atto) (ADJ~QU pubblico)))))))))
+                       (. .)) )
+
+
+************** FRASE NEWS-604 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Il) (NOU~CS valore) (ADJ~QU complessivo))
+        (PP (PREP dei)
+            (NP
+                (NP (ART~DE dei) (NOU~CP contributi))
+                (PP (PREP dell')
+                    (NP (ART~DE dell') (NOU~PR UNIONE_EUROPEA)))
+                 (VP (VMA~PA percepiti)
+                     (NP (-NONE- *))
+                     (ADVP (ADVB illegalmente))
+                     (PP-LGS (PREP dagli)
+                         (NP (ART~DE dagli) (NOU~CP indagati)))))))
+          (PRN
+              (, ,)
+              (PP (PREP secondo)
+                  (NP (ART~DE gli) (NOU~CP inquirenti)))
+               (, ,))
+            (VP (VMA~RE ammonta)
+                (PP (PREP a)
+                    (NP
+                        (NP (NUMR 50) (NOU~CP milioni))
+                        (PP (PREP di)
+                            (NP (NOU~CA euro))))))
+                (. .)) )
+
+
+************** FRASE NEWS-605 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS truffa))
+    (VP (VMA~IM riguardava)
+        (NP (ART~DE i)
+            (NP (NOU~CP finanziamenti))
+            (VP (VMA~PA erogati)
+                (NP (-NONE- *))
+                (PP (PREP per)
+                    (NP
+                        (NP (ART~DE il) (NOU~CS ritiro))
+                        (PP-LOC (PREP dal)
+                            (NP (ART~DE dal) (NOU~CS mercato)))
+                         (PP (PREP delle)
+                             (NP
+                                 (NP (ART~DE delle) (NOU~CP produzioni))
+                                 (VP (VMA~PE eccedenti)
+                                     (NP (-NONE- *)))
+                                  (PP-LOC (PREP nel)
+                                      (NP (ART~DE nel) (NOU~CS settore) (ADJ~QU agricolo))))))))))
+              (. .)) )
+
+
+************** FRASE NEWS-606 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Gli) (NOU~CP indagati))
+    (PRN
+        (, ,)
+        (PP (PREP secondo)
+            (NP (ART~DE le) (NOU~CP accuse)))
+         (, ,))
+      (VP (VMA~IM gonfiavano)
+          (NP (ART~DE le)
+              (NP (NOU~CP cifre))
+              (ADJP (ADJ~QU relative)
+                  (PP
+                      (PP (PREP alla)
+                          (NP (ART~DE alla) (NOU~CS produzione)))
+                       (CONJ e)
+                       (PP (PREP alla)
+                           (NP
+                               (NP (ART~DE alla) (NOU~CS vendita))
+                               (PP (PREP dei)
+                                   (NP (ART~DE dei)
+                                       (NP (NOU~CP prodotti))
+                                       (S
+                                           (S
+                                               (S
+                                                   (PP (PREP su)
+                                                       (NP (PRO~RE cui)))
+                                                    (VP (VAU~IM venivano)
+                                                        (VP (VMA~PA chiesti)))
+                                                     (NP-SBJ (-NONE- *-2533))))
+                                               (CONJ ed)
+                                               (S
+                                                   (VP (VMA~PA erogati)
+                                                       (NP-EXTPSBJ-2533 (ART~DE i) (NOU~CP finanziamenti)))
+                                                    (NP-SBJ (-NONE- *-2533))))))))))))
+                      (. .)) )
+
+
+************** FRASE NEWS-607 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Le)
+        (NP (NOU~CP indagini))
+        (, ,)
+        (VP (VMA~PA condotte)
+            (NP (-NONE- *))
+            (PP-LGS
+                (PP (PREP dal)
+                    (NP
+                        (NP (ART~DE dal) (NOU~CS Comando))
+                        (NP (NOU~CP carabinieri))
+                        (NP (NOU~CP politiche) (ADJ~QU agricole))
+                        (PP-LOC (PREP di)
+                            (NP (NOU~PR Roma)))))
+                   (CONJ e)
+                   (PP (PREP dai)
+                       (NP
+                           (NP (ART~DE dai) (NOU~CP Comandi) (ADJ~QU provinciali))
+                           (PP (PREP della)
+                               (NP
+                                   (NP (ART~DE della) (NOU~CS GUARDIA_DI_FINANZA))
+                                   (PP-LOC (PREP di)
+                                       (NP (NOU~PR Catanzaro)
+                                           (CONJ e) (NOU~PR REGGIO_CALABRIA))))))))))
+                (VP (VAU~RE sono)
+                    (VP (VAU~PA state)
+                        (VP (VMA~PA coordinate))))
+                  (PP-LGS (PREP dalla)
+                      (NP
+                          (NP (ART~DE dalla) (NOU~CS Procura))
+                          (PP (PREP della)
+                              (NP (ART~DE della) (NOU~CS Repubblica)))
+                           (PP-LOC (PREP di)
+                               (NP (NOU~PR Palmi)))))
+                      (. .)) )
+
+
+************** FRASE NEWS-608 **************
+
+ ( (S
+    (NP-SBJ
+        (NP-SBJ (NOU~CP Carabinieri))
+        (CONJ e)
+        (NP (NOU~CS GUARDIA_DI_FINANZA)))
+     (VP
+         (VP (VAU~RE stanno)
+             (ADVP (ADVB anche))) (VMA~GE eseguendo)
+          (NP (ART~IN dei) (NOU~CP sequestri) (ADJ~QU patrimoniali)))
+       (. .)) )
+
+
+************** FRASE NEWS-609 **************
+
+ ( (S
+    (NP (PRO~RI Si))
+    (VP (VMA~RE apre)
+        (NP-EXTPSBJ-333
+            (NP (ART~DE il) (NOU~CS confronto))
+            (PP (PREP sulle)
+                (NP (ART~DE sulle) (NOU~CP pensioni)))))
+       (NP-SBJ (-NONE- *-333))
+       (. .)) )
+
+
+************** FRASE NEWS-610 **************
+
+ ( (S
+    (PP-TMP (PREP A)
+        (NP (NOU~CS maggio)))
+     (, ,)
+     (PP-TMP (ADVB subito) (PREP dopo)
+         (NP
+             (NP (ART~DE la) (NOU~CS festa))
+             (PP (PREP dei)
+                 (NP (ART~DE dei) (NOU~CP lavoratori)))))
+        (, ,)
+        (NP-SBJ (ART~DE il) (NOU~CS governo))
+        (VP (VMA~FU presenterà)
+            (PP-LOC (PREP al)
+                (NP
+                    (NP (ART~DE al) (NOU~CS tavolo))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (NOU~CA welfare)))))
+               (NP (ART~DE le) (ADJ~PO sue) (NOU~CP proposte)))
+            (. .)) )
+
+
+************** FRASE NEWS-611 **************
+
+ ( (S
+    (" ")
+    (PP-233 (PREP Per)
+        (NP (PRO~PE noi)))
+     (PUNCT -)
+     (VP (VMA~RE precisa)
+         (NP-EXTPSBJ-633
+             (NP (ART~DE il) (NOU~CS ministro))
+             (PP (PREP del)
+                 (NP (ART~DE del) (NOU~CS Lavoro)))
+              (, ,)
+              (NP (NOU~PR Cesare) (NOU~PR Damiano)))
+           (PUNCT -)
+           (S
+               (NP-SBJ (ART~DE la) (NOU~CA priorità))
+               (VP (VAU~RE è)
+                   (VP (VMA~PA costituita)
+                       (PP-17.1033 (-NONE- *-233))
+                       (PP-LGS (PREP dalla)
+                           (NP
+                               (NP (ART~DE dalla) (NOU~CS rivalutazione))
+                               (PP (PREP delle)
+                                   (NP (ART~DE delle)
+                                       (NP (NOU~CP pensioni))
+                                       (ADJP (ADVB più) (ADJ~QU basse))
+                                       (, ,)
+                                       (VP (VMA~PA calcolate)
+                                           (NP (-NONE- *))
+                                           (PP (PREP sulla)
+                                               (NP
+                                                   (NP (ART~DE sulla) (NOU~CS base))
+                                                   (PP (PREP dei)
+                                                       (NP (ART~DE dei)
+                                                           (NP (NOU~CP contributi))
+                                                           (VP (VMA~PA versati)
+                                                               (NP (-NONE- *))
+                                                               (NP (-NONE- *))))))))))))
+                                 (PP (-NONE- *-17.1033))))))
+                     (NP-SBJ (-NONE- *-633))
+                     (" ")
+                     (. .)) )
+
+
+************** FRASE NEWS-612 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (NOU~PR Padoa-Schioppa))
+        (VP (VAU~RE ha)
+            (VP (VMA~PA ottenuto)
+                (NP
+                    (NP (ART~DE il) (NOU~CA VIA_LIBERA))
+                    (PP (PREP dell')
+                        (NP (ART~DE dell') (NOU~PR Ecofin)))
+                     (PP (PREP sul)
+                         (NP (ART~DE sul) (ADJ~PO suo) (NOU~CS piano)))))))
+          (, ,)
+          (CONJ ma)
+          (S
+              (ADVP-TMP (ADVB ora))
+              (VP (VMO~FU dovrà)
+                  (S
+                      (VP (VMA~IN fare)
+                          (NP (ART~DE i) (NOU~CP conti))
+                          (PP (PREP con)
+                              (NP (ART~DE le)
+                                  (NP (NOU~CP richieste))
+                                  (VP (VMA~PE provenienti)
+                                      (NP (-NONE- *))
+                                      (PP-LOC (PREP dalla)
+                                          (NP
+                                              (NP (ART~DE dalla) (NOU~CS sinistra))
+                                              (PP (PREP della)
+                                                  (NP (ART~DE della) (NOU~CS maggioranza)))))))))
+                             (NP-SBJ (-NONE- *-15.1033))))
+                       (NP-SBJ-15.1033 (-NONE- *-133)))
+                    (. .)) )
+
+
+************** FRASE NEWS-613 **************
+
+ ( (S
+    (ADVP-TMP (ADVB Ieri))
+    (NP-SBJ (NOU~PR Rifondazione)
+        (CONJ e) (NOU~PR Verdi))
+     (VP (VAU~RE sono)
+         (VP (VMA~PA tornati)
+             (PP (PREP all')
+                 (NP (ART~DE all') (NOU~CS attacco)))))
+        (NP-SBJ (-NONE- *-233))
+        (. .)) )
+
+
+************** FRASE NEWS-614 **************
+
+ ( (S
+    (PP-LOC (PREP Da) (ADVB qui))
+    (VP (-NONE- *)
+        (NP-EXTPSBJ-333
+            (NP (ART~DE l') (NOU~CS annuncio))
+            (PP (PREP di)
+                (NP
+                    (" ") (ART~IN un)
+                    (NP (NOU~CS confronto))
+                    (ADJP
+                        (ADJP (ADVB molto) (ADJ~QU duro)
+                            (CONJ perché)
+                            (S
+                                (VP (VAU~RE è)
+                                    (VP (VMA~PA arrivata)
+                                        (NP-EXTPSBJ-1633
+                                            (NP (ART~DE la) (NOU~CS stagione))
+                                            (PP (PREP del)
+                                                (NP (ART~DE del) (NOU~CS risarcimento) (ADJ~QU sociale))))))
+                                    (NP-SBJ (-NONE- *-1633))))
+                              (CONJ e)
+                              (ADJP (ADJ~QU determinato)))
+                           (" ")))))
+               (NP-SBJ (-NONE- *-333))
+               (. .)) )
+
+
+************** FRASE NEWS-615 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ADVB Pure) (ART~DE i) (NOU~PR Verdi))
+        (, ,)
+        (PP (PREP con)
+            (NP
+                (NP (ART~DE il) (NOU~CS capogruppo))
+                (PP (PREP alla)
+                    (NP (ART~DE alla) (NOU~PR Camera)))
+                 (PRN
+                     (, ,)
+                     (NP (NOU~PR Angelo) (NOU~PR Bonelli))
+                     (, ,)))))
+         (VP (VMA~RE chiedono)
+             (NP (-NONE- *))
+             (NP (ART~IN un) (NOU~CS chiarimento))
+             (" ")
+             (CONJ perché)
+             (VP-20.1033
+                 (ADVP (ADVB non)) (VMO~RE può)
+                 (VP-21.1033 (VMA~IN essere)
+                     (ADVP (ADVB certo))
+                     (NP-PRD-CLEFT (ART~DE l') (NOU~PR Ue))
+                     (PP-2533 (PREP a)
+                         (S
+                             (VP (VMA~IN condizionare)
+                                 (NP
+                                     (NP (ART~DE le) (NOU~CP politiche))
+                                     (ADJP
+                                         (ADJP (ADJ~QU economiche))
+                                         (, ,)
+                                         (ADJP
+                                             (ADJP (ADJ~QU sociali))
+                                             (, ,)
+                                             (ADJP (ADJ~QU ambientali))))
+                                       (PP (PREP del)
+                                           (NP (ART~DE del) (ADJ~PO nostro) (NOU~CS paese)))))
+                                  (NP-SBJ (-NONE- *-21.1033))))))
+                      (" "))
+                   (. .)) )
+
+
+************** FRASE NEWS-616 **************
+
+ ( (S
+    (PP-133 (PREP A)
+        (NP (ADJ~DE quel) (NOU~CS punto)))
+     (NP-SBJ-433
+         (NP (ART~DE le) (NOU~CP risorse))
+         (PP (PREP a)
+             (NP (NOU~CS disposizione))))
+       (VP (VMO~CO potrebbero)
+           (ADVP (ADVB anche))
+           (S
+               (VP (VMA~IN essere)
+                   (PP-TMP)
+                   (ADJP-PRD (ADJ~QU superiori)
+                       (PRN
+                           (-LRB- -LRB-)
+                           (S
+                               (PP (PREP tra)
+                                   (NP (ART~DE i) (NOU~CP tecnici)))
+                                (NP-LOC (PRO~LO c'))
+                                (VP (VMA~RE è)
+                                    (NP-EXTPSBJ-1833
+                                        (NP (PRO~RE chi))
+                                        (SBAR
+                                            (S
+                                                (VP (VMA~RE stima)
+                                                    (NP
+                                                        (NP (ART~IN una) (NOU~CS cifra))
+                                                        (PP (PREP intorno)
+                                                            (PP (PREP ai)
+                                                                (NP (ART~DE ai)
+                                                                    (NP (NUMR 4)
+                                                                        (PUNCT -)
+                                                                        (NP (NUMR 5))) (NOU~CP miliardi))))))
+                                                      (NP-SBJ (-NONE- *-1833))))))
+                                          (NP-SBJ (-NONE- *-1833)))
+                                       (-RRB- -RRB-))))
+                              (NP-SBJ (-NONE- *-433))))
+                        (. .)) )
+
+
+************** FRASE NEWS-617 **************
+
+ ( (S
+    (PP-LOC (PREP Sul)
+        (NP (ART~DE Sul) (NOU~CS tappeto)))
+     (VP (-NONE- *)
+         (NP-EXTPSBJ-333
+             (NP (ART~DE l') (NOU~CA ipotesi))
+             (PP (PREP di)
+                 (NP (ART~IN un) (NOU~CS DECRETO_LEGGE))))
+           (, ,)
+           (S
+               (VP (VMA~GE seguendo)
+                   (NP (ART~DE le)
+                       (NP (NOU~CA priorità))
+                       (VP (VMA~PA indicate)
+                           (NP (-NONE- *))
+                           (PP-LGS (PREP da)
+                               (NP (NOU~PR Damiano))))))
+                   (NP-SBJ (-NONE- *))))
+             (NP-SBJ (-NONE- *-333))
+             (. .)) )
+
+
+************** FRASE NEWS-618 **************
+
+ ( (S
+    (NP-SBJ-133
+        (NP (ART~DE L') (NOU~CS intervento))
+        (PP (PREP sull')
+            (NP (ART~DE sull') (NOU~PR Ici))))
+      (, ,)
+      (ADVP (ADVB invece))
+      (, ,)
+      (VP (VAU~RE è)
+          (VP (VMA~PA destinato)
+              (PP (PREP a)
+                  (S
+                      (VP (VMA~IN slittare))
+                      (NP-SBJ (-NONE- *-133))))))
+          (. .)) )
+
+
+************** FRASE NEWS-619 **************
+
+ ( (S
+    (CONJ Ed)
+    (VP (VMA~RE è)
+        (ADJP-PRD (ADJ~QU chiaro))
+        (CONJ che)
+        (VP (VMA~FU saranno) (-NONE- *-933)
+            (NP-PRD-CLEFT (ADVB proprio) (ART~DE le) (NOU~CP risorse) (-NONE- *-))
+            (PP-EXTPSBJ-933 (PREP a)
+                (S
+                    (VP (VMA~IN fissare)
+                        (NP
+                            (NP (ART~DE i) (NOU~CP confini))
+                            (PP (PREP della)
+                                (NP
+                                    (NP (ART~DE della) (NOU~CS platea))
+                                    (PP (PREP dei)
+                                        (NP (ART~DE dei) (NOU~CP beneficiari)))))))
+                         (NP-SBJ (-NONE- *-733))))))
+             (. .)) )
+
+
+************** FRASE NEWS-620 **************
+
+ ( (S
+    (NP-SBJ (ART~IN Un) (ADJ~DI altro) (NOU~CS miliardo))
+    (VP (VMA~FU servirà)
+        (PP (PREP a)
+            (S
+                (VP (VMA~IN innalzare)
+                    (NP
+                        (NP (ART~DE l') (NOU~CA indennità))
+                        (PP (PREP di)
+                            (NP (NOU~CS disoccupazione))))
+                      (PP (PREP dall')
+                          (NP
+                              (NP (ART~DE dall') (ADJ~QU attuale) (NUMR 50)
+                                  (PP (PREP per)
+                                      (NP (NUMR cento))))
+                                (PP (PREP dell')
+                                    (NP (ART~DE dell') (ADJ~OR ultima) (NOU~CS retribuzione)))))
+                           (PP (PREP al)))
+                        (NP-SBJ (-NONE- *)))))
+               (. .)) )
+
+
+************** FRASE NEWS-621 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il)
+        (S
+            (VP (VMA~PE restante))
+            (NP-SBJ (-NONE- *))))
+      (PRN
+          (PUNCT -)
+          (PP-LOC (PREP nel)
+              (NP
+                  (NP (ART~DE nel) (NOU~CS piano))
+                  (PP (PREP del)
+                      (NP (ART~DE del) (NOU~CS governo)))))
+             (PUNCT -))
+          (VP (VMO~FU dovrà)
+              (S
+                  (VP (VMA~IN servire)
+                      (PP (PREP a)
+                          (S
+                              (VP (VMA~IN incentivare)
+                                  (PRN
+                                      (-LRB- -LRB-)
+                                      (PP (ADVB probabilmente) (PREP con)
+                                          (NP (ART~DE la) (NOU~CS leva) (ADJ~QU fiscale)))
+                                       (-RRB- -RRB-))
+                                    (NP
+                                        (NP (ART~DE la) (NOU~CS contrattazione))
+                                        (PP (PREP di)
+                                            (NP
+                                                (NP (ADJ~OR secondo) (NOU~CS livello))
+                                                (PRN
+                                                    (-LRB- -LRB-)
+                                                    (ADJP
+                                                        (ADJP (ADJ~QU aziendale))
+                                                        (CONJ o)
+                                                        (ADJP (ADJ~QU territoriale)))
+                                                     (-RRB- -RRB-))))
+                                            (, ,)
+                                            (VP (VMA~PA legata)
+                                                (NP (-NONE- *))
+                                                (PP (PREP alla)
+                                                    (NP (ART~DE alla) (NOU~CA produttività))))))
+                                        (NP-SBJ (-NONE- *)))))
+                               (NP-SBJ (-NONE- *-133))))
+                         (. .)) )
+
+
+************** FRASE NEWS-622 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE L') (NOU~CS approccio) (ADJ~QU soft))
+    (VP (VMO~CO dovrebbe)
+        (S
+            (VP (VMA~IN portare)
+                (PP (ADVB anche) (PREP a)
+                    (S
+                        (VP (VMA~IN sostituire)
+                            (NP (ART~DE lo)
+                                (NP (NOU~CS scalone))
+                                (SBAR
+                                    (NP-1333 (PRO~RE che))
+                                    (S
+                                        (NP-SBJ (-NONE- *-1333))
+                                        (PP (PREP dal)
+                                            (NP
+                                                (NP (ART~DE dal) (ADJ~OR primo) (NOU~CS gennaio))
+                                                (PP (PREP del)
+                                                    (NP (ART~DE del) (NUMR 2008)))))
+                                           (VP (VMA~RE innalza)
+                                               (NP
+                                                   (NP (ART~DE l') (NOU~CA età) (ADJ~QU minima))
+                                                   (PP (PREP per)
+                                                       (NP
+                                                           (NP (ART~DE la) (NOU~CS pensione))
+                                                           (PP (PREP di)
+                                                               (NP (NOU~CS anzianità))))))
+                                                   (PP (PREP dagli)
+                                                       (NP (ART~DE dagli) (ADJ~QU attuali)
+                                                           (NP (NUMR 57)) (NOU~CP anni)))
+                                                     (PP (PREP a)
+                                                         (NP (NUMR 60))))))))
+                                       (NP-SBJ (-NONE- *)))))
+                              (NP-SBJ (-NONE- *-133))))
+                        (. .)) )
+
+
+************** FRASE NEWS-623 **************
+
+ ( (S
+    (VP (VMA~FU Arriveranno)
+        (NP-EXTPSBJ-233 (ADJ~IN alcuni)
+            (NP (NOU~CP scalini))
+            (SBAR
+                (NP-4333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-4333))
+                    (ADVP (ADVB progressivamente))
+                    (PRN
+                        (-LRB- -LRB-)
+                        (PP (PREP da) (NUMR 58)
+                            (NP
+                                (PP (PREP in) (ADVB su))))
+                          (-RRB- -RRB-))
+                       (VP (VMA~FU alzeranno)
+                           (NP (ART~DE l') (NOU~CA età))
+                           (PP
+                               (PP
+                                   (CONJ o) (PREP di)
+                                   (NP (ART~IN un) (NOU~CS anno)))
+                                (, ,)
+                                (CONJ oppure)
+                                (PP (PREP di)
+                                    (NP (ART~IN un) (NOU~CS anno)))))))))
+               (NP-SBJ (-NONE- *-233))
+               (. .)) )
+
+
+************** FRASE NEWS-624 **************
+
+ ( (S
+    (VP (VMA~RE Tende)
+        (PP (PREP a)
+            (S
+                (VP (VMA~IN stemperarsi)
+                    (NP (PRO~RI stemperarsi))
+                    (, ,)
+                    (ADVP (ADVB infine)))
+                 (NP-SBJ (-NONE- *-733))))
+           (, ,)
+           (NP-EXTPSBJ-733
+               (NP (ART~DE lo) (NOU~CS scontro))
+               (PP (PREP sui)
+                   (NP
+                       (NP (ART~DE sui) (NOU~CP coefficienti))
+                       (PP (PREP di)
+                           (NP (NOU~CS trasformazione)))))))
+            (NP-SBJ (-NONE- *-733))
+            (: :)) )
+
+
+************** FRASE NEWS-625 **************
+
+ ( (S
+    (S
+        (PP-TMP (PREP fino)
+            (PP (PREP al)
+                (NP (ART~DE al) (NUMR 2015))))
+          (ADVP (ADVB non))
+          (VP (VMA~FU avranno)
+              (NP (NOU~CP effetti)))
+           (NP-SBJ (-NONE- *)))
+        (CONJ e)
+        (S
+            (NP (PRO~RI si))
+            (VP (VMA~RE rafforza)
+                (NP-EXTPSBJ-1033
+                    (NP (ART~DE la) (NOU~CA tesi))
+                    (PP (PREP di)
+                        (NP-1333
+                            (NP (PRO~RE chi))
+                            (SBAR
+                                (S
+                                    (VP (VMA~RE propone)
+                                        (PP (PREP di)
+                                            (S
+                                                (VP (VMA~IN congelare)
+                                                    (PP (PREP per) (ADVB |UN_PO'|))
+                                                    (NP (ART~DE l') (NOU~CS argomento)))
+                                                 (NP-SBJ (-NONE- *)))))
+                                        (NP-SBJ (-NONE- *-1333))))))))
+                      (NP-SBJ (-NONE- *-1033)))
+                   (. .)) )
+
+
+************** FRASE NEWS-626 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS conservatore) (NOU~PR Sarkozy))
+    (VP (VMA~RE riparte)
+        (PP-TMP (PREP da)
+            (NP (ADJ~DE questa) (NOU~CS sera)))
+         (PP-LOC (PREP da)
+             (NP (NOU~PR Digione)))
+          (, ,)
+          (NP
+              (NP (NOU~CS comizio))
+              (PP-TMP (PREP alle)
+                  (NP (ART~DE alle) (NUMR 18.30)))))
+         (. .)) )
+
+
+************** FRASE NEWS-627 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (ADJ~QU socialista) (NOU~PR Royal)
+        (PRN
+            (, ,)
+            (NP
+                (NP (ART~DE la) (ADJ~OR prima) (NOU~CS donna))
+                (PP (PREP a)
+                    (S
+                        (VP (VMA~IN raggiungere)
+                            (NP (ART~IN un) (NOU~CS ballottaggio))
+                            (PP-LOC (PREP in)
+                                (NP (NOU~PR Francia))))
+                          (NP-SBJ (-NONE- *-733)))))
+                 (, ,)))
+           (VP (VMA~FU sarà)
+               (ADVP (ADVB invece))
+               (PP-LOC (PREP a)
+                   (NP (NOU~PR Valence))))
+             (. .)) )
+
+
+************** FRASE NEWS-628 **************
+
+ ( (S
+    (CONJ E)
+    (ADVP-TMP (ADVB già))
+    (NP (PRO~RI si))
+    (VP (VMA~RE annuncia)
+        (NP (ADVB almeno) (ART~IN un)
+            (NP (NOU~CA FACCIA_A_FACCIA) (ADJ~QU televisivo)))
+         (, ,)
+         (PP-LOC (PREP su)
+             (NP (NOU~PR Tf1))))
+       (. .)) )
+
+
+************** FRASE NEWS-629 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE I) (NOU~CP risultati) (ADJ~QU definitivi))
+        (PP (PREP del)
+            (NP (ART~DE del) (ADJ~OR primo) (NOU~CS turno))))
+      (VP (VMA~RE danno)
+          (PP (PREP a)
+              (NP (NOU~PR Sarkozy)))
+           (NP (ART~IN un) (NOU~CS punteggio) (ADJ~QU eccellente))
+           (PP (PREP con)
+               (NP (ART~DE il) (NUMR 31,11) (SPECIAL %)
+                   (PP (PREP dei)
+                       (NP (ART~DE dei) (NOU~CP voti))))))
+           (. .)) )
+
+
+************** FRASE NEWS-630 **************
+
+ ( (S
+    (VP (VMA~RE Manca)
+        (ADVP-TMP (ADVB ancora))
+        (NP-EXTPSBJ-333
+            (NP (ART~DE il) (ADVB quasi) (NOU~CS milione))
+            (PP (PREP di)
+                (NP
+                    (NP (NOU~CP schede))
+                    (PP (PREP degli)
+                        (NP
+                            (NP (ART~DE degli) (NOU~CP elettori))
+                            (PP-LOC (PREP all')
+                                (NP (ART~DE all') (NOU~CS estero)))))))))
+           (NP-SBJ (-NONE- *-333))
+           (. .)) )
+
+
+************** FRASE NEWS-631 **************
+
+ ( (S
+    (ADJP-PRD (ADJ~QU Cruciale))
+    (VP (VMA~RE è)
+        (NP-EXTPSBJ-333 (ART~DE il)
+            (NP (NUMR 18,55) (SPECIAL %))
+            (VP (VMA~PA raccolto)
+                (NP (-NONE- *))
+                (PP-LGS (PREP dal)
+                    (NP
+                        (NP (ART~DE dal) (NOU~CS candidato) (ADJ~QU centrista))
+                        (PP (PREP dell')
+                            (NP (ART~DE dell') (NOU~PR Udf)))
+                         (, ,)
+                         (NP (NOU~PR Francois) (NOU~PR Bayrou)))))))
+          (NP-SBJ (-NONE- *-333))
+          (. .)) )
+
+
+************** FRASE NEWS-632 **************
+
+ ( (S
+    (NP-SBJ
+        (ADJP-PRD (ADJ~QU Deluso))
+        (PRN
+            (PUNCT -)
+            (S
+                (VP (VMA~IM sognava)
+                    (NP
+                        (NP (ART~IN una) (NOU~CS volata))
+                        (PP (PREP al)
+                            (NP (ART~DE al) (NOU~CS ballottaggio)))))
+                   (NP-SBJ (-NONE- *-933)))
+                (PUNCT -)) (NOU~PR Bayrou))
+          (VP
+              (NP (PRO~RI si))
+              (VP (VAU~RE è)
+                  (ADVP (ADVB comunque))) (VMA~PA congratulato)
+               (PP (PREP con)
+                   (NP-1533 (ART~DE gli) (NOU~CP elettori)))
+                (PP (PREP per)
+                    (S
+                        (VP (VAU~IN aver)
+                            (VP (VMA~PA fatto)
+                                (S
+                                    (VP (VMA~IN nascere)
+                                        (NP-2233
+                                            (" ") (ART~IN un) (ADJ~QU grande) (NOU~CS centro)
+                                            (" "))
+                                         (PP-LOC (PREP in)
+                                             (NP (NOU~PR Francia))))
+                                       (NP-SBJ (-NONE- *-2233)))))
+                              (NP-SBJ (-NONE- *-1533)))))
+                     (. .)) )
+
+
+************** FRASE NEWS-633 **************
+
+ ( (S
+    (VP (VMO~CO Potrebbero)
+        (ADVP (ADVB però))
+        (S
+            (VP (VMA~IN essere)
+                (NP-PRD
+                    (NP (NOU~CP voti))
+                    (VP (VMA~PA legati)
+                        (NP (-NONE- *))
+                        (ADVP (ADVB PIÙ_CHE_ALTRO))
+                        (PP (PREP alla)
+                            (NP (ART~DE alla) (ADJ~PO sua) (NOU~CA personalità) (ADJ~QU rassicurante))))))
+                (NP-SBJ (-NONE- *-1.1033))))
+          (NP-SBJ-1.1033 (-NONE- *))
+          (. .)) )
+
+
+************** FRASE NEWS-634 **************
+
+ ( (S
+    (PP (PREP Secondo)
+        (NP (ART~IN un') (NOU~CA analisi) (NOU~PR Ipsos)))
+     (, ,)
+     (NP-SBJ (ART~DE i) (ADJ~PO suoi) (NOU~CP elettori))
+     (PP-TMP (PREP nel)
+         (NP (ART~DE nel) (NUMR 2002)))
+      (VP (VAU~IM avevano)
+          (VP (VMA~PA votato)
+              (NP
+                  (NP (NOU~CS socialista))
+                  (, ,)
+                  (NP
+                      (NP (NOU~CP verdi))
+                      (CONJ o)
+                      (NP (ADJ~QU estrema) (NOU~CS sinistra))))))
+          (ADVP (ADVB IN_GRAN_PARTE))
+          (. .)) )
+
+
+************** FRASE NEWS-635 **************
+
+ ( (S
+    (NP-SBJ-133 (PRO~PE Lui)
+        (, ,)
+        (NP (ART~DE il) (NOU~CS centrista)))
+     (, ,)
+     (VP
+         (ADVP-TMP (ADVB PER_ORA))
+         (NP (PRO~RI si))
+         (VP (VAU~RE è)
+             (ADVP (ADVB ben))) (VMA~PA guardato)
+          (PP (PREP dal)
+              (NP (ART~DE dal)
+                  (S
+                      (VP (VMA~IN dare)
+                          (NP (-NONE- *))
+                          (NP
+                              (NP (NOU~CP indicazioni))
+                              (PP (PREP di)
+                                  (NP (NOU~CS voto)))))
+                         (NP-SBJ (-NONE- *-133))))))
+             (. .)) )
+
+
+************** FRASE NEWS-636 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (ADJ~PO suo) (NOU~CS partito) (NOU~PR Udf))
+    (VP (VAU~RE è)
+        (NP-PRD (ADVB però)
+            (NP (NOU~CS alleato) (ADJ~QU tradizionale))
+            (PP (PREP dell')
+                (NP
+                    (NP (ART~DE dell') (NOU~PR Ump))
+                    (PP (PREP di)
+                        (NP (NOU~PR Sarkozy)))))))
+         (. .)) )
+
+
+************** FRASE NEWS-637 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (NOU~CS presidente)
+        (NP (NOU~PR Jacques) (NOU~PR Chirac)))
+     (VP (VAU~RE ha)
+         (VP (VMA~PA ricevuto)
+             (NP-TMP (ADJ~DE questa) (NOU~CS mattina))
+             (PP-LOC (PREP all')
+                 (NP (ART~DE all') (NOU~PR Eliseo)))
+              (NP
+                  (NP (ART~DE il) (NOU~CS candidato))
+                  (PP (PREP dell')
+                      (NP (ART~DE dell') (NOU~PR Ump)))
+                   (NP (NOU~PR Nicolas) (NOU~PR Sarkozy))
+                   (, ,)
+                   (SBAR
+                       (S
+                           (PP (PREP con)
+                               (NP (ART~DE il) (PRO~RE quale)))
+                            (NP (PRO~RI si))
+                            (VP (VAU~RE è)
+                                (VP (VMA~PA congratulato)
+                                    (PP
+                                        (" ") (PREP per)
+                                        (NP
+                                            (NP (ART~DE il) (NOU~CS risultato))
+                                            (PP (PREP del)
+                                                (NP
+                                                    (NP (ART~DE del) (ADJ~OR primo) (NOU~CS turno))
+                                                    (PP (-NONE- *-3533)))))
+                                           (" "))
+                                        (PP-3533 (PREP delle)
+                                            (NP (ART~DE delle) (ADJ~QU presidenziali)))))
+                                   (ADVP (ADVB calorosamente))
+                                   (NP-SBJ (-NONE- *-133)))))))
+                    (. .)) )
+
+
+************** FRASE NEWS-638 **************
+
+ ( (S
+    (NP (PRO~PE Lo))
+    (VP (VAU~RE hanno)
+        (VP (VMA~PA riferito)
+            (NP (-NONE- *))
+            (NP-EXTPSBJ-433
+                (NP (ART~DE i) (NOU~CP collaboratori))
+                (PP (PREP del)
+                    (NP
+                        (NP (ART~DE del) (NOU~CS capo))
+                        (PP (PREP dello)
+                            (NP (ART~DE dello) (NOU~CS Stato))))))))
+          (NP-SBJ (-NONE- *-433))
+          (. .)) )
+
+
+************** FRASE NEWS-639 **************
+
+ ( (S
+    (NP-133 (NOU~PR Chirac)
+        (PRN
+            (, ,)
+            (SBAR
+                (NP-3333 (PRO~RE che))
+                (S
+                    (NP-SBJ (-NONE- *-3333))
+                    (VP
+                        (ADVP-TMP (ADVB ieri)
+                            (NP-TMP (NOU~CS sera)))
+                         (VP (VAU~IM aveva)
+                             (ADVP-TMP (ADVB già))) (VMA~PA telefonato)
+                          (PP (PREP a)
+                              (NP (NOU~PR Sarkozy)))
+                           (PP (PREP per)
+                               (S
+                                   (VP (VMA~IN complimentarsi)
+                                       (NP (PRO~RI complimentarsi)))
+                                    (NP-SBJ (-NONE- *-133)))))))
+                     (, ,)))
+               (S
+                   (S
+                       (NP (PRO~PE lo))
+                       (VP (VAU~RE ha)
+                           (VP (VMA~PA incoraggiato)))
+                        (NP-SBJ (-NONE- *-133)))
+                     (CONJ e)
+                     (S
+                         (NP (PRO~PE gli))
+                         (VP (VAU~RE ha)
+                             (VP (VMA~PA confermato)
+                                 (NP
+                                     (NP (ART~DE il) (ADJ~PO suo) (NOU~CS sostegno))
+                                     (PP (PREP al)
+                                         (NP (ART~DE al) (ADJ~OR secondo) (NOU~CS turno))))))
+                             (NP-SBJ (-NONE- *-133))))
+                       (, ,)
+                       (VP (VAU~RE hanno)
+                           (VP (VMA~PA aggiunto)
+                               (NP-EXTPSBJ-3233 (ART~DE le) (ADJ~DI stesse) (NOU~CP fonti))))
+                         (NP-SBJ (-NONE- *-3233))
+                         (. .)) )
+
+
+************** FRASE NEWS-640 **************
+
+ ( (S
+    (NP-SBJ-133 (NOU~PR Nicolas)
+        (NP (NOU~PR Sarkozy) (S+REDUC
+                (VP (-NONE- *-1433)))))
+       (VP (VAU~RE ha)
+           (VP (VMA~PA ottenuto)
+               (NP (ART~DE il) (NUMR 31,11) (SPECIAL %)
+                   (PP (PREP dei)
+                       (NP (ART~DE dei) (NOU~CP voti))))
+                 (PP (PREP al)
+                     (NP (ART~DE al) (ADJ~OR primo) (NOU~CS turno)))
+                  (, ,)
+                  (S
+                      (VP-1433 (VMA~PA seguito)
+                          (PP-LGS (PREP dalla)
+                              (NP (ART~DE dalla) (NOU~PR Segolene)
+                                  (NP (ADJ~QU socialista) (NOU~PR Royal))
+                                  (SBAR
+                                      (NP-1333 (PRO~RE che))
+                                      (S
+                                          (NP-SBJ (-NONE- *-1333))
+                                          (VP (VAU~RE ha)
+                                              (VP (VMA~PA preso)
+                                                  (NP (ART~DE il) (NUMR 25,84) (SPECIAL %)))))))))
+                             (NP-SBJ (-NONE- *-133)))))
+                    (. .)) )
+
+
+************** FRASE NEWS-641 **************
+
+ ( (S
+    (VP (VMA~RE è)
+        (PP-PRD (PREP di)
+            (NP
+                (NP (ADVB almeno) (NUMR 30) (NOU~CP morti))
+                (CONJ e)
+                (NP (NUMR 59) (NOU~CP feriti))))
+          (NP-EXTPSBJ-933
+              (NP (ART~DE l') (ADJ~OR ultimo) (NOU~CS bilancio))
+              (PP (PREP delle)
+                  (NP
+                      (NP (ART~DE delle) (NOU~CP vittime))
+                      (PP (PREP dei)
+                          (NP (ART~DE dei)
+                              (NP (NUMR quattro))
+                              (NP (NOU~CP attentati) (ADJ~QU suicidi))
+                              (VP (VMA~PA compiuti)
+                                  (NP (-NONE- *))
+                                  (ADVP-TMP (ADVB oggi))
+                                  (PP-LOC (PREP nelle)
+                                      (NP
+                                          (NP (ART~DE nelle) (NOU~CA città))
+                                          (PP (PREP di)
+                                              (NP (NOU~PR Baghdad)
+                                                  (, ,)
+                                                  (NP (NOU~PR Baquba)
+                                                      (CONJ e) (NOU~PR Mosul)))))))))))
+                        (, ,)
+                        (VP (VMA~PA riferito)
+                            (NP (-NONE- *))
+                            (NP (-NONE- *))
+                            (PP-LGS (PREP dalle)
+                                (NP (ART~DE dalle) (NOU~CA autorità) (ADJ~QU irachene))))))
+                    (NP-SBJ (-NONE- *-933))
+                    (. .)) )
+
+
+************** FRASE NEWS-642 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~IN Un) (ADJ~DI altro) (NOU~CA kamikaze))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA preso)
+            (PP (PREP di)
+                (NP (NOU~CS mira)))
+             (NP
+                 (NP (ART~IN una) (NOU~CS stazione))
+                 (PP (PREP di)
+                     (NP (NOU~CS polizia))))
+               (PP-LOC (PREP a)
+                   (NP (NOU~PR Baquba)
+                       (PRN
+                           (, ,)
+                           (NP (NUMR 60)
+                               (NP (NOU~CP chilometri)))
+                            (PP-LOC (PREP a)
+                                (NP
+                                    (NP (NOU~CA nord-est))
+                                    (PP (PREP di)
+                                        (NP (NOU~PR Baghdad)))))
+                               (, ,))))
+                      (S
+                          (S
+                              (VP (VMA~GE uccidendo)
+                                  (NP (NUMR 10) (NOU~CP persone)))
+                               (NP-SBJ-22.1033 (-NONE- *-133)))
+                            (CONJ e)
+                            (S
+                                (VP (VMA~GE ferendone)
+                                    (NP-26.133 (PRO~PE ferendone))
+                                    (NP (ADJ~DI altre) (NUMR 23) (-NONE- *-26.133)))
+                                 (NP-SBJ (-NONE- *-22.1033))))))
+                     (. .)) )
+
+
+************** FRASE NEWS-643 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE Il) (ADJ~OR terzo) (NOU~CS attentatore))
+    (NP-433 (PRO~RI si))
+    (VP (VAU~RE è)
+        (VP (VMA~PA fatto)
+            (S
+                (VP (VMA~IN saltare)
+                    (PP-LOC (PREP in)
+                        (NP
+                            (NP (ART~IN un) (NOU~CS ristorante))
+                            (PP-LOC (PREP nel)
+                                (NP
+                                    (NP (ART~DE nel) (NOU~CS centro))
+                                    (PP (PREP di)
+                                        (NP (NOU~PR Baghdad)))))))
+                         (, ,)
+                         (PP-LOC (PREP a)
+                             (NP (NOU~PR Karradah)))
+                          (, ,)
+                          (S
+                              (S
+                                  (VP (VMA~GE uccidendo)
+                                      (NP (ADVB almeno) (NUMR sette) (NOU~CP persone)))
+                                   (NP-SBJ-19.1033 (-NONE- *-133)))
+                                (CONJ e)
+                                (S
+                                    (VP (VMA~GE ferendone)
+                                        (NP-24.133 (PRO~PE ferendone))
+                                        (NP (ADJ~DI altre) (NUMR 16) (-NONE- *-24.133)))
+                                     (NP-SBJ (-NONE- *-19.1033)))))
+                            (NP-SBJ (-NONE- *-433)))))
+                   (. .)) )
+
+
+************** FRASE NEWS-644 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~CS attacco))
+    (VP (VAU~RE è)
+        (VP (VMA~PA avvenuto)
+            (PP (PREP attorno)
+                (PP (PREP alle)
+                    (NP-TMP (ART~DE alle) (NUMR 11) (NOU~CS ora) (ADJ~QU locale))))
+              (, ,)
+              (PP-LOC (PREP A_MENO_DI)
+                  (NP (NUMR 100) (NOU~CP metri)))
+               (PP-LOC (PREP dalla)
+                   (NP (ART~DE dalla) (NOU~CS Zona) (ADJ~QU verde)
+                       (, ,)
+                       (NP
+                           (NP (ART~DE l') (NOU~CS area))
+                           (VP (VMA~PA blindata)
+                               (NP (-NONE- *)))
+                            (PP (PREP della)
+                                (NP (ART~DE della)
+                                    (NP (NOU~CS capitale))
+                                    (SBAR
+                                        (S
+                                            (NP-LOC (PRO~LO dove))
+                                            (NP (PRO~RI si))
+                                            (VP (VMA~RE trovano)
+                                                (NP-EXTPSBJ-2933 (-NONE- *-)
+                                                    (NP-2933 (ART~DE gli) (NOU~CP uffici) (-NONE- *-) (ADJ~QU governativi))
+                                                    (CONJ e)
+                                                    (NP (ART~DE l') (NOU~CS ambasciata))))
+                                              (NP-SBJ (-NONE- *-2933)))))))))))
+                   (. .)) )
+
+
+************** FRASE NEWS-645 **************
+
+ ( (NP (ART~IN Una)
+    (NP
+        (NP (ADJ~OR seconda) (NOU~CS esplosione))
+        (PP-LOC (PREP a)
+            (NP
+                (NP (ADJ~IN pochi) (NOU~CP metri))
+                (PP-LOC (PREP dall')
+                    (NP
+                        (NP (ART~DE dall') (NOU~CS ambasciata))
+                        (PP (PREP d')
+                            (NP (NOU~PR Iran))))))))
+          (: :)) )
+
+
+************** FRASE NEWS-646 **************
+
+ ( (S
+    (NP-SBJ (ART~DE la)
+        (NP (NOU~CS vettura))
+        (VP (VMA~PA imbottita)
+            (NP (-NONE- *))
+            (PP (PREP di)
+                (NP (NOU~CS esplosivo)))))
+       (VP (VAU~IM era)
+           (VP (VAU~PA stata)
+               (VP (VMA~PA piazzata))))
+         (PP-LOC (PREP in)
+             (NP (ART~IN un)
+                 (NP (NOU~CS parcheggio))
+                 (VP (VMA~PA situato)
+                     (NP (-NONE- *))
+                     (PP-LOC (PREP DI_FRONTE_A)
+                         (NP (ART~DE alla) (NOU~CS rappresentanza) (ADJ~QU diplomatica)))
+                      (, ,)
+                      (PP-LOC (PREP sul)
+                          (NP
+                              (NP (ART~DE sul) (NOU~CS lato) (ADJ~QU opposto))
+                              (PP (PREP della)
+                                  (NP (ART~DE della) (ADJ~DI stessa) (NOU~CS strada))))))))
+                (. .)) )
+
+
+************** FRASE NEWS-647 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE Il) (NOU~CS bilancio))
+        (VP (VMA~RE è)
+            (PP-PRD (PREP di)
+                (NP
+                    (NP (ADVB almeno) (ART~IN un) (NOU~CS morto))
+                    (CONJ e)
+                    (NP (NUMR quattro) (NOU~CP feriti))))))
+        (, ,)
+        (S
+            (NP-SBJ (ADJ~IN nessun) (NOU~CS danno))
+            (VP (VAU~RE è)
+                (VP (VAU~PA stato)
+                    (VP (VMA~PA inferto))))
+              (PP (PREP alla)
+                  (NP (ART~DE alla) (NOU~CS legazione) (ADJ~QU iraniana))))
+            (. .)) )
+
+
+************** FRASE NEWS-648 **************
+
+ ( (S
+    (NP-LOC (PRO~LO Ci))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA messo)
+            (NP (NOU~CS rabbia))
+            (PP-LOC (PREP nello)
+                (NP (ART~DE nello)
+                    (S
+                        (VP (VMA~IN scaraventare)
+                            (NP
+                                (NP (ART~DE il) (NOU~CS pallone))
+                                (PP (PREP dell')))
+                             (PP (PREP con)
+                                 (NP
+                                     (NP (ART~DE il) (NOU~CS rischio))
+                                     (PP (PREP di)
+                                         (S
+                                             (VP (VMA~IN mandare)
+                                                 (PP-LOC (PREP oltre)
+                                                     (NP
+                                                         (NP (ART~DE la) (NOU~CS linea))
+                                                         (PP (PREP di)
+                                                             (NP (NOU~CS porta)))))
+                                                    (NP
+                                                        (NP (ADVB pure) (ART~DE la) (NOU~CS caviglia))
+                                                        (PP (PREP di)
+                                                            (NP-2733 (NOU~PR Ibrahimovic)
+                                                                (, ,)
+                                                                (SBAR
+                                                                    (NP-2333 (PRO~RE che))
+                                                                    (S
+                                                                        (NP-SBJ (-NONE- *-2333))
+                                                                        (VP (VAU~IM aveva)
+                                                                            (VP (VMA~PA allungato)
+                                                                                (NP (ART~DE la) (NOU~CS gamba))
+                                                                                (S
+                                                                                    (VP (VMA~GE cercando)
+                                                                                        (NP (ART~DE la) (NOU~CS deviazione) (ADJ~QU decisiva)))
+                                                                                     (NP-SBJ (-NONE- *-2733)))))))))))
+                                                          (NP-SBJ (-NONE- *-6.1033)))))))
+                                           (NP-SBJ-6.1033 (-NONE- *-3.1033)))))))
+                            (NP-SBJ-3.1033 (-NONE- *))
+                            (. .)) )
+
+
+************** FRASE NEWS-649 **************
+
+ ( (S
+    (NP-LOC (PRO~LO Ci))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA messo)
+            (NP (NOU~CS freddezza))
+            (PP-LOC (PREP nel)
+                (NP (ART~DE nel)
+                    (S
+                        (VP (VMA~IN realizzare)
+                            (NP
+                                (NP (ART~DE il) (NOU~CS rigore))
+                                (PP (PREP del)))
+                             (, ,)
+                             (S
+                                 (VP (VMA~GE tirandolo)
+                                     (NP (PRO~PE tirandolo))
+                                     (PP-LOC
+                                         (PP (PREP sulla)
+                                             (NP
+                                                 (NP (ART~DE sulla) (NOU~CS sinistra))
+                                                 (PP (PREP del)
+                                                     (NP (ART~DE del) (NOU~CS portiere) (NOU~PR Manninger)))))
+                                            (, ,)
+                                            (PP (ADVB poi) (PREP sulla)
+                                                (NP (ART~DE sulla) (NOU~CS destra))))
+                                          (, ,)
+                                          (PP (PREP nella)
+                                              (NP (ART~DE nella)
+                                                  (NP (NOU~CS ripetizione))
+                                                  (VP (VMA~PA imposta)
+                                                      (NP (-NONE- *))
+                                                      (NP (-NONE- *))
+                                                      (CONJ perché)
+                                                      (S
+                                                          (NP-SBJ (ADJ~IN troppa) (NOU~CS gente))
+                                                          (VP (VAU~IM era)
+                                                              (VP (VMA~PA entrata)
+                                                                  (PP-LOC (PREP in)
+                                                                      (NP (NOU~CS area))))))))))
+                                              (NP-SBJ (-NONE- *-6.1033))))
+                                        (NP-SBJ-6.1033 (-NONE- *-3.1033)))))))
+                         (NP-SBJ-3.1033 (-NONE- *))
+                         (. .)) )
+
+
+************** FRASE NEWS-650 **************
+
+ ( (S
+    (VP (VMA~IM Era)
+        (NP-EXTPSBJ-233
+            (NP (ART~DE il) (NOU~CS |QUARTO_D'ORA|))
+            (PP (PREP del)
+                (NP (ART~DE del)
+                    (NP (ADJ~OR secondo) (NOU~CS tempo))
+                    (VP (VMA~PA iniziato)
+                        (NP (-NONE- *))
+                        (PP-TMP (PREP in)
+                            (NP (NOU~CS anticipo)))
+                         (, ,)
+                         (CONJ quasi)
+                         (S
+                             (NP-LOC (PRO~LO ci))
+                             (VP (VMA~IM fosse)
+                                 (NP-EXTPSBJ-1633
+                                     (NP (ART~DE la) (NOU~CS fretta))
+                                     (PP
+                                         (PP (PREP di)
+                                             (S
+                                                 (VP (VMA~IN chiudere)
+                                                     (NP (ART~DE la) (NOU~CS pratica)))
+                                                  (NP-SBJ (-NONE- *))))
+                                            (CONJ e)
+                                            (CONJ che)
+                                            (S
+                                                (ADVP (ADVB non))
+                                                (NP (PRO~PE ci))
+                                                (NP (PRO~RI si))
+                                                (VP (VMA~IM pensasse)
+                                                    (ADVP-TMP (ADVB più)))))))
+                                     (NP-SBJ (-NONE- *-1633))))))))
+                   (NP-SBJ (-NONE- *-233))
+                   (. .)) )
+
+
+************** FRASE NEWS-651 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Materazzi))
+    (ADVP (ADVB non))
+    (VP (VMA~FU vincerà)
+        (ADVP-TMP (ADVB mai))
+        (NP (ART~DE il) (NOU~PR |PALLONE_D'_ORO|)))
+     (: :)) )
+
+
+************** FRASE NEWS-652 **************
+
+ ( (S
+    (NP-SBJ (PRO~ID Ciascuno))
+    (NP (PRO~PE ne))
+    (VP (VMA~CG tragga)
+        (NP
+            (NP (ART~DE il) (NOU~CS significato))
+            (SBAR
+                (S
+                    (NP (PRO~RE che))
+                    (VP (VMA~RE crede))
+                    (NP-SBJ (-NONE- *-7333)))
+                 (NP-7333 (-NONE- *)))
+              (PP
+                  (PP (PREP sullo)
+                      (NP
+                          (NP (ART~DE sullo) (NOU~CS stato))
+                          (PP (PREP del)
+                              (NP (ART~DE del) (NOU~CS pallone))))))))
+            (. .)) )
+
+
+************** FRASE NEWS-653 **************
+
+ ( (S
+    (ADVP (ADVB Non))
+    (NP (PRO~RI si))
+    (VP (VAU~RE è)
+        (VP (VMA~PA vista)
+            (NP (ART~IN una) (ADJ~QU bella) (NOU~CS partita))))
+      (. .)) )
+
+
+************** FRASE NEWS-654 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE Gli) (NOU~CP appuntamenti))
+        (PP (PREP con)
+            (NP (ART~DE lo) (NOU~CS scudetto))))
+      (ADVP (ADVB non))
+      (NP-PRD (PRO~PE lo))
+      (VP (VMA~RE sono)
+          (ADVP-TMP (ADVB mai)))
+       (. .)) )
+
+
+************** FRASE NEWS-655 **************
+
+ ( (S
+    (S
+        (NP-SBJ-133 (ART~DE L') (NOU~PR Inter))
+        (NP (PRO~RI si))
+        (VP (VMA~IM portava)
+            (ADVP-LOC (ADVB dentro))
+            (NP
+                (NP (ART~DE la) (NOU~CS delusione))
+                (PP (PREP di)
+                    (S
+                        (ADVP (ADVB non))
+                        (VP (VAU~IN aver)
+                            (VP (VMA~PA chiuso)
+                                (NP (ART~DE il) (NOU~CS campionato))
+                                (PP-LOC (PREP sul)
+                                    (NP (ART~DE sul)
+                                        (NP (NOU~CS palcoscenico))
+                                        (ADJP (ADVB più) (ADJ~QU ambito))))
+                                  (PRN
+                                      (, ,)
+                                      (PP-LOC (PREP a)
+                                          (NP (NOU~PR San) (NOU~PR Siro)))
+                                       (, ,))))
+                              (NP-SBJ (-NONE- *-133)))))))
+               (CONJ ed)
+               (S
+                   (VP (VAU~RE è)
+                       (VP (VMA~PA scesa)
+                           (PP-LOC (PREP in)
+                               (NP (NOU~CS provincia)))
+                            (PP (PREP con)
+                                (NP
+                                    (NP (ART~DE la) (NOU~CA necessità))
+                                    (PP (PREP di)
+                                        (S
+                                            (ADVP (ADVB non))
+                                            (VP (VMA~IN iniziare)
+                                                (PP (PREP ad)
+                                                    (NP (NOU~CA handicap)))
+                                                 (PP (PREP come)
+                                                     (PP (PREP nelle)
+                                                         (NP (ART~DE nelle) (ADJ~OR ultime)
+                                                             (NP (NUMR due)) (NOU~CP partite)))))
+                                                 (NP-SBJ (-NONE- *-25.1033))))))))
+                               (NP-SBJ-25.1033 (-NONE- *-133)))
+                            (. .)) )
+
+
+************** FRASE NEWS-656 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS colombiano))
+    (NP-333 (PRO~PE ne))
+    (VP (VAU~RE ha)
+        (VP (VMA~PA spizzicati)
+            (NP
+                (NP (PRO~ID tanti))
+                (NP (-NONE- *-333))
+                (PP (PREP di)
+                    (NP (NOU~CP palloni))))))
+        (. .)) )
+
+
+************** FRASE NEWS-657 **************
+
+ ( (S
+    (PP-LOC (PREP Sul)
+        (NP (ART~DE Sul) (PRO~OR primo)))
+     (PRN
+         (, ,)
+         (PP-TMP (PREP al)
+             (NP (ART~DE al) (NUMR 17')))
+          (, ,))
+       (NP-SBJ (NOU~PR Manninger))
+       (NP-LOC (PRO~LO ci))
+       (VP (VAU~RE ha)
+           (VP (VMA~PA messo)
+               (NP (ART~DE la) (NOU~CS pezza))))
+         (. .)) )
+
+
+************** FRASE NEWS-658 **************
+
+ ( (S
+    (CONJ Ma)
+    (VP
+        (VP (VAU~RE è)
+            (VP (VMA~PA stato)
+                (NP-PRD
+                    (NP (ART~DE il) (NOU~CS segnale))
+                    (PP (PREP della)
+                        (NP
+                            (NP (ART~DE della) (NOU~CS via))
+                            (PP (PREP da)
+                                (S
+                                    (VP (VMA~IN percorrere)
+                                        (NP (-NONE- *-733)))
+                                     (NP-SBJ (-NONE- *)))))))))
+                (CONJ e)
+                (S
+                    (S
+                        (ADVP (ADVB infatti))
+                        (, ,)
+                        (NP-TMP (ART~IN un) (NOU~CS minuto) (ADVB dopo))
+                        (, ,)
+                        (PP-LOC (ADVB sempre) (PREP sul)
+                            (NP
+                                (NP (ART~DE sul) (NOU~CS |CALCIO_D'_ANGOLO|))
+                                (PP (PREP di)
+                                    (NP (NOU~PR Stankovic)))))
+                           (, ,)
+                           (NP-SBJ (NOU~PR Maicon))
+                           (VP (VMA~IM toccava)
+                               (PP (PREP di)
+                                   (NP (NOU~CS coscia)))))
+                          (, ,)
+                          (S
+                              (S
+                                  (NP-SBJ (NOU~PR Vergassola))
+                                  (PP-LOC (PREP vicino)
+                                      (PP (PREP al)
+                                          (NP (ART~DE al) (NOU~CS palo))))
+                                    (VP (VMA~IM respingeva)
+                                        (NP (-NONE- *))))
+                                  (CONJ e)
+                                  (S
+                                      (NP-SBJ (NOU~PR Materazzi))
+                                      (VP (VMA~IM completava)
+                                          (NP (ART~DE l') (NOU~CS opera))
+                                          (PP (PREP con)
+                                              (NP (ART~IN un') (NOU~CS entrata) (ADJ~QU impetuosa))))))))
+                            (NP-SBJ (-NONE- *))
+                            (. .)) )
+
+
+************** FRASE NEWS-659 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (NOU~PR Inter))
+    (PP (PREP delle)
+        (NP (ART~DE delle)
+            (NP (NUMR 17)) (NOU~CP vittorie) (ADJ~QU consecutive)))
+      (NP-733 (PRO~PE ci))
+      (VP (VAU~RE ha)
+          (VP (VMA~PA abituato)
+              (PP (PREP a)
+                  (S
+                      (VP (VMA~IN considerare)
+                          (ADJP-PRD (ADJ~QU chiusa))
+                          (NP (ART~DE la) (NOU~CS partita))
+                          (PP-TMP (PREP dopo)
+                              (NP (ART~DE il) (ADJ~OR primo) (NOU~CA gol))))
+                        (NP-SBJ (-NONE- *-733))))))
+            (. .)) )
+
+
+************** FRASE NEWS-660 **************
+
+ ( (S
+    (CONJ Però)
+    (S
+        (NP-SBJ (PRO~DE questa))
+        (VP (VMA~IM era)
+            (NP-PRD-433 (ART~IN una)
+                (NP (NOU~CS squadra))
+                (VP (VMA~PA tarlata)
+                    (NP (-NONE- *))
+                    (PP-LGS (PREP dall')
+                        (NP (ART~DE dall') (NOU~CS insicurezza)))))))
+         (, ,)
+         (S
+             (NP (PRO~ID niente))
+             (VP (-NONE- *)
+                 (ADVP (ADVB A_CHE_VEDERE))
+                 (PP (PREP con)
+                     (NP
+                         (NP (ART~DE la) (NOU~CS macchina) (ADJ~QU schiacciasassi))
+                         (PP (PREP dei)
+                             (NP (ART~DE dei) (NOU~CP mesi) (ADJ~DI scorsi))))))
+                 (NP-SBJ (-NONE- *-433)))
+              (. .)) )
+
+
+************** FRASE NEWS-661 **************
+
+ ( (S
+    (CONJ Che)
+    (S
+        (NP-SBJ-233
+            (NP (ART~DE il) (NOU~PR Siena))
+            (PP (PREP in)
+                (NP
+                    (NP (NOU~CS lotta))
+                    (PP (PREP per)
+                        (S
+                            (VP (VMA~IN salvarsi)
+                                (NP (PRO~RI salvarsi)))
+                             (NP-SBJ (-NONE- *-233))))))
+                 (, ,)
+                 (PP
+                     (PP (ADVB perdipiù) (PREP con)
+                         (NP (ART~DE la)
+                             (NP (NOU~CS difesa))
+                             (VP (VMA~PA rabberciata)
+                                 (NP (-NONE- *)))))
+                        (CONJ e)
+                        (PP (PREP con)
+                            (NP (NOU~PR Chiesa)
+                                (VP (VMA~PA costretto)
+                                    (NP (-NONE- *))
+                                    (PP (PREP alla)
+                                        (NP (ART~DE alla) (ADJ~OR terza) (NOU~CS partita) (ADJ~QU consecutiva)
+                                            (PRN
+                                                (, ,)
+                                                (SBAR
+                                                    (S
+                                                        (NP (PRO~RE come))
+                                                        (ADVP (ADVB non))
+                                                        (VP (VMA~RE regge)
+                                                            (ADVP-TMP (ADVB più)))
+                                                         (NP-SBJ (-NONE- *-17.1033))))
+                                                   (, ,)))))))))
+                           (VP (VMA~IM tenesse)
+                               (NP (ART~DE il) (NOU~CS campo))
+                               (PP (PREP ALLA_PARI_DI)
+                                   (NP (ART~DE della))
+                                   (NP (NOU~CA capolista)))))
+                          (VP (VMA~IM era)
+                              (NP-PRD
+                                  (NP (ART~DE l') (NOU~CS effetto))
+                                  (PP (PREP del)
+                                      (NP (ART~DE del) (NOU~CS male) (ADJ~QU oscuro) (ADJ~QU nerazzurro)))))
+                             (. .)) )
+
+
+************** FRASE NEWS-662 **************
+
+ ( (S
+    (VP (VAU~CO Sarebbe)
+        (VP (VMA~PA stata)
+            (ADVP (ADVB probabilmente))
+            (NP-PRD (ART~IN un') (ADJ~DI altra) (NOU~CS storia))
+            (CONJ se)
+            (S
+                (NP-SBJ (NOU~PR Negro))
+                (VP (VAU~IM avesse)
+                    (VP (VMA~PA raddoppiato)
+                        (PP-TMP (PREP in)
+                            (NP (NOU~CS avvio))
+                            (PP (PREP di)
+                                (NP (NOU~CS ripresa))))
+                          (PP (PREP con)
+                              (NP
+                                  (NP (ART~IN un) (NOU~CS colpo))
+                                  (PP (PREP di)
+                                      (NP (NOU~CS tacco)))
+                                   (PP-LOC (PREP nell')
+                                       (NP (ART~DE nell')
+                                           (NP (NOU~CS angolo) (ADJ~QU basso))
+                                           (, ,)
+                                           (SBAR
+                                               (S
+                                                   (NP-LOC (PRO~LO dove))
+                                                   (NP-SBJ (NOU~PR Julio) (NOU~PR Cesar))
+                                                   (VP (VMA~IM arrivava)
+                                                       (ADVP (ADVB miracolosamente))
+                                                       (PP (PREP col)
+                                                           (NP (ART~DE col) (NOU~CS piede)))
+                                                        (PP (PREP come)
+                                                            (NP
+                                                                (NP (ART~IN un) (NOU~CS portiere))
+                                                                (PP (PREP da)
+                                                                    (NP (NOU~CS calcetto)))))))))))))))))
+                       (NP-SBJ (-NONE- *))
+                       (. .)) )
+
+
+************** FRASE NEWS-663 **************
+
+ ( (S
+    (NP-SBJ (ART~DE Il) (NOU~CS salvataggio))
+    (VP (VMA~IM era)
+        (NP-PRD
+            (NP (ART~DE il) (NOU~CS segno))
+            (PP (PREP di)
+                (NP-733
+                    (NP (PRO~RE come))
+                    (SBAR
+                        (NP-1333 (ART~DE il) (ADJ~QU buon) (NOU~CS Dio) (-NONE- *-))
+                        (S
+                            (NP-SBJ-833 (-NONE- *-1333))
+                            (NP-TMP (ADJ~DE quest') (NOU~CS anno))
+                            (VP (VMA~CG sia)
+                                (NP-13.1033 (-NONE- *-733))
+                                (ADJP-PRD (ADJ~QU nerazzurro))
+                                (NP (-NONE- *-13.1033))
+                                (, ,)
+                                (S-PRD
+                                    (ADVP (ADVB forse))
+                                    (VP (VMA~PA istigato)
+                                        (PP-LGS
+                                            (PP (PREP da)
+                                                (NP (NOU~PR Facchetti)))
+                                             (CONJ e)
+                                             (PP (PREP dall')
+                                                 (NP (ART~DE dall') (NOU~CS avvocato) (NOU~PR Prisco)))))
+                                        (NP-SBJ (-NONE- *-833))))))))))
+                (: :)) )
+
+
+************** FRASE NEWS-664 **************
+
+ ( (S
+    (CONJ quando)
+    (S
+        (NP-SBJ-233 (NOU~PR Gastaldello))
+        (VP (VMA~IM sporcava)
+            (NP (ART~DE la) (NOU~CS prestazione))
+            (PP (PREP con)
+                (NP
+                    (NP (ART~IN un) (NOU~CS appoggio))
+                    (ADJP
+                        (ADJP (ADJ~QU inutile))
+                        (CONJ e)
+                        (ADJP (ADJ~QU sballato)))
+                     (PP (PREP a)
+                         (NP (NOU~PR Manninger)))))
+                (S
+                    (VP (VMA~GE costringendo)
+                        (NP-1533 (ART~DE il) (NOU~CS portiere))
+                        (PP (PREP ad)
+                            (S
+                                (VP (VMA~IN entrare)
+                                    (PP (PREP da)
+                                        (NP (NOU~CS rigore)))
+                                     (PP (PREP su)
+                                         (NP (NOU~PR Cruz)))
+                                      (, ,)
+                                      (PP-LOC
+                                          (NP (ADJ~QU mezzo) (NOU~CS metro)) (PREP dentro)
+                                          (NP (ART~DE l') (NOU~CS area))))
+                                    (NP-SBJ (-NONE- *-1533)))))
+                           (NP-SBJ (-NONE- *-233)))))
+                  (, ,)
+                  (NP-3033 (PRO~PE ne))
+                  (VP (VMA~IM avevamo)
+                      (NP (ART~DE la) (NOU~CS conferma)
+                          (NP (-NONE- *-3033)) (ADJ~QU decisiva)))
+                    (NP-SBJ (-NONE- *))
+                    (. .)) )
+
+
+************** FRASE NEWS-665 **************
+
+ ( (NP (ART~IN Uno)
+    (NP
+        (NP (NOU~CS spazio))
+        (VP (VMA~PA dedicato)
+            (NP (-NONE- *))
+            (PP (PREP per)
+                (NP (ART~DE la) (ADJ~OR prima) (NOU~CS volta)))
+             (PP (PREP ai)
+                 (NP (ART~DE ai)
+                     (NP (NOU~CP libri))
+                     (ADJP
+                         (ADJP (ADJ~QU antichi))
+                         (CONJ e)
+                         (ADJP (ADJ~QU rari)))))))
+          (. .)) )
+
+
+************** FRASE NEWS-666 **************
+
+ ( (NP (ART~IN Un')
+    (NP
+        (NP (NOU~CS area))
+        (PP (PREP per)
+            (NP
+                (NP (ART~DE lo) (NOU~CS sbarco))
+                (PP-LOC (PREP a)
+                    (NP (NOU~PR Librolandia)))
+                 (PP (PREP di)
+                     (" ")
+                     (NP (NOU~PR Torino) (NOU~PR Comics))
+                     (" ")))))
+         (. .)) )
+
+
+************** FRASE NEWS-667 **************
+
+ ( (S
+    (VP (VMA~RE Trabocca)
+        (NP (NOU~CA novità))
+        (NP-EXTPSBJ-333
+            (NP (ART~DE la) (ADJ~OR 20°) (NOU~CS edizione))
+            (PP (PREP della)
+                (NP
+                    (NP (ART~DE della) (NOU~CS Fiera))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (NOU~CS Libro)))
+                     (SBAR
+                         (NP-1333 (PRO~RE che))
+                         (S
+                             (NP-SBJ (-NONE- *-1333))
+                             (NP (PRO~RI s'))
+                             (VP (VMA~FU aprirà)
+                                 (PP-LOC (PREP al)
+                                     (NP (ART~DE al) (NOU~PR Lingotto)))
+                                  (PP-TMP (PREP dal)
+                                      (NP (ART~DE dal) (NUMR 10))
+                                      (PP (PREP al)
+                                          (NP (ART~DE al) (NUMR 14) (NOU~CS maggio)))))))))))
+               (NP-SBJ (-NONE- *-333))
+               (. .)) )
+
+
+************** FRASE NEWS-668 **************
+
+ ( (S
+    (VP (VMA~RE Debutta)
+        (NP-TMP (ADJ~DE quest') (NOU~CS anno))
+        (NP-EXTPSBJ-433 (ART~DE il)
+            (" ") (NOU~CS padiglione)
+            (NP (NUMR 4))
+            (" ")
+            (, ,)
+            (NP
+                (NP (NOU~CS tensostruttura))
+                (VP (VMA~PA costruita)
+                    (NP (-NONE- *))
+                    (PP-LOC (PREP accanto)
+                        (PP (PREP alla)
+                            (NP (ART~DE alla) (NOU~CS Sala) (ADJ~QU Gialla))))))))
+          (NP-SBJ (-NONE- *-433))
+          (. .)) )
+
+
+************** FRASE NEWS-669 **************
+
+ ( (S
+    (PP-LOC (PREP Nell')
+        (NP (ART~DE Nell') (NUMR 1)))
+     (NP (PRO~RI si))
+     (VP (VMA~FU troveranno)
+         (NP-EXTPSBJ-533 (-NONE- *-)
+             (NP-533
+                 (NP (ART~DE lo) (NOU~CA stand)) (-NONE- *-)
+                 (PP (PREP del)
+                     (NP (ART~DE del) (NOU~CS paese)
+                         (NP (NOU~CS ospite))
+                         (PRN
+                             (, ,)
+                             (NP (ART~DE la) (NOU~PR Lituania))
+                             (, ,)))))
+                 (CONJ e)
+                 (NP
+                     (PRN
+                         (, ,)
+                         (PP-LOC (PREP oltre)
+                             (PP (PREP alla)
+                                 (NP (ART~DE alla) (NOU~CS Sala) (ADJ~QU rossa))))
+                           (, ,)) (ART~IN un')
+                        (NP (ADJ~DI altra) (NOU~CA novità))
+                        (VP (VMA~PA creata)
+                            (NP (-NONE- *))
+                            (PP-LOC (PREP in)
+                                (NP
+                                    (NP (NOU~CS occasione))
+                                    (PP (PREP delle)
+                                        (NP (ART~DE delle)
+                                            (NP (NUMR venti)) (NOU~CP candeline)))))))))
+                    (NP-SBJ (-NONE- *-533))
+                    (: :)) )
+
+
+************** FRASE NEWS-670 **************
+
+ ( (NP
+    (NP (ART~DE l')
+        (" ") (NOU~PR Incubatore)
+        (" "))
+     (, ,)
+     (CONJ ovvero)
+     (NP (ART~IN uno)
+         (NP (NOU~CS spazio))
+         (VP (VMA~PA dedicato)
+             (NP (-NONE- *))
+             (PP (PREP al)
+                 (NP
+                     (NP (ART~DE al) (NOU~CS sostegno))
+                     (PP (PREP degli)
+                         (NP (ART~DE degli) (NOU~CP editori) (ADJ~QU giovanissimi)))))))
+          (: :)) )
+
+
+************** FRASE NEWS-671 **************
+
+ ( (S
+    (CONJ come)
+    (S
+        (VP (VAU~RE ha)
+            (VP (VMA~PA spiegato)
+                (NP-EXTPSBJ-433 (NOU~PR Maurizio) (NOU~PR Poma)
+                    (PRN
+                        (-LRB- -LRB-)
+                        (NP (NOU~PR Biella) (NOU~PR Intraprendere))
+                        (-RRB- -RRB-)))))
+            (NP-SBJ (-NONE- *-433)))
+         (, ,)
+         (" ")
+         (VP (VMA~RE sono)
+             (NP-PRD
+                 (NP (NOU~CP marchi))
+                 (VP (VMA~PA nati)
+                     (NP (-NONE- *))
+                     (PP-TMP (PREP da)
+                         (NP
+                             (NP (PRO~ID meno))
+                             (CONJ di)
+                             (NP (NUMR 24) (NOU~CP mesi)))))
+                    (, ,)
+                    (SBAR
+                        (NP-2333 (PRO~RE che) (-NONE- *-))
+                        (S
+                            (NP-SBJ-2133 (-NONE- *-2333))
+                            (ADVP (ADVB non))
+                            (VP (VAU~CO avrebbero)
+                                (VP (VMO~PA potuto)
+                                    (S
+                                        (VP (VMA~IN essere)
+                                            (ADJP-PRD (ADJ~QU presenti)
+                                                (PP-LOC (PREP in)
+                                                    (NP (NOU~PR Fiera)))))
+                                           (NP-SBJ (-NONE- *-2133))))))))
+                         (" "))
+                      (NP-SBJ (-NONE- *))
+                      (. .)) )
+
+
+************** FRASE NEWS-672 **************
+
+ ( (S
+    (NP-SBJ (ADVB Anche) (ART~DE il)
+        (NP (NOU~CS padiglione))
+        (NP (NUMR 3)))
+     (VP (VMA~RE accoglie)
+         (NP
+             (NP (ART~IN un') (NOU~CS iniziativa))
+             (PP (PREP al)
+                 (NP (ART~DE al) (NOU~CS debutto)))))
+        (: :)) )
+
+
+************** FRASE NEWS-673 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE È)
+            (NP-PRD
+                (NP
+                    (" ") (NOU~PR Libri)
+                    (" ")
+                    (, ,)
+                    (SBAR
+                        (NP-8333 (PRO~RE che) (-NONE- *-))
+                        (S
+                            (NP-SBJ-833 (-NONE- *-8333))
+                            (VP (VMA~RE nasce)
+                                (ADVP (ADVB anche))
+                                (PRN
+                                    (, ,)
+                                    (PP-TMP (PREP dopo)
+                                        (NP
+                                            (NP (NOU~CP anni))
+                                            (PP (PREP di)
+                                                (NP (NOU~CP lamentele)))))
+                                       (, ,))
+                                    (PP
+                                        (" ") (PREP per)
+                                        (S
+                                            (VP (VMA~IN coinvolgere)
+                                                (NP (ART~DE i) (NOU~CP librai)))
+                                             (NP-SBJ (-NONE- *-833)))
+                                          (" "))))))
+                           (CONJ e)
+                           (NP (NOU~CS cioccolato))))
+                     (NP-SBJ (-NONE- *)))
+                  (, ,)
+                  (VP (VAU~RE ha)
+                      (VP (VMA~PA chiarito)
+                          (NP-EXTPSBJ-2633 (NOU~PR Picchioni))))
+                    (NP-SBJ (-NONE- *-2633))
+                    (. .)) )
+
+
+************** FRASE NEWS-674 **************
+
+ ( (S
+    (NP-SBJ
+        (NP (ART~DE I) (NOU~CP biglietti))
+        (PP (PREP per)
+            (NP (ADJ~DE questo) (NOU~CS evento)))
+         (PRN
+             (, ,)
+             (ADJP (ADJ~QU gratuiti))
+             (, ,)))
+       (VP (VMA~FU saranno)
+           (PP-PRD (PREP a)
+               (NP (NOU~CS disposizione)))
+            (PP-TMP (PREP dal)
+                (NP (ART~DE dal) (NUMR 2) (NOU~CS maggio)))
+             (PP-LOC (PREP ad)
+                 (NP (NOU~PR Atrium))))
+           (. .)) )
+
+
+************** FRASE NEWS-675 **************
+
+ ( (S
+    (S
+        (PP (PREP Per)
+            (S
+                (S
+                    (VP (VMA~IN evitare)
+                        (NP-833 (ART~DE le) (NOU~CP code))
+                        (PP-TMP (PREP durante)
+                            (NP (ART~DE la) (NOU~CS Fiera))))
+                      (NP-SBJ-2.1033 (-NONE- *)))
+                   (PRN
+                       (, ,)
+                       (CONJ o)
+                       (S
+                           (ADVP (ADVB almeno))
+                           (VP (VMA~IN ridurre)
+                               (NP (-NONE- *-833)))
+                            (NP-SBJ (-NONE- *-2.1033)))
+                         (, ,))))
+                (, ,)
+                (VP (VAU~FU saranno)
+                    (VP (VMA~PA potenziate)
+                        (NP-EXTPSBJ-1633 (ART~DE le) (NOU~CP biglietterie))))
+                  (NP-SBJ (-NONE- *-1633)))
+               (, ,)
+               (CONJ e)
+               (S
+                   (VP (VMA~FU saranno)
+                       (ADVP (ADVB anche))
+                       (ADJP-PRD (ADJ~QU disponibili))
+                       (NP-EXTPSBJ-2333
+                           (NP (NOU~CP biglietti))
+                           (PP (PREP in)
+                               (NP (NOU~CS prevendita))))
+                         (PRN
+                             (-LRB- -LRB-)
+                             (PP-LOC (PREP ad)
+                                 (NP (ADVB sempre) (NOU~PR Atrium)))
+                              (-RRB- -RRB-)))
+                        (NP-SBJ (-NONE- *-2333)))
+                     (. .)) )
+
+
+************** FRASE NEWS-676 **************
+
+ ( (S
+    (NP-TMP (ADJ~DE Quest') (NOU~CS anno))
+    (VP (VMA~FU interesserà)
+        (NP (ART~DE le) (NOU~CP circoscrizioni)
+            (NP
+                (NP (NUMR 3))
+                (, ,)
+                (NP
+                    (NP (NUMR 5))
+                    (CONJ e)
+                    (NP
+                        (NP (NUMR 7))
+                        (, ,)
+                        (NP
+                            (NP (PRO~DE quella))
+                            (PP (PREP di)
+                                (NP (NOU~PR Porta) (NOU~PR Palazzo)))))))))
+           (NP-SBJ (-NONE- *))
+           (. .)) )
+
+
+************** FRASE NEWS-677 **************
+
+ ( (S
+    (NP-TMP (ART~DE il) (NUMR 6))
+    (VP (VAU~FU sarà)
+        (VP (VMA~PA allestita)
+            (NP-EXTPSBJ-533 (ART~IN una) (ADJ~QU grande) (NOU~CS libreria))
+            (PP-LOC (PREP ai)
+                (NP
+                    (NP (ART~DE ai) (NOU~CP piedi))
+                    (PP (PREP del)
+                        (NP (ART~DE del)
+                            (NP (NOU~CS grattacielo)) (NOU~PR Lancia)
+                            (, ,)
+                            (SBAR
+                                (S
+                                    (NP-LOC (PRO~LO dove))
+                                    (NP (PRO~RI si))
+                                    (VP (VMA~FU svolgeranno)
+                                        (NP-1833-EXTPSBJ
+                                            (NP (ART~DE gli) (NOU~CP incontri)) (-NONE- *-)
+                                            (PP (PREP con)
+                                                (NP (ART~DE gli) (NOU~CP autori)))
+                                             (, ,)
+                                             (SBAR
+                                                 (S
+                                                     (ADVP (ADVB IN_PROGRAMMA))
+                                                     (VP (-NONE- *)
+                                                         (PP-LOC
+                                                             (PP (ADVB anche) (PREP all')
+                                                                 (NP (ART~DE all') (NOU~CS ospedale) (NOU~PR Martini)))
+                                                              (, ,)
+                                                              (PP
+                                                                  (PP (PREP al)
+                                                                      (NP (ART~DE al) (NOU~PR Prinotti)))
+                                                                   (CONJ e)
+                                                                   (PP (PREP al)
+                                                                       (NP (ART~DE al) (NOU~PR GRUPPO_ARCO))))))
+                                                           (NP-SBJ (-NONE- *-1833))))))
+                                               (NP-SBJ (-NONE- *-1733))))))))))
+                       (NP-SBJ (-NONE- *-533))
+                       (. .)) )
+
+
+************** FRASE NEWS-678 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS rivincita))
+    (VP (VMA~RE ha)
+        (ADVP-TMP (ADVB sempre))
+        (NP (ART~IN un)
+            (NP (NOU~CS sapore))
+            (ADJP
+                (ADJP (ADVB più) (ADJ~QU forte))
+                (PP (PREP della)
+                    (NP (ART~DE della) (ADJ~QU semplice) (NOU~CS vittoria))))))
+        (. .)) )
+
+
+************** FRASE NEWS-679 **************
+
+ ( (S
+    (PP-LOC (PREP Dal)
+        (NP (ART~DE Dal) (NOU~PR Bahrein)))
+     (, ,)
+     (NP-SBJ (ART~DE il) (ADJ~QU giovane) (NOU~CS brasiliano))
+     (VP (VMA~RE torna)
+         (PP-LOC (PREP a)
+             (NP (NOU~CS casa)))
+          (PP (PREP con)
+              (NP (ADJ~IN alcune)
+                  (NP (NOU~CP convinzioni))
+                  (SBAR
+                      (NP-1333 (PRO~RE che))
+                      (S
+                          (NP-SBJ (-NONE- *-1333))
+                          (VP (VMA~RE pesano)))))))
+           (: :)) )
+
+
+************** FRASE NEWS-680 **************
+
+ ( (S
+    (VP
+        (PP (PREP a)
+            (NP
+                (NP (NOU~CA parità))
+                (PP (PREP di)
+                    (NP (NOU~CA monoposto)))))
+           (VP (VAU~RE ha)
+               (VP (VMA~PA battuto)
+                   (NP
+                       (NP (ART~DE il) (NOU~CS compagno))
+                       (PP (PREP di)
+                           (NP (NOU~CS squadra))))))
+               (, ,)
+               (S
+                   (S
+                       (VP (VAU~RE ha)
+                           (VP (VMA~PA scoperto)
+                               (CONJ che)
+                               (S
+                                   (NP-SBJ-1533 (NOU~PR Alonso))
+                                   (VP (VMO~RE può)
+                                       (S
+                                           (VP (VMA~IN avere)
+                                               (NP (ART~IN una) (NOU~CS giornata) (ADJ~QU storta)))
+                                            (NP-SBJ (-NONE- *-1533)))))))
+                             (NP-SBJ-13.1033 (-NONE- *-6.1033)))
+                          (, ,)
+                          (S
+                              (VP (VAU~RE ha)
+                                  (VP (VMA~PA tenuto)
+                                      (ADVP-LOC (ADVB dietro))
+                                      (NP (NOU~PR Hamilton))
+                                      (PP-LOC
+                                          (PP (PREP alla)
+                                              (NP (ART~DE alla) (ADJ~OR prima) (-NONE- *-3233)))
+                                           (CONJ e)
+                                           (PP (PREP a)
+                                               (NP (PRDT tutte) (ART~DE le)
+                                                   (NP (NOU~CP-3233 curve))
+                                                   (SBAR
+                                                       (NP-3333 (PRO~RE che))
+                                                       (S
+                                                           (NP-SBJ (-NONE- *-3333))
+                                                           (VP (VAU~RE sono)
+                                                               (VP (VMA~PA seguite))))))))))
+                                       (NP-SBJ (-NONE- *-13.1033)))))
+                              (NP-SBJ-6.1033 (-NONE- *))
+                              (. .)) )
+
+
+************** FRASE NEWS-681 **************
+
+ ( (S
+    (NP (ADJ~QU Bel) (NOU~CS carattere))
+    (, ,)
+    (VP (VMA~FU sarà)
+        (NP-EXTPSBJ-533
+            (NP (ART~DE la) (ADJ~QU beata) (NOU~CS incoscienza))
+            (PP (PREP dei)
+                (NP (ART~DE dei) (ADJ~PO suoi)
+                    (NP (NUMR 26)) (NOU~CP anni)))))
+        (NP-SBJ (-NONE- *-533))
+        (. .)) )
+
+
+************** FRASE NEWS-682 **************
+
+ ( (S
+    (S
+        (VP (-NONE- *)
+            (NP (ART~IN Un) (ADJ~DI altro) (NOU~CS errore)))
+         (NP-SBJ-0.1133 (-NONE- *)))
+      (CONJ e)
+      (S
+          (S
+              (VP (VAU~CO sarebbe)
+                  (VP (VMA~PA finito)
+                      (PP-LOC (PREP in)
+                          (NP (NOU~CS croce)))))
+                 (NP-SBJ-6.1033 (-NONE- *-0.1133)))
+              (, ,)
+              (S
+                  (VP (VAU~CO avrebbe)
+                      (VP (VMA~PA consegnato)
+                          (PP (PREP a)
+                              (NP (NOU~PR Raikkonen)))
+                           (NP
+                               (NP (ART~DE il) (NOU~CS ruolo))
+                               (PP (PREP di)
+                                   (NP (ADJ~OR prima) (NOU~CS guida))))))
+                       (NP-SBJ (-NONE- *-6.1033))))
+                 (. .)) )
+
+
+************** FRASE NEWS-683 **************
+
+ ( (S
+    (CONJ Se)
+    (S
+        (VP (VMA~RE pensi)
+            (PP (PREP a)
+                (NP (ADJ~DE queste) (NOU~CP cose))))
+          (NP-SBJ-2.1033 (-NONE- *)))
+       (, ,)
+       (CONJ se)
+       (S
+           (NP (PRO~PE ci))
+           (VP (VMA~RE rifletti)
+               (ADVP-LOC (ADVB su)))
+            (NP-SBJ (-NONE- *-2.1033)))
+         (VP (VMA~RE finisci)
+             (PP (PREP per)
+                 (S
+                     (VP (VMA~IN sbagliare))
+                     (NP-SBJ (-NONE- *)))))
+            (NP-SBJ (-NONE- *))
+            (. .)) )
+
+
+************** FRASE NEWS-684 **************
+
+ ( (S
+    (NP-SBJ-133 (NOU~PR Hamilton))
+    (VP (VMA~RE è)
+        (ADVP-LOC (ADVB dietro))
+        (, ,)
+        (ADVP (ADVB anche))
+        (CONJ se)
+        (S
+            (NP-SBJ-733 (NOU~PR Felipe))
+            (VP (VMA~RE riesce)
+                (PP (PREP a)
+                    (S
+                        (VP (VMA~IN vedergli)
+                            (NP (PRO~PE vedergli))
+                            (NP
+                                (NP (ART~DE il) (NOU~CS colore))
+                                (PP (PREP degli)
+                                    (NP (ART~DE degli) (NOU~CP occhi))))
+                              (PP-LOC (PREP negli)
+                                  (NP (ART~DE negli) (NOU~CP specchietti))))
+                            (NP-SBJ (-NONE- *-733))))
+                      (PP (PREP da)
+                          (S
+                              (ADVP (ADVB tanto))
+                              (VP (VMA~RE è)
+                                  (ADVP-LOC (ADVB vicino)))
+                               (NP-SBJ (-NONE- *-133)))))))
+                (. .)) )
+
+
+************** FRASE NEWS-685 **************
+
+ ( (S
+    (S
+        (NP-SBJ (ART~DE le) (NOU~PR McLaren))
+        (VP (VMA~RE attaccano)
+            (NP (-NONE- *))))
+      (, ,)
+      (S
+          (S
+              (NP-SBJ (NOU~PR Alonso))
+              (VP (VMA~RE passa)
+                  (NP
+                      (NP (ART~IN un) (NOU~PR Raikkonen))
+                      (PP (PREP IN_CERCA_DI)
+                          (NP (NOU~CP traiettorie) (ADJ~QU alternative))))))
+              (, ,)
+              (S
+                  (NP-SBJ (NOU~PR Hamilton))
+                  (VP (VMA~RE resta)
+                      (ADJP-PRD (ADJ~QU incollato)
+                          (PP (PREP alla)
+                              (NP
+                                  (NP (ART~DE alla) (NOU~PR Ferrari))
+                                  (PP (PREP del)
+                                      (NP (ART~DE del)
+                                          (NP (NOU~CS brasiliano))
+                                          (, ,)
+                                          (SBAR
+                                              (NP-2333 (PRO~RE che))
+                                              (S
+                                                  (NP-SBJ (-NONE- *-2333))
+                                                  (NP-TMP (ADJ~DE questa) (NOU~CS volta))
+                                                  (VP (VMA~RE manca)
+                                                      (PP (PREP di)
+                                                          (NP
+                                                              (NP (NOU~CA velocità))
+                                                              (PP (PREP di)
+                                                                  (NP (NOU~CS punta))))))))))))))))
+                        (: :)) )
+
+
+************** FRASE NEWS-686 **************
+
+ ( (NP
+    (NP (NOU~CP chilometri)
+        (NP (NUMR 305) (ART~DE l') (NOU~CS ora)))
+     (PP (PREP contro)
+         (NP
+             (NP (ART~DE i) (NUMR 310))
+             (PP (PREP della)
+                 (NP (ART~DE della) (NOU~PR McLaren)))))
+        (. .)) )
+
+
+************** FRASE NEWS-687 **************
+
+ ( (S
+    (NP-SBJ (ADJ~IN Ogni) (NOU~CS rettilineo))
+    (VP (VMA~RE è)
+        (NP-PRD (ART~IN un) (NOU~CS incubo)))
+     (. .)) )
+
+
+************** FRASE NEWS-688 **************
+
+ ( (S
+    (NP-SBJ (ART~DE La) (NOU~CS sosta))
+    (PRN
+        (, ,)
+        (ADVP (ADVB inoltre))
+        (, ,))
+     (VP (VMA~RE consente)
+         (PP (PREP a)
+             (NP (NOU~PR Raikkonen)))
+          (PP-933 (PREP di)
+              (S
+                  (VP (VMA~IN scavalcare)
+                      (NP (NOU~PR Alonso)))
+                   (NP-SBJ (-NONE- *-933)))))
+          (. .)) )
+
+
+************** FRASE NEWS-689 **************
+
+ ( (S
+    (S
+        (VP (VAU~RE Abbiamo)
+            (VP (VMA~PA capito)
+                (NP (ART~DE il) (NOU~CS motivo))))
+          (NP-SBJ-2.1033 (-NONE- *)))
+       (CONJ e)
+       (S
+           (NP-633 (PRO~PE ci))
+           (VP (VMA~FU lavoreremo)
+               (ADVP (-NONE- *-633))
+               (PP-LOC (PREP nei)
+                   (NP (ART~DE nei) (NOU~CA test))))
+             (NP-SBJ (-NONE- *-2.1033)))
+          (. .)) )
+
+
+************** FRASE NEWS-690 **************
+
+ ( (S
+    (S
+        (VP (VMA~PA Conclusa)
+            (NP-EXTPSBJ-233
+                (NP (ART~DE la) (NOU~CS girandola))
+                (PP (PREP delle)
+                    (NP (ART~DE delle) (NOU~CP soste)))))
+           (NP-SBJ (-NONE- *-233)))
+        (, ,)
+        (NP-SBJ (ART~DE la) (NOU~CS corsa))
+        (NP (PRO~RI si))
+        (VP (VMA~RE stabilizza))
+        (. .)) )
+
+
+************** FRASE NEWS-691 **************
+
+ ( (S
+    (NP-SBJ (ART~DE L') (ADJ~QU unica) (NOU~CS speranza))
+    (VP (VMA~IM era)
+        (NP-PRD (PRO~DE quella))
+        (PP (PREP di)
+            (S
+                (VP (VMA~IN portare)
+                    (PP-LOC (PREP in)
+                        (NP (ADJ~OR seconda) (NOU~CS posizione)))
+                     (NP (NOU~PR Raikkonen)
+                         (, ,)
+                         (SBAR
+                             (NP-1333 (PRO~RE che))
+                             (S
+                                 (NP-SBJ (-NONE- *-1333))
+                                 (ADVP (ADVB però))
+                                 (VP (VAU~IM aveva)
+                                     (VP (VMA~PA accumulato)
+                                         (NP (ADJ~IN troppo) (NOU~CS ritardo))))))))
+                       (NP-SBJ (-NONE- *)))))
+              (. .)) )
+
+
+************** FRASE NEWS-692 **************
+
+ ( (S
+    (S
+        (VP (VMA~RE Scatta)
+            (NP-EXTPSBJ-233 (ART~DE l') (NOU~CS attacco))
+            (PP-LOC (PREP alla)
+                (NP (ART~DE alla) (NOU~CS curva)
+                    (NP (NUMR 4)))))
+           (NP-SBJ (-NONE- *-233)))
+        (, ,)
+        (S
+            (S
+                (NP-SBJ
+                    (NP (ART~DE il) (NOU~CS campione))
+                    (PP (PREP del)
+                        (NP (ART~DE del) (NOU~CS mondo))))
+                  (VP (VMA~RE scivola)
+                      (PP-LOC (PREP in)
+                          (NP (ADJ~OR quinta) (NOU~CS posizione)))))
+                 (CONJ e)
+                 (NP-LOC (PRO~LO ci))
+                 (VP (VMA~FU resterà)
+                     (PP (PREP fino)
+                         (PP (PREP al)
+                             (NP (ART~DE al) (NOU~CS traguardo))))
+                       (PRN
+                           (-LRB- -LRB-)
+                           (S
+                               (NP
+                                   (NP (NOU~CP ritiri))
+                                   (PP (PREP A_PARTE)))
+                                (, ,)
+                                (NP-SBJ (ART~IN un) (NOU~CS risultato) (ADVB così))
+                                (ADVP (ADVB non))
+                                (NP (PRO~PE gli))
+                                (VP (VMA~IM succedeva)
+                                    (PP-TMP (PREP dal)
+                                        (NP (ART~DE dal) (NOU~CS luglio) (ADJ~DI scorso)))
+                                     (PP-LOC (PREP a)
+                                         (NP (NOU~PR Indianapolis)))))
+                                (-RRB- -RRB-))))
+                       (. .)) )
+
+
+************** FRASE NEWS-693 **************
+
+ ( (S
+    (" ")
+    (VP
+        (NP-EXTPSBJ-233 (ADJ~DE Quel) (NOU~CS sorpasso))
+        (NP (PRO~PE mi))
+        (VP (VAU~RE è)
+            (VP (VMA~PA costato)
+                (NP (ADVB soltanto) (ART~IN un) (NOU~CS punto))))
+          (CONJ e)
+          (S
+              (VP (VMA~FU arriverò)
+                  (PP-LOC (PREP in)
+                      (NP (NOU~PR Spagna)))
+                   (PP-LOC (PREP in)
+                       (NP (ADVB ancora)
+                           (NP (NOU~CS testa))
+                           (PP (PREP alla)
+                               (NP (ART~DE alla) (NOU~CS classifica))))))
+                   (NP-SBJ (-NONE- *))))
+             (NP-SBJ (-NONE- *-233))
+             (" ")
+             (. .)) )
+
+
+************** FRASE NEWS-694 **************
+
+ ( (S
+    (CONJ Eppure)
+    (PP-LOC
+        (PP (PREP dietro)
+            (NP (ART~DE la) (NOU~CS resa)))
+         (, ,)
+         (PP (PREP dietro)
+             (NP
+                 (NP (ART~DE la) (ADJ~QU netta) (NOU~CS sconfitta))
+                 (PP (PREP nel)
+                     (NP
+                         (NP (ART~DE nel) (NOU~CS confronto))
+                         (PP (PREP con)
+                             (NP (ART~DE il) (ADJ~PO suo) (NOU~CS compagno) (NOU~PR Hamilton))))))))
+           (, ,)
+           (NP (PRO~RI si))
+           (VP (VMA~RE nascondono)
+               (NP-EXTPSBJ-2033 (NOU~CP scricchiolii) (ADJ~QU sinistri)))
+            (NP-SBJ (-NONE- *-2033))
+            (: :)) )
+
+
+************** FRASE NEWS-695 **************
+
+ ( (S
+    (S
+        (NP-SBJ
+            (NP-SBJ (NOU~CA re)) (NOU~PR Fernando))
+         (ADVP (ADVB non))
+         (VP (VMA~RE è)
+             (ADJP-PRD (ADJ~QU invincibile))))
+       (, ,)
+       (S
+           (VP
+               (ADVP (ADVB non))
+               (VP (VMA~RE è)
+                   (ADVP-TMP (ADVB sempre))
+                   (PP (PREP in)
+                       (NP (NOU~CS forma))))
+                 (, ,)
+                 (S
+                     (S
+                         (ADVP (ADVB non))
+                         (VP (VMA~RE è)
+                             (PP-LOC (PREP al)
+                                 (NP
+                                     (NP (ART~DE al) (NOU~CS centro))
+                                     (PP (PREP dell')
+                                         (NP
+                                             (NP (ART~DE dell') (NOU~CS attenzione))
+                                             (PP (PREP della)
+                                                 (NP (ART~DE della) (NOU~PR McLaren))))))))
+                               (NP-SBJ-14.1033 (-NONE- *-8.1033)))
+                            (CONJ e)
+                            (S
+                                (PP-TMP (PREP prima)
+                                    (PP (PREP di)
+                                        (S
+                                            (VP (VMA~IN affrontare)
+                                                (NP
+                                                    (NP (ART~DE la) (NOU~CS gara))
+                                                    (PP (PREP di)
+                                                        (NP (NOU~CS casa)))))
+                                               (NP-SBJ (-NONE- *-31.1033)))))
+                                      (NP (PRO~RI si))
+                                      (VP (VAU~CO sarebbe)
+                                          (VP (VMA~PA aspettato)
+                                              (NP (ART~IN una)
+                                                  (NP (NOU~CS prestazione))
+                                                  (ADJP (ADVB più) (ADJ~QU convincente)))))
+                                         (NP-SBJ-31.1033 (-NONE- *-14.1033)))))
+                                (NP-SBJ-8.1033 (-NONE- *-133)))
+                             (. .)) )
+
+
+************** FRASE NEWS-696 **************
+
+ ( (S
+    (NP-LOC (PRO~LO C'))
+    (VP (VMA~RE è)
+        (NP-EXTPSBJ-333 (NOU~CS tempo))
+        (PP (PREP per)
+            (S
+                (VP (VMA~IN meditare))
+                (NP-SBJ (-NONE- *)))))
+       (NP-SBJ (-NONE- *-333))
+       (: :)) )
+
+
+************** FRASE NEWS-697 **************
+
+ ( (S
+    (NP-SBJ-133 (ART~DE la) (NOU~CS Formula)
+        (NP (NUMR 1)))
+     (VP (VMA~RE fa)
+         (NP
+             (NP (ART~IN un) (NOU~CS mese))
+             (PP (PREP di)
+                 (NP (NOU~CS pausa))))
+           (PP-TMP (PREP prima)
+               (PP (PREP di)
+                   (S
+                       (VP (VMA~IN ripresentarsi)
+                           (NP (PRO~RI ripresentarsi))
+                           (PP-LOC (PREP in)
+                               (NP (NOU~PR Europa))))
+                         (NP-SBJ (-NONE- *-133))))))
+             (. .)) )
+
+
+************** FRASE NEWS-698 **************
+
+ ( (NP
+    (NP (NOU~CS Intervallo) (ADJ~QU lunghissimo))
+    (, ,)
+    (CONJ perché)
+    (S
+        (PP-TMP (PREP in)
+            (NP (NOU~CS origine)))
+         (NP-SBJ (ART~DE il) (NOU~CS calendario))
+         (VP (VMA~IM prevedeva)
+             (NP
+                 (NP (ART~DE il) (ADJ~QU Gran) (NOU~CS premio))
+                 (PP (PREP di)
+                     (NP (NOU~PR SAN_MARINO))))))
+         (. .)) )
+
+
+************** FRASE NEWS-699 **************
+
+ ( (S
+    (NP-SBJ (PRO~RI Si))
+    (VP (VMA~FU riprenderà)
+        (NP (ART~DE il) (NUMR 13) (NOU~CS maggio))
+        (PP-LOC (PREP a)
+            (NP (NOU~PR Barcellona))))
+      (. .)) )
+
+
+************** FRASE NEWS-700 **************
+
+ ( (S
+    (NP-SBJ (NOU~PR Ferrari)
+        (CONJ e) (NOU~PR McLaren))
+     (, ,)
+     (ADVP-TMP (ADVB NEL_FRATTEMPO))
+     (, ,)
+     (VP (VMA~RE affilano)
+         (NP (ART~DE le) (NOU~CP armi))
+         (PP-LOC
+             (PP (PREP nei)
+                 (NP (ART~DE nei) (NOU~CA test)))
+              (CONJ e)
+              (PP (PREP in)
+                  (NP
+                      (NP (NOU~CS galleria))
+                      (PP (PREP del)
+                          (NP (ART~DE del) (NOU~CS vento)))))))
+           (. .)) )
\ No newline at end of file