diff --git a/CHANGELOG.md b/CHANGELOG.md index e3a511677b..b427ec9b99 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -40,6 +40,10 @@ code style and paradigms instead of relying on `Scripts` for everything. - Expand `CommandTest` with ability to check multipler msg-receivers; inspired by PR by user davewiththenicehat. Also add new doc string. +- Add central `FuncParser` as a much more powerful replacement for the old `parse_inlinefunc` + function. +- Add `evennia/utils/verb_conjugation` for automatic verb conjugation (English only). This + is useful for implementing actor-stance emoting for sending a string to different targets. ### Evennia 0.9.5 (2019-2020) diff --git a/docs/source/Components/FuncParser.md b/docs/source/Components/FuncParser.md new file mode 100644 index 0000000000..696b20c3be --- /dev/null +++ b/docs/source/Components/FuncParser.md @@ -0,0 +1,382 @@ +# The Inline Function Parser + +The [FuncParser](api:evennia.utils.funcparser#evennia.utils.funcparser.FuncParser) extracts and executes +'inline functions' +embedded in a string on the form `$funcname(args, kwargs)`. Under the hood, this will +lead to a call to a Python function you control. The inline function call will be replaced by +the return from the function. + +```python +from evennia.utils.funcparser import FuncParser + +def _power_callable(*args, **kwargs): + """This will be callable as $square(number, power=) in string""" + pow = int(kwargs.get('power', 2)) + return float(args[0]) ** pow + +parser = FuncParser({"pow": _power_callable}) + +``` +Next, just pass a string into the parser, optionally containing `$func(...)` markers: + +```python +parser.parse("We have that 4 x 4 x 4 is $pow(4, power=3).") +"We have that 4 x 4 x 4 is 64." +``` + +Normally the return is always converted to a string but you can also get the actual data type from the call: + +```python +parser.parse_to_any("$pow(4)") +16 +``` + +To show a `$func()` verbatim in your code without parsing it, escape it as either `$$func()` or `\$func()`: + + +```python +parser.parse("This is an escaped $$pow(4) and so is this \$pow(3)") +"This is an escaped $pow(4) and so is this $pow(3)" +``` + +## Uses in default Evennia + +The FuncParser can be applied to any string. Out of the box it's applied in a few situations: + +- _Outgoing messages_. All messages sent from the server is processed through FuncParser and every + callable is provided the [Session](./Sessions) of the object receiving the message. This potentially + allows a message to be modified on the fly to look different for different recipients. +- _Prototype values_. A [Prototype](./Prototypes) dict's values are run through the parser such that every + callable gets a reference to the rest of the prototype. In the Prototype ORM, this would allow builders + to safely call functions to set non-string values to prototype values, get random values, reference + other fields of the prototype, and more. +- _Actor-stance in messages to others_. In the + [Object.msg_contents](api:evennia.objects.objects#DefaultObject.msg_contents) method, + the outgoing string is parsed for special `$You()` and `$conj()` callables to decide if a given recipient + should see "You" or the character's name. + +```important:: + The inline-function parser is not intended as a 'softcode' programming language. It does not + have things like loops and conditionals, for example. While you could in principle extend it to + do very advanced things and allow builders a lot of power, all-out coding is something + Evennia expects you to do in a proper text editor, outside of the game, not from inside it. +``` + +## Using the FuncParser + +You can apply inline function parsing to any string. The +[FuncParser](api:evennia.utils.funcparser.FuncParser) is found in `evennia.utils.funcparser.py`. + +```python +from evennia.utils import funcparser + +parser = FuncParser(callables, **default_kwargs) +parsed_string = parser.parser(input_string, raise_errors=False, + escape=False, strip=False, + return_str=True, **reserved_kwargs) + +# callables can also be passed as paths to modules +parser = FuncParser(["game.myfuncparser_callables", "game.more_funcparser_callables"]) +``` + +Here, `callables` points to a collection of normal Python functions (see next section) for you to make +available to the parser as you parse strings with it. It can either be +- A `dict` of `{"functionname": callable, ...}`. This allows you do pick and choose exactly which callables + to include and how they should be named. Do you want a callable to be available under more than one name? + Just add it multiple times to the dict, with a different key. +- A `module` or (more commonly) a `python-path` to a module. This module can define a dict + `FUNCPARSER_CALLABLES = {"funcname": callable, ...}` - this will be imported and used like ther `dict` above. + If no such variable is defined, _every_ top-level function in the module (whose name doesn't start with + an underscore `_`) will be considered a suitable callable. The name of the function will be the `$funcname` + by which it can be called. +- A `list` of modules/paths. This allows you to pull in modules from many sources for your parsing. + +The other arguments to the parser: + +- `raise_errors` - By default, any errors from a callable will be quietly ignored and the result + will be that the failing function call will show verbatim. If `raise_errors` is set, + then parsing will stop and whatever exception happened will be raised. It'd be up to you to handle + this properly. +- `escape` - Returns a string where every `$func(...)` has been escaped as `\$func()`. +- `strip` - Remove all `$func(...)` calls from string (as if each returned `''`). +- `return_str` - When `True` (default), `parser` always returns a string. If `False`, it may return + the return value of a single function call in the string. This is the same as using the `.parse_to_any` + method. +- The `**default/reserved_keywords` are optional and allow you to pass custom data into _every_ function + call. This is great for including things like the current session or config options. Defaults can be + replaced if the user gives the same-named kwarg in the string's function call. Reserved kwargs are always passed, + ignoring defaults or what the user passed. In addition, the `funcparser` and `raise_errors` + reserved kwargs are always passed - the first is a back-reference to the `FuncParser` instance and the second + is the `raise_errors` boolean passed into `FuncParser.parse`. + +Here's an example of using the default/reserved keywords: + +```python +def _test(*args, **kwargs): + # do stuff + return something + +parser = funcparser.FuncParser({"test": _test}, mydefault=2) +result = parser.parse("$test(foo, bar=4)", myreserved=[1, 2, 3]) +``` +Here the callable will be called as + +```python +_test('foo', bar='4', mydefault=2, myreserved=[1, 2, 3], + funcparser=, raise_errrors=False) +``` + +The `mydefault=2` kwarg could be overwritten if we made the call as `$test(mydefault=...)` +but `myreserved=[1, 2, 3]` will _always_ be sent as-is and will override a call `$test(myreserved=...)`. +The `funcparser`/`raise_errors` kwargs are also always included as reserved kwargs. + +## Defining custom callables + +All callables made available to the parser must have the following signature: + +```python +def funcname(*args, **kwargs): + # ... + return something +``` + +> The `*args` and `**kwargs` must always be included. If you are unsure how `*args` and `**kwargs` work in Python, +> [read about them here](https://www.digitalocean.com/community/tutorials/how-to-use-args-and-kwargs-in-python-3). + +The input from the innermost `$funcname(...)` call in your callable will always be a `str`. Here's +an example of an `$toint` function; it converts numbers to integers. + + "There's a $toint(22.0)% chance of survival." + +What will enter the `$toint` callable (as `args[0]`) is the _string_ `"22.0"`. The function is responsible +for converting this to a number so that we can convert it to an integer. We must also properly handle invalid +inputs (like non-numbers). + +If you want to mark an error, raise `evennia.utils.funcparser.ParsingError`. This stops the entire parsing +of the string and may or may not raise the exception depending on what you set `raise_errors` to when you +created the parser. + +However, if you _nest_ functions, the return of the innermost function may be something other than +a string. Let's introduce the `$eval` function, which evaluates simple expressions using +Python's `literal_eval` and/or `simple_eval`. + + "There's a $toint($eval(10 * 2.2))% chance of survival." + +Since the `$eval` is the innermost call, it will get a string as input - the string `"10 * 2.2"`. +It evaluates this and returns the `float` `22.0`. This time the outermost `$toint` will be called with +this `float` instead of with a string. + +> It's important to safely validate your inputs since users may end up nesting your callables in any order. +> See the next section for useful tools to help with this. + +In these examples, the result will be embedded in the larger string, so the result of the entire parsing +will be a string: + +```python + parser.parse(above_string) + "There's a 22% chance of survival." +``` + +However, if you use the `parse_to_any` (or `parse(..., return_str=True)`) and _don't add any extra string around the outermost function call_, +you'll get the return type of the outermost callable back: + +```python +parser.parse_to_any("$toint($eval(10 * 2.2)%") +"22%" +parser.parse_to_any("$toint($eval(10 * 2.2)") +22 +``` + +### Safe convertion of inputs + +Since you don't know in which order users may use your callables, they should always check the types +of its inputs and convert to the type the callable needs. Note also that when converting from strings, +there are limits what inputs you can support. This is because FunctionParser strings are often used by +non-developer players/builders and some things (such as complex classes/callables etc) are just not +safe/possible to convert from string representation. + +In `evennia.utils.utils` is a helper called +[safe_convert_to_types](api:evennia.utils.utils#evennia.utils.utils.safe_convert_to_types). This function +automates the conversion of simple data types in a safe way: + +```python +from evennia.utils.utils import safe_convert_to_types + +def _process_callable(*args, **kwargs): + """ + A callable with a lot of custom options + + $process(expression, local, extra=34, extra2=foo) + + """ + args, kwargs = safe_convert_to_type( + (('py', 'py'), {'extra1': int, 'extra2': str}), + *args, **kwargs) + + # args/kwargs should be correct types now + +``` + +In other words, + +```python +args, kwargs = safe_convert_to_type( + (tuple_of_arg_converters, dict_of_kwarg_converters), *args, **kwargs) +``` + +Each converter should be a callable taking one argument - this will be the arg/kwarg-value to convert. The +special converter `"py"` will try to convert a string argument to a Python structure with the help of the +following tools (which you may also find useful to experiment with on your own): + +- [ast.literal_eval](https://docs.python.org/3.8/library/ast.html#ast.literal_eval) is an in-built Python + function. It + _only_ supports strings, bytes, numbers, tuples, lists, dicts, sets, booleans and `None`. That's + it - no arithmetic or modifications of data is allowed. This is good for converting individual values and + lists/dicts from the input line to real Python objects. +- [simpleeval](https://pypi.org/project/simpleeval/) is a third-party tool included with Evennia. This + allows for evaluation of simple (and thus safe) expressions. One can operate on numbers and strings + with +-/* as well as do simple comparisons like `4 > 3` and more. It does _not_ accept more complex + containers like lists/dicts etc, so this and `literal_eval` are complementary to each other. + +```warning:: + It may be tempting to run use Python's in-built ``eval()`` or ``exec()`` functions as converters since + these are able to convert any valid Python source code to Python. NEVER DO THIS unless you really, really + know that ONLY developers will ever modify the string going into the callable. The parser is intended + for untrusted users (if you were trusted you'd have access to Python already). Letting untrusted users + pass strings to ``eval``/``exec`` is a MAJOR security risk. It allows the caller to run arbitrary + Python code on your server. This is the path to maliciously deleted hard drives. Just don't do it and + sleep better at night. +``` + +## Default callables + +These are some example callables you can import and add your parser. They are divided into +global-level dicts in `evennia.utils.funcparser`. Just import the dict(s) and merge/add one or +more to them when you create your `FuncParser` instance to have those callables be available. + +### `evennia.utils.funcparser.FUNCPARSER_CALLABLES` + +These are the 'base' callables. + +- `$eval(expression)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_eval)) - + this uses `literal_eval` and `simple_eval` (see previous section) attemt to convert a string expression + to a python object. This handles e.g. lists of literals `[1, 2, 3]` and simple expressions like `"1 + 2"`. +- `$toint(number)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_toint)) - + always converts an output to an integer, if possible. +- `$add/sub/mult/div(obj1, obj2)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_add)) - + this adds/subtracts/multiplies and divides to elements together. While simple addition could be done with + `$eval`, this could for example be used also to add two lists together, which is not possible with `eval`; + for example `$add($eval([1,2,3]), $eval([4,5,6])) -> [1, 2, 3, 4, 5, 6]`. +- `$round(float, significant)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_round)) - + rounds an input float into the number of provided significant digits. For example `$round(3.54343, 3) -> 3.543`. +- `$random([start, [end]])` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_random)) - + this works like the Python `random()` function, but will randomize to an integer value if both start/end are + integers. Without argument, will return a float between 0 and 1. +- `$randint([start, [end]])` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_randint)) - + works like the `randint()` python function and always returns an integer. +- `$choice(list)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_choice)) - + the input will automatically be parsed the same way as `$eval` and is expected to be an iterable. A random + element of this list will be returned. +- `$pad(text[, width, align, fillchar])` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_pad)) - + this will pad content. `$pad("Hello", 30, c, -)` will lead to a text centered in a 30-wide block surrounded by `-` + characters. +- `$crop(text, width=78, suffix='[...]')` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_crop)) - + this will crop a text longer than the width, by default ending it with a `[...]`-suffix that also fits within + the width. If no width is given, the client width or `settings.DEFAULT_CLIENT_WIDTH` will be used. +- `$space(num)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_space)) - + this will insert `num` spaces. +- `$just(string, width=40, align=c, indent=2)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_justify)) - + justifies the text to a given width, aligning it left/right/center or 'f' for full (spread text across width). +- `$ljust` - shortcut to justify-left. Takes all other kwarg of `$just`. +- `$rjust` - shortcut to right justify. +- `$cjust` - shortcut to center justify. +- `$clr(startcolor, text[, endcolor])` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_clr)) - + color text. The color is given with one or two characters without the preceeding `|`. If no endcolor is + given, the string will go back to neutral, so `$clr(r, Hello)` is equivalent to `|rHello|n`. + +### `evennia.utils.funcparser.SEARCHING_CALLABLES` + +These are callables that requires access-checks in order to search for objects. So they require some +extra reserved kwargs to be passed when running the parser: + +```python +parser.parse_to_any(string, caller=, access="control", ...)` + +``` +The `caller` is required, it's the the object to do the access-check for. The `access` kwarg is the + [lock type](./Locks) to check, default being `"control"`. + +- `$search(query,type=account|script,return_list=False)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_search)) - + this will look up and try to match an object by key or alias. Use the `type` kwarg to + search for `account` or `script` instead. By default this will return nothing if there are more than one + match; if `return_list` is `True` a list of 0, 1 or more matches will be returned instead. +- `$obj(query)`, `$dbref(query)` - legacy aliases for `$search`. +- `$objlist(query)` - legacy alias for `$search`, always returning a list. + + +### `evennia.utils.funcparser.ACTOR_STANCE_CALLABLES` + +These are used to implement actor-stance emoting. They are used by the +[DefaultObject.msg_contents](api:evennia.objects.objects#evennia.objects.objects.DefaultObject.msg_contents) method +by default. + +These all require extra kwargs be passed into the parser: + +```python +parser.parse(string, caller=, receiver=, mapping={'key': , ...}) +``` + +Here the `caller` is the one sending the message and `receiver` the one to see it. The `mapping` contains +references to other objects accessible via these callables. + +- `$you([key])` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_you)) - + if no `key` is given, this represents the `caller`, otherwise an object from `mapping` + will be used. As this message is sent to different recipients, the `receiver` will change and this will + be replaced either with the string `you` (if you and the receiver is the same entity) or with the + result of `you_obj.get_display_name(looker=receiver)`. This allows for a single string to echo differently + depending on who sees it, and also to reference other people in the same way. +- `$You([key])` - same as `$you` but always capitalized. +- `$conj(verb)` ([code](api:evennia.utils.funcparser#evennia.utils.funcparser.funcparser_callable_conjugate)) -- conjugates a verb between 4nd person presens to 3rd person presence depending on who + sees the string. For example `"$You() $conj(smiles)".` will show as "You smile." and "Tom smiles." depending + on who sees it. This makes use of the tools in [evennia.utils.verb_conjugation](api:evennia.utils.verb_conjugation) + to do this, and only works for English verbs. + +### Example + +Here's an example of including the default callables together with two custom ones. + +```python +from evennia.utils import funcparser +from evennia.utils import gametime + +def _dashline(*args, **kwargs): + if args: + return f"\n-------- {args[0]} --------" + return '' + +def _uptime(*args, **kwargs): + return gametime.uptime() + +callables = { + "dashline": _dashline, + "uptime": _uptime, + **funcparser.FUNCPARSER_CALLABLES, + **funcparser.ACTOR_STANCE_CALLABLES, + **funcparser.SEARCHING_CALLABLES +} + +parser = funcparser.FuncParser(callables) + +string = "This is the current uptime:$dashline($toint($uptime()) seconds)" +result = parser.parse(string) + +``` + +Above we define two callables `_dashline` and `_uptime` and map them to names `"dashline"` and `"uptime"`, +which is what we then can call as `$header` and `$uptime` in the string. We also have access to +all the defaults (like `$toint()`). + +The parsed result of the above would be something like this: + + This is the current uptime: + ------- 343 seconds ------- \ No newline at end of file diff --git a/docs/source/Concepts/Banning.md b/docs/source/Concepts/Banning.md index 38b14db53a..3da0155058 100644 --- a/docs/source/Concepts/Banning.md +++ b/docs/source/Concepts/Banning.md @@ -3,7 +3,7 @@ Whether due to abuse, blatant breaking of your rules, or some other reason, you will eventually find no other recourse but to kick out a particularly troublesome player. The default command set has -admin tools to handle this, primarily `@ban`, `@unban`, and `@boot`. +admin tools to handle this, primarily `ban`, `unban`, and `boot`. ## Creating a ban @@ -16,7 +16,7 @@ have tried to be nice. Now you just want this troll gone. The easiest recourse is to block the account YouSuck from ever connecting again. - @ban YouSuck + ban YouSuck This will lock the name YouSuck (as well as 'yousuck' and any other capitalization combination), and next time they try to log in with this name the server will not let them! @@ -24,12 +24,12 @@ next time they try to log in with this name the server will not let them! You can also give a reason so you remember later why this was a good thing (the banned account will never see this) - @ban YouSuck:This is just a troll. + ban YouSuck:This is just a troll. If you are sure this is just a spam account, you might even consider deleting the player account outright: - @delaccount YouSuck + accounts/delete YouSuck Generally, banning the name is the easier and safer way to stop the use of an account -- if you change your mind you can always remove the block later whereas a deletion is permanent. @@ -49,7 +49,7 @@ the `who` command, which will show you something like this: The "Host" bit is the IP address from which the account is connecting. Use this to define the ban instead of the name: - @ban 237.333.0.223 + ban 237.333.0.223 This will stop YouSuckMore connecting from their computer. Note however that IP address might change easily - either due to how the player's Internet Service Provider operates or by the user simply @@ -58,7 +58,7 @@ groups of three digits in the address. So if you figure out that !YouSuckMore ma 237.333.0.223, 237.333.0.225, and 237.333.0.256 (only changes in their subnet), it might be an idea to put down a ban like this to include any number in that subnet: - @ban 237.333.0.* + ban 237.333.0.* You should combine the IP ban with a name-ban too of course, so the account YouSuckMore is truly locked regardless of where they connect from. @@ -71,16 +71,16 @@ blocking out innocent players who just happen to connect from the same subnet as YouSuck is not really noticing all this banning yet though - and won't until having logged out and trying to log back in again. Let's help the troll along. - @boot YouSuck + boot YouSuck Good riddance. You can give a reason for booting too (to be echoed to the player before getting kicked out). - @boot YouSuck:Go troll somewhere else. + boot YouSuck:Go troll somewhere else. ### Lifting a ban -Use the `@unban` (or `@ban`) command without any arguments and you will see a list of all currently +Use the `unban` (or `ban`) command without any arguments and you will see a list of all currently active bans: Active bans @@ -90,7 +90,7 @@ active bans: Use the `id` from this list to find out which ban to lift. - @unban 2 + unban 2 Cleared ban 2: 237.333.0.* @@ -132,7 +132,7 @@ case) the lock to fail. - **type thomas = FlowerPot** -- Turn an annoying player into a flower pot (assuming you have a `FlowerPot` typeclass ready) - **userpassword thomas = fooBarFoo** -- Change a user's password -- **delaccount thomas** -- Delete a player account (not recommended, use **ban** instead) +- **accounts/delete thomas** -- Delete a player account (not recommended, use **ban** instead) - **server** -- Show server statistics, such as CPU load, memory usage, and how many objects are cached @@ -141,4 +141,4 @@ cached - **reset** -- Restarts the server, kicking all connections - **shutdown** -- Stops the server cold without it auto-starting again - **py** -- Executes raw Python code, allows for direct inspection of the database and account -objects on the fly. For advanced users. \ No newline at end of file +objects on the fly. For advanced users. diff --git a/docs/source/Concepts/Clickable-Links.md b/docs/source/Concepts/Clickable-Links.md new file mode 100644 index 0000000000..b29065e9e2 --- /dev/null +++ b/docs/source/Concepts/Clickable-Links.md @@ -0,0 +1,21 @@ +## Clickable links + +Evennia supports clickable links for clients that supports it. This marks certain text so it can be +clicked by a mouse and trigger a given Evennia command. To support clickable links, Evennia requires +the webclient or an third-party telnet client with [MXP](http://www.zuggsoft.com/zmud/mxp.htm) +support (*Note: Evennia only supports clickable links, no other MXP features*). + +- `|lc` to start the link, by defining the command to execute. +- `|lt` to continue with the text to show to the user (the link text). +- `|le` to end the link text and the link definition. + +All elements must appear in exactly this order to make a valid link. For example, + +``` +"If you go |lcnorth|ltto the north|le you will find a cottage." +``` + +This will display as "If you go __to the north__ you will find a cottage." where clicking the link +will execute the command `north`. If the client does not support clickable links, only the link text +will be shown. + diff --git a/docs/source/Concepts/Colors.md b/docs/source/Concepts/Colors.md new file mode 100644 index 0000000000..64b2f9a319 --- /dev/null +++ b/docs/source/Concepts/Colors.md @@ -0,0 +1,183 @@ +# Colors + +*Note that the Documentation does not display colour the way it would look on the screen.* + +Color can be a very useful tool for your game. It can be used to increase readability and make your +game more appealing visually. + +Remember however that, with the exception of the webclient, you generally don't control the client +used to connect to the game. There is, for example, one special tag meaning "yellow". But exactly +*which* hue of yellow is actually displayed on the user's screen depends on the settings of their +particular mud client. They could even swap the colours around or turn them off altogether if so +desired. Some clients don't even support color - text games are also played with special reading +equipment by people who are blind or have otherwise diminished eyesight. + +So a good rule of thumb is to use colour to enhance your game but don't *rely* on it to display +critical information. If you are coding the game, you can add functionality to let users disable +colours as they please, as described [here](../Howto/Manually-Configuring-Color). + +To see which colours your client support, use the default `@color` command. This will list all +available colours for ANSI and Xterm256 along with the codes you use for them. You can find a list +of all the parsed `ANSI`-colour codes in `evennia/utils/ansi.py`. + +### ANSI colours + +Evennia supports the `ANSI` standard for text. This is by far the most supported MUD-color standard, +available in all but the most ancient mud clients. The ANSI colours are **r**ed, **g**reen, +**y**ellow, **b**lue, **m**agenta, **c**yan, **w**hite and black. They are abbreviated by their +first letter except for black which is abbreviated with the letter **x**. In ANSI there are "bright" +and "normal" (darker) versions of each color, adding up to a total of 16 colours to use for +foreground text. There are also 8 "background" colours. These have no bright alternative in ANSI +(but Evennia uses the [Xterm256](./TextTags#xterm256-colours) extension behind the scenes to offer +them anyway). + +To colour your text you put special tags in it. Evennia will parse these and convert them to the +correct markup for the client used. If the user's client/console/display supports ANSI colour, they +will see the text in the specified colour, otherwise the tags will be stripped (uncolored text). +This works also for non-terminal clients, such as the webclient. For the webclient, Evennia will +translate the codes to HTML RGB colors. + +Here is an example of the tags in action: + + |rThis text is bright red.|n This is normal text. + |RThis is a dark red text.|n This is normal text. + |[rThis text has red background.|n This is normal text. + |b|[yThis is bright blue text on yellow background.|n This is normal text. + +- `|n` - this tag will turn off all color formatting, including background colors. +- `|#`- markup marks the start of foreground color. The case defines if the text is "bright" or +"normal". So `|g` is a bright green and `|G` is "normal" (darker) green. +- `|[#` is used to add a background colour to the text. The case again specifies if it is "bright" +or "normal", so `|[c` starts a bright cyan background and `|[C` a darker cyan background. +- `|!#` is used to add foreground color without any enforced brightness/normal information. + These are normal-intensity and are thus always given as uppercase, such as + `|!R` for red. The difference between e.g. `|!R` and `|R` is that + `|!R` will "inherit" the brightness setting from previously set color tags, whereas `|R` will +always reset to the normal-intensity red. The `|#` format contains an implicit `|h`/`|H` tag in it: +disabling highlighting when switching to a normal color, and enabling it for bright ones. So `|btest +|!Rtest2` will result in a bright red `test2` since the brightness setting from `|b` "bleeds over". +You could use this to for example quickly switch the intensity of a multitude of color tags. There +is no background-color equivalent to `|!` style tags. +- `|h` is used to make any following foreground ANSI colors bright (it has no effect on Xterm +colors). This is only relevant to use with `|!` type tags and will be valid until the next `|n`, +`|H` or normal (upper-case) `|#` tag. This tag will never affect background colors, those have to be +set bright/normal explicitly. Technically, `|h|!G` is identical to `|g`. +- `|H` negates the effects `|h` and returns all ANSI foreground colors (`|!` and `|` types) to +'normal' intensity. It has no effect on background and Xterm colors. + +> Note: The ANSI standard does not actually support bright backgrounds like `|[r` - the standard +only supports "normal" intensity backgrounds. To get around this Evennia instead implements these +as [Xterm256 colours](./TextTags#xterm256-colours) behind the scenes. If the client does not support +Xterm256 the ANSI colors will be used instead and there will be no visible difference between using +upper- and lower-case background tags. + +If you want to display an ANSI marker as output text (without having any effect), you need to escape +it by preceding its `|` with another `|`: + +``` +say The ||r ANSI marker changes text color to bright red. +``` + +This will output the raw `|r` without any color change. This can also be necessary if you are doing +ansi art that uses `|` with a letter directly following it. + +Use the command + + @color ansi + +to get a list of all supported ANSI colours and the tags used to produce them. + +A few additional ANSI codes are supported: + +- `|/` A line break. You cannot put the normal Python `\n` line breaks in text entered inside the +game (Evennia will filter this for security reasons). This is what you use instead: use the `|/` +marker to format text with line breaks from the game command line. +- `` This will translate into a `TAB` character. This will not always show (or show differently) to +the client since it depends on their local settings. It's often better to use multiple spaces. +- `|_` This is a space. You can usually use the normal space character, but if the space is *at the +end of the line*, Evennia will likely crop it. This tag will not be cropped but always result in a +space. +- `|*` This will invert the current text/background colours. Can be useful to mark things (but see +below). + +##### Caveats of `|*` + +The `|*` tag (inverse video) is an old ANSI standard and should usually not be used for more than to +mark short snippets of text. If combined with other tags it comes with a series of potentially +confusing behaviors: + +* The `|*` tag will only work once in a row:, ie: after using it once it won't have an effect again +until you declare another tag. This is an example: + + ``` + Normal text, |*reversed text|*, still reversed text. + ``` + + that is, it will not reverse to normal at the second `|*`. You need to reset it manually: + + ``` + Normal text, |*reversed text|n, normal again. + ``` + +* The `|*` tag does not take "bright" colors into account: + + ``` + |RNormal red, |hnow brightened. |*BG is normal red. + ``` + + So `|*` only considers the 'true' foreground color, ignoring any highlighting. Think of the bright +state (`|h`) as something like like `` in HTML: it modifies the _appearance_ of a normal +foreground color to match its bright counterpart, without changing its normal color. +* Finally, after a `|*`, if the previous background was set to a dark color (via `|[`), `|!#`) will +actually change the background color instead of the foreground: + + ``` + |*reversed text |!R now BG is red. + ``` +For a detailed explanation of these caveats, see the [Understanding Color Tags](Understanding-Color- +Tags) tutorial. But most of the time you might be better off to simply avoid `|*` and mark your text +manually instead. + +### Xterm256 Colours + +The _Xterm256_ standard is a colour scheme that supports 256 colours for text and/or background. +While this offers many more possibilities than traditional ANSI colours, be wary that too many text +colors will be confusing to the eye. Also, not all clients support Xterm256 - these will instead see +the closest equivalent ANSI color. You can mix Xterm256 tags with ANSI tags as you please. + + |555 This is pure white text.|n This is normal text. + |230 This is olive green text. + |[300 This text has a dark red background. + |005|[054 This is dark blue text on a bright cyan background. + |=a This is a greyscale value, equal to black. + |=m This is a greyscale value, midway between white and black. + |=z This is a greyscale value, equal to white. + |[=m This is a background greyscale value. + +- `|###` - markup consists of three digits, each an integer from 0 to 5. The three digits describe +the amount of **r**ed, **g**reen and **b**lue (RGB) components used in the colour. So `|500` means +maximum red and none of the other colours - the result is a bright red. `|520` is red with a touch +of green - the result is orange. As opposed to ANSI colors, Xterm256 syntax does not worry about +bright/normal intensity, a brighter (lighter) color is just achieved by upping all RGB values with +the same amount. +- `|[###` - this works the same way but produces a coloured background. +- `|=#` - markup produces the xterm256 gray scale tones, where `#` is a letter from `a` (black) to +`z` (white). This offers many more nuances of gray than the normal `|###` markup (which only has +four gray tones between solid black and white (`|000`, `|111`, `|222`, `|333` and `|444`)). +- `|[=#` - this works in the same way but produces background gray scale tones. + +If you have a client that supports Xterm256, you can use + + @color xterm256 + +to get a table of all the 256 colours and the codes that produce them. If the table looks broken up +into a few blocks of colors, it means Xterm256 is not supported and ANSI are used as a replacement. +You can use the `@options` command to see if xterm256 is active for you. This depends on if your +client told Evennia what it supports - if not, and you know what your client supports, you may have +to activate some features manually. + +## More reading + +There is an [Understanding Color Tags](../Howto/Understanding-Color-Tags) tutorial which expands on the +use of ANSI color tags and the pitfalls of mixing ANSI and Xterms256 color tags in the same context. + diff --git a/docs/source/Concepts/TextTags.md b/docs/source/Concepts/TextTags.md index 6c2c6fae3e..94d13fe22e 100644 --- a/docs/source/Concepts/TextTags.md +++ b/docs/source/Concepts/TextTags.md @@ -1,340 +1,19 @@ -# TextTags - - -This documentation details the various text tags supported by Evennia, namely *colours*, *command -links* and *inline functions*. - -There is also an [Understanding Color Tags](../Howto/Understanding-Color-Tags) tutorial which expands on the -use of ANSI color tags and the pitfalls of mixing ANSI and Xterms256 color tags in the same context. - -## Coloured text - -*Note that the Documentation does not display colour the way it would look on the screen.* - -Color can be a very useful tool for your game. It can be used to increase readability and make your -game more appealing visually. - -Remember however that, with the exception of the webclient, you generally don't control the client -used to connect to the game. There is, for example, one special tag meaning "yellow". But exactly -*which* hue of yellow is actually displayed on the user's screen depends on the settings of their -particular mud client. They could even swap the colours around or turn them off altogether if so -desired. Some clients don't even support color - text games are also played with special reading -equipment by people who are blind or have otherwise diminished eyesight. - -So a good rule of thumb is to use colour to enhance your game but don't *rely* on it to display -critical information. If you are coding the game, you can add functionality to let users disable -colours as they please, as described [here](../Howto/Manually-Configuring-Color). - -To see which colours your client support, use the default `@color` command. This will list all -available colours for ANSI and Xterm256 along with the codes you use for them. You can find a list -of all the parsed `ANSI`-colour codes in `evennia/utils/ansi.py`. - -### ANSI colours - -Evennia supports the `ANSI` standard for text. This is by far the most supported MUD-color standard, -available in all but the most ancient mud clients. The ANSI colours are **r**ed, **g**reen, -**y**ellow, **b**lue, **m**agenta, **c**yan, **w**hite and black. They are abbreviated by their -first letter except for black which is abbreviated with the letter **x**. In ANSI there are "bright" -and "normal" (darker) versions of each color, adding up to a total of 16 colours to use for -foreground text. There are also 8 "background" colours. These have no bright alternative in ANSI -(but Evennia uses the [Xterm256](./TextTags#xterm256-colours) extension behind the scenes to offer -them anyway). - -To colour your text you put special tags in it. Evennia will parse these and convert them to the -correct markup for the client used. If the user's client/console/display supports ANSI colour, they -will see the text in the specified colour, otherwise the tags will be stripped (uncolored text). -This works also for non-terminal clients, such as the webclient. For the webclient, Evennia will -translate the codes to HTML RGB colors. - -Here is an example of the tags in action: - - |rThis text is bright red.|n This is normal text. - |RThis is a dark red text.|n This is normal text. - |[rThis text has red background.|n This is normal text. - |b|[yThis is bright blue text on yellow background.|n This is normal text. - -- `|n` - this tag will turn off all color formatting, including background colors. -- `|#`- markup marks the start of foreground color. The case defines if the text is "bright" or -"normal". So `|g` is a bright green and `|G` is "normal" (darker) green. -- `|[#` is used to add a background colour to the text. The case again specifies if it is "bright" -or "normal", so `|[c` starts a bright cyan background and `|[C` a darker cyan background. -- `|!#` is used to add foreground color without any enforced brightness/normal information. - These are normal-intensity and are thus always given as uppercase, such as - `|!R` for red. The difference between e.g. `|!R` and `|R` is that - `|!R` will "inherit" the brightness setting from previously set color tags, whereas `|R` will -always reset to the normal-intensity red. The `|#` format contains an implicit `|h`/`|H` tag in it: -disabling highlighting when switching to a normal color, and enabling it for bright ones. So `|btest -|!Rtest2` will result in a bright red `test2` since the brightness setting from `|b` "bleeds over". -You could use this to for example quickly switch the intensity of a multitude of color tags. There -is no background-color equivalent to `|!` style tags. -- `|h` is used to make any following foreground ANSI colors bright (it has no effect on Xterm -colors). This is only relevant to use with `|!` type tags and will be valid until the next `|n`, -`|H` or normal (upper-case) `|#` tag. This tag will never affect background colors, those have to be -set bright/normal explicitly. Technically, `|h|!G` is identical to `|g`. -- `|H` negates the effects `|h` and returns all ANSI foreground colors (`|!` and `|` types) to -'normal' intensity. It has no effect on background and Xterm colors. - -> Note: The ANSI standard does not actually support bright backgrounds like `|[r` - the standard -only supports "normal" intensity backgrounds. To get around this Evennia instead implements these -as [Xterm256 colours](./TextTags#xterm256-colours) behind the scenes. If the client does not support -Xterm256 the ANSI colors will be used instead and there will be no visible difference between using -upper- and lower-case background tags. - -If you want to display an ANSI marker as output text (without having any effect), you need to escape -it by preceding its `|` with another `|`: - -``` -say The ||r ANSI marker changes text color to bright red. -``` - -This will output the raw `|r` without any color change. This can also be necessary if you are doing -ansi art that uses `|` with a letter directly following it. - -Use the command - - @color ansi - -to get a list of all supported ANSI colours and the tags used to produce them. - -A few additional ANSI codes are supported: - -- `|/` A line break. You cannot put the normal Python `\n` line breaks in text entered inside the -game (Evennia will filter this for security reasons). This is what you use instead: use the `|/` -marker to format text with line breaks from the game command line. -- `` This will translate into a `TAB` character. This will not always show (or show differently) to -the client since it depends on their local settings. It's often better to use multiple spaces. -- `|_` This is a space. You can usually use the normal space character, but if the space is *at the -end of the line*, Evennia will likely crop it. This tag will not be cropped but always result in a -space. -- `|*` This will invert the current text/background colours. Can be useful to mark things (but see -below). - -##### Caveats of `|*` - -The `|*` tag (inverse video) is an old ANSI standard and should usually not be used for more than to -mark short snippets of text. If combined with other tags it comes with a series of potentially -confusing behaviors: - -* The `|*` tag will only work once in a row:, ie: after using it once it won't have an effect again -until you declare another tag. This is an example: - - ``` - Normal text, |*reversed text|*, still reversed text. - ``` - - that is, it will not reverse to normal at the second `|*`. You need to reset it manually: - - ``` - Normal text, |*reversed text|n, normal again. - ``` - -* The `|*` tag does not take "bright" colors into account: - - ``` - |RNormal red, |hnow brightened. |*BG is normal red. - ``` - - So `|*` only considers the 'true' foreground color, ignoring any highlighting. Think of the bright -state (`|h`) as something like like `` in HTML: it modifies the _appearance_ of a normal -foreground color to match its bright counterpart, without changing its normal color. -* Finally, after a `|*`, if the previous background was set to a dark color (via `|[`), `|!#`) will -actually change the background color instead of the foreground: - - ``` - |*reversed text |!R now BG is red. - ``` -For a detailed explanation of these caveats, see the [Understanding Color Tags](Understanding-Color- -Tags) tutorial. But most of the time you might be better off to simply avoid `|*` and mark your text -manually instead. - -### Xterm256 Colours - -The _Xterm256_ standard is a colour scheme that supports 256 colours for text and/or background. -While this offers many more possibilities than traditional ANSI colours, be wary that too many text -colors will be confusing to the eye. Also, not all clients support Xterm256 - these will instead see -the closest equivalent ANSI color. You can mix Xterm256 tags with ANSI tags as you please. - - |555 This is pure white text.|n This is normal text. - |230 This is olive green text. - |[300 This text has a dark red background. - |005|[054 This is dark blue text on a bright cyan background. - |=a This is a greyscale value, equal to black. - |=m This is a greyscale value, midway between white and black. - |=z This is a greyscale value, equal to white. - |[=m This is a background greyscale value. - -- `|###` - markup consists of three digits, each an integer from 0 to 5. The three digits describe -the amount of **r**ed, **g**reen and **b**lue (RGB) components used in the colour. So `|500` means -maximum red and none of the other colours - the result is a bright red. `|520` is red with a touch -of green - the result is orange. As opposed to ANSI colors, Xterm256 syntax does not worry about -bright/normal intensity, a brighter (lighter) color is just achieved by upping all RGB values with -the same amount. -- `|[###` - this works the same way but produces a coloured background. -- `|=#` - markup produces the xterm256 gray scale tones, where `#` is a letter from `a` (black) to -`z` (white). This offers many more nuances of gray than the normal `|###` markup (which only has -four gray tones between solid black and white (`|000`, `|111`, `|222`, `|333` and `|444`)). -- `|[=#` - this works in the same way but produces background gray scale tones. - -If you have a client that supports Xterm256, you can use - - @color xterm256 - -to get a table of all the 256 colours and the codes that produce them. If the table looks broken up -into a few blocks of colors, it means Xterm256 is not supported and ANSI are used as a replacement. -You can use the `@options` command to see if xterm256 is active for you. This depends on if your -client told Evennia what it supports - if not, and you know what your client supports, you may have -to activate some features manually. - -## Clickable links - -Evennia supports clickable links for clients that supports it. This marks certain text so it can be -clicked by a mouse and trigger a given Evennia command. To support clickable links, Evennia requires -the webclient or an third-party telnet client with [MXP](http://www.zuggsoft.com/zmud/mxp.htm) -support (*Note: Evennia only supports clickable links, no other MXP features*). - - - `|lc` to start the link, by defining the command to execute. - - `|lt` to continue with the text to show to the user (the link text). - - `|le` to end the link text and the link definition. - -All elements must appear in exactly this order to make a valid link. For example, - -``` -"If you go |lcnorth|ltto the north|le you will find a cottage." -``` - -This will display as "If you go __to the north__ you will find a cottage." where clicking the link -will execute the command `north`. If the client does not support clickable links, only the link text -will be shown. - -## Inline functions - -> Note: Inlinefuncs are **not** activated by default. To use them you need to add -`INLINEFUNC_ENABLED=True` to your settings file. - -Evennia has its own inline text formatting language, known as *inlinefuncs*. It allows the builder -to include special function calls in code. They are executed dynamically by each session that -receives them. - -To add an inlinefunc, you embed it in a text string like this: - -``` -"A normal string with $funcname(arg, arg, ...) embedded inside it." -``` - -When this string is sent to a session (with the `msg()` method), these embedded inlinefuncs will be -parsed. Their return value (which always is a string) replace their call location in the finalized -string. The interesting thing with this is that the function called will have access to which -session is seeing the string, meaning the string can end up looking different depending on who is -looking. It could of course also vary depending on other factors like game time. - -Any number of comma-separated arguments can be given (or none). No keywords are supported. You can -also nest inlinefuncs by letting an argument itself also be another `$funcname(arg, arg, ...)` call -(down to any depth of nesting). Function call resolution happens as in all programming languages -inside-out, with the nested calls replacing the argument with their return strings before calling he -parent. - -``` - > say "This is $pad(a center-padded text, 30,c,-) of width 30." - You say, "This is ---- a center-padded text----- of width 30." -``` - -A special case happens if wanting to use an inlinefunc argument that itself includes a comma - this -would be parsed as an argument separator. To escape commas you can either escape each comma manually -with a backslash `\,`, or you can embed the entire string in python triple-quotes `"""` or `'''` - -this will escape the entire argument, including commas and any nested inlinefunc calls within. - -Only certain functions are available to use as inlinefuncs and the game developer may add their own -functions as needed. - -### New inlinefuncs - -To add new inlinefuncs, edit the file `mygame/server/conf/inlinefuncs.py`. - -*All globally defined functions in this module* are considered inline functions by the system. The -only exception is functions whose name starts with an underscore `_`. An inlinefunc must be of the -following form: - -```python -def funcname(*args, **kwargs): - # ... - return modified_text -``` - -where `*args` denotes all the arguments this function will accept as an `$inlinefunc`. The inline -function is expected to clean arguments and check that they are valid. If needed arguments are not -given, default values should be used. The function should always return a string (even if it's -empty). An inlinefunc should never cause a traceback regardless of the input (but it could log -errors if desired). - -Note that whereas the function should accept `**kwargs`, keyword inputs are *not* usable in the call -to the inlinefunction. The `kwargs` part is instead intended for Evennia to be able to supply extra -information. Currently Evennia sends a single keyword to every inline function and that is -`session`, which holds the [serversession](../Components/Sessions) this text is targeted at. Through the session -object, a lot of dynamic possibilities are opened up for your inline functions. - -The `settings.INLINEFUNC_MODULES` configuration option is a list that decides which modules should -be parsed for inline function definitions. This will include `mygame/server/conf/inlinefuncs.py` but -more could be added. The list is read from left to right so if you want to overload default -functions you just have to put your custom module-paths later in the list and name your functions -the same as default ones. - -Here is an example, the `crop` default inlinefunction: - -```python -from evennia.utils import utils - -def crop(*args, **kwargs): - """ - Inlinefunc. Crops ingoing text to given widths. - Args: - text (str, optional): Text to crop. - width (str, optional): Will be converted to an integer. Width of - crop in characters. - suffix (str, optional): End string to mark the fact that a part - of the string was cropped. Defaults to `[...]`. - Kwargs: - session (Session): Session performing the crop. - Example: - `$crop(text, 50, [...])` - - """ - text, width, suffix = "", 78, "[...]" - nargs = len(args) - if nargs > 0: - text = args[0] - if nargs > 1: - width = int(args[1]) if args[1].strip().isdigit() else 78 - if nargs > 2: - suffix = args[2] - return utils.crop(text, width=width, suffix=suffix) -``` -Another example, making use of the Session: - -```python -def charactername(*args, **kwargs): - """ - Inserts the character name of whomever sees the string - (so everyone will see their own name). Uses the account - name for OOC communications. - - Example: - say "This means YOU, $charactername()!" - - """ - session = kwargs["session"] - if session.puppet: - return kwargs["session"].puppet.key - else: - return session.account.key -``` - -Evennia itself offers the following default inline functions (mostly as examples): - -* `crop(text, width, suffix)` - See above. -* `pad(text, width, align, fillchar)` - this pads the text to `width` (default 78), alignment ("c", -"l" or "r", defaulting to "c") and fill-in character (defaults to space). Example: `$pad(40,l,-)` -* `clr(startclr, text, endclr)` - A programmatic way to enter colored text for those who don't want -to use the normal `|c` type color markers for some reason. The `color` argument is the same as the -color markers except without the actual pre-marker, so `|r` would be just `r`. If `endclr` is not -given, it defaults to resetting the color (`n`). Example: `$clr(b, A blue text)` -* `space(number)` - Inserts the given number of spaces. If no argument is given, use 4 spaces. \ No newline at end of file +# In-text tags parsed by Evennia + +Evennia understands various extra information embedded in text: + +- [Colors](./Colors) - Using `|r`, `|n` etc can be used to mark parts of text with a color. The color will + become ANSI/XTerm256 color tags for Telnet connections and CSS information for the webclient. +- [Clickable links](./Clickable-Links) - This allows you to provide a text the user can click to execute an + in-game command. This is on the form `|lc command |lt text |le`. +- [FuncParser callables](../Components/FuncParser) - These are full-fledged function calls on the form `$funcname(args, kwargs)` + that lead to calls to Python functions. The parser can be run with different available callables in different + circumstances. The parser is run on all outgoing messages if `settings.FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED=True` + (disabled by default). + +```toctree:: + + Colors.md + Clickable-Links.md + ../Components/FuncParser.md +``` \ No newline at end of file diff --git a/docs/source/Evennia-API.md b/docs/source/Evennia-API.md index 421cfa660c..ab405079a2 100644 --- a/docs/source/Evennia-API.md +++ b/docs/source/Evennia-API.md @@ -77,6 +77,7 @@ The flat API is defined in `__init__.py` [viewable here](github:evennia/__init__ - [evennia.EvForm](api:evennia.utils.evform#evennia.utils.evform.EvForm) - text form creator - Evennia.EvMore - text paginator - [evennia.EvEditor](api:evennia.utils.eveditor#evennia.utils.eveditor.EvEditor) - in game text line editor ([docs](Components/EvEditor)) +- [evennia.utils.funcparser.Funcparser](api:evennia.utils.funcparser) - inline parsing of functions ([docs](Components/FuncParser)) ### Global singleton handlers diff --git a/docs/source/api/evennia.utils.funcparser.rst b/docs/source/api/evennia.utils.funcparser.rst new file mode 100644 index 0000000000..151811e406 --- /dev/null +++ b/docs/source/api/evennia.utils.funcparser.rst @@ -0,0 +1,7 @@ +evennia.utils.funcparser +=============================== + +.. automodule:: evennia.utils.funcparser + :members: + :undoc-members: + :show-inheritance: diff --git a/docs/source/api/evennia.utils.inlinefuncs.rst b/docs/source/api/evennia.utils.inlinefuncs.rst deleted file mode 100644 index f11abd4776..0000000000 --- a/docs/source/api/evennia.utils.inlinefuncs.rst +++ /dev/null @@ -1,7 +0,0 @@ -evennia.utils.inlinefuncs -================================ - -.. automodule:: evennia.utils.inlinefuncs - :members: - :undoc-members: - :show-inheritance: diff --git a/docs/source/api/evennia.utils.rst b/docs/source/api/evennia.utils.rst index 12894e85f0..32653d5c5f 100644 --- a/docs/source/api/evennia.utils.rst +++ b/docs/source/api/evennia.utils.rst @@ -21,8 +21,8 @@ evennia.utils evennia.utils.evmenu evennia.utils.evmore evennia.utils.evtable + evennia.utils.funcparser evennia.utils.gametime - evennia.utils.inlinefuncs evennia.utils.logger evennia.utils.optionclasses evennia.utils.optionhandler @@ -38,3 +38,4 @@ evennia.utils :maxdepth: 6 evennia.utils.idmapper + evennia.utils.verb_conjugation diff --git a/docs/source/api/evennia.utils.verb_conjugation.conjugate.rst b/docs/source/api/evennia.utils.verb_conjugation.conjugate.rst new file mode 100644 index 0000000000..5f60d2e589 --- /dev/null +++ b/docs/source/api/evennia.utils.verb_conjugation.conjugate.rst @@ -0,0 +1,7 @@ +evennia.utils.verb\_conjugation.conjugate +================================================ + +.. automodule:: evennia.utils.verb_conjugation.conjugate + :members: + :undoc-members: + :show-inheritance: diff --git a/docs/source/api/evennia.utils.verb_conjugation.rst b/docs/source/api/evennia.utils.verb_conjugation.rst new file mode 100644 index 0000000000..ab6df6f377 --- /dev/null +++ b/docs/source/api/evennia.utils.verb_conjugation.rst @@ -0,0 +1,15 @@ +evennia.utils.verb\_conjugation +======================================= + +.. automodule:: evennia.utils.verb_conjugation + :members: + :undoc-members: + :show-inheritance: + + + +.. toctree:: + :maxdepth: 6 + + evennia.utils.verb_conjugation.conjugate + evennia.utils.verb_conjugation.tests diff --git a/docs/source/api/evennia.utils.verb_conjugation.tests.rst b/docs/source/api/evennia.utils.verb_conjugation.tests.rst new file mode 100644 index 0000000000..a61eb6e472 --- /dev/null +++ b/docs/source/api/evennia.utils.verb_conjugation.tests.rst @@ -0,0 +1,7 @@ +evennia.utils.verb\_conjugation.tests +============================================ + +.. automodule:: evennia.utils.verb_conjugation.tests + :members: + :undoc-members: + :show-inheritance: diff --git a/docs/source/toc.md b/docs/source/toc.md index b2e6dbbe51..fa1a27bec0 100644 --- a/docs/source/toc.md +++ b/docs/source/toc.md @@ -1,5 +1,5 @@ # Toc - +- [API root](api/evennia-api.rst) - [Coding/Coding Introduction](Coding/Coding-Introduction) - [Coding/Coding Overview](Coding/Coding-Overview) - [Coding/Continuous Integration](Coding/Continuous-Integration) @@ -29,6 +29,7 @@ - [Components/EvEditor](Components/EvEditor) - [Components/EvMenu](Components/EvMenu) - [Components/EvMore](Components/EvMore) +- [Components/FuncParser](Components/FuncParser) - [Components/Help System](Components/Help-System) - [Components/Inputfuncs](Components/Inputfuncs) - [Components/Locks](Components/Locks) @@ -52,6 +53,8 @@ - [Concepts/Banning](Concepts/Banning) - [Concepts/Bootstrap & Evennia](Concepts/Bootstrap-&-Evennia) - [Concepts/Building Permissions](Concepts/Building-Permissions) +- [Concepts/Clickable Links](Concepts/Clickable-Links) +- [Concepts/Colors](Concepts/Colors) - [Concepts/Concepts Overview](Concepts/Concepts-Overview) - [Concepts/Custom Protocols](Concepts/Custom-Protocols) - [Concepts/Guest Logins](Concepts/Guest-Logins) diff --git a/evennia/commands/default/building.py b/evennia/commands/default/building.py index 50b57e41ff..cca069c298 100644 --- a/evennia/commands/default/building.py +++ b/evennia/commands/default/building.py @@ -7,7 +7,7 @@ from django.db.models import Q, Min, Max from evennia.objects.models import ObjectDB from evennia.locks.lockhandler import LockException from evennia.commands.cmdhandler import get_and_merge_cmdsets -from evennia.utils import create, utils, search, logger +from evennia.utils import create, utils, search, logger, funcparser from evennia.utils.utils import ( inherits_from, class_from_module, @@ -22,10 +22,11 @@ from evennia.utils.eveditor import EvEditor from evennia.utils.evmore import EvMore from evennia.prototypes import spawner, prototypes as protlib, menus as olc_menus from evennia.utils.ansi import raw as ansi_raw -from evennia.utils.inlinefuncs import raw as inlinefunc_raw COMMAND_DEFAULT_CLASS = class_from_module(settings.COMMAND_DEFAULT_CLASS) +_FUNCPARSER = None + # limit symbol import for API __all__ = ( "ObjManipCommand", @@ -2122,7 +2123,8 @@ class CmdTypeclass(COMMAND_DEFAULT_CLASS): ) if "prototype" in self.switches: - modified = spawner.batch_update_objects_with_prototype(prototype, objects=[obj]) + modified = spawner.batch_update_objects_with_prototype( + prototype, objects=[obj], caller=self.caller) prototype_success = modified > 0 if not prototype_success: caller.msg("Prototype %s failed to apply." % prototype["key"]) @@ -2380,12 +2382,16 @@ class CmdExamine(ObjManipCommand): value (any): Attribute value. Returns: """ + global _FUNCPARSER + if not _FUNCPARSER: + _FUNCPARSER = funcparser.FuncParser(settings.FUNCPARSER_OUTGOING_MESSAGES_MODULES) + if attr is None: return "No such attribute was found." value = utils.to_str(value) if crop: value = utils.crop(value) - value = inlinefunc_raw(ansi_raw(value)) + value = _FUNCPARSER.parse(ansi_raw(value), escape=True) if category: return f"{attr}[{category}] = {value}" else: @@ -3458,7 +3464,7 @@ class CmdSpawn(COMMAND_DEFAULT_CLASS): "Python structures are allowed. \nMake sure to use correct " "Python syntax. Remember especially to put quotes around all " "strings inside lists and dicts.|n For more advanced uses, embed " - "inlinefuncs in the strings." + "funcparser callables ($funcs) in the strings." ) else: string = "Expected {}, got {}.".format(expect, type(prototype)) @@ -3554,7 +3560,7 @@ class CmdSpawn(COMMAND_DEFAULT_CLASS): return try: n_updated = spawner.batch_update_objects_with_prototype( - prototype, objects=existing_objects + prototype, objects=existing_objects, caller=caller, ) except Exception: logger.log_trace() @@ -3806,7 +3812,7 @@ class CmdSpawn(COMMAND_DEFAULT_CLASS): # proceed to spawning try: - for obj in spawner.spawn(prototype): + for obj in spawner.spawn(prototype, caller=self.caller): self.caller.msg("Spawned %s." % obj.get_display_name(self.caller)) if not prototype.get("location") and not noloc: # we don't hardcode the location in the prototype (unless the user diff --git a/evennia/contrib/tutorial_world/intro_menu.py b/evennia/contrib/tutorial_world/intro_menu.py index 199b3fc90d..1be58ea31d 100644 --- a/evennia/contrib/tutorial_world/intro_menu.py +++ b/evennia/contrib/tutorial_world/intro_menu.py @@ -695,27 +695,27 @@ If you want there is also some |wextra|n info for where to go beyond that. After playing through the tutorial-world quest, if you aim to make a game with Evennia you are wise to take a look at the |wEvennia documentation|n at - |yhttps://github.com/evennia/evennia/wiki|n + |yhttps://www.evennia.com/docs/latest|n - You can start by trying to build some stuff by following the |wBuilder quick-start|n: - |yhttps://github.com/evennia/evennia/wiki/Building-Quickstart|n + |yhttps://www.evennia.com/docs/latest/Building-Quickstart|n - The tutorial-world may or may not be your cup of tea, but it does show off several |wuseful tools|n of Evennia. You may want to check out how it works: - |yhttps://github.com/evennia/evennia/wiki/Tutorial-World-Introduction|n + |yhttps://www.evennia.com/docs/latest/Tutorial-World-Introduction|n - You can then continue looking through the |wTutorials|n and pick one that fits your level of understanding. - |yhttps://github.com/evennia/evennia/wiki/Tutorials|n + |yhttps://www.evennia.com/docs/latest/Tutorials|n - Make sure to |wjoin our forum|n and connect to our |wsupport chat|n! The Evennia community is very active and friendly and no question is too simple. You will often quickly get help. You can everything you need linked from - |yhttp://www.evennia.com|n + |yhttps://www.evennia.com|n # --------------------------------------------------------------------------------- diff --git a/evennia/game_template/server/conf/inlinefuncs.py b/evennia/game_template/server/conf/inlinefuncs.py index 1190597677..c1ba9dfb08 100644 --- a/evennia/game_template/server/conf/inlinefuncs.py +++ b/evennia/game_template/server/conf/inlinefuncs.py @@ -1,17 +1,17 @@ """ -Inlinefunc +Outgoing callables to apply with the FuncParser on outgoing messages. -Inline functions allow for direct conversion of text users mark in a -special way. Inlinefuncs are deactivated by default. To activate, add +The functions in this module will become available as $funcname(args, kwargs) +in all outgoing strings if you add - INLINEFUNC_ENABLED = True + FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED = True -to your settings file. The default inlinefuncs are found in -evennia.utils.inlinefunc. +to your settings file. The default inlinefuncs are found at the bottom of +`evennia.utils.funcparser`. In text, usage is straightforward: -$funcname([arg1,[arg2,...]]) +$funcname(arg1, arg2, ..., key=val, key2=val2, ...) Example 1 (using the "pad" inlinefunc): say This is $pad("a center-padded text", 50,c,-) of width 50. @@ -26,26 +26,14 @@ Example 2 (using nested "pad" and "time" inlinefuncs): To add more inline functions, add them to this module, using the following call signature: - def funcname(text, *args, **kwargs) - -where `text` is always the part between {funcname(args) and -{/funcname and the *args are taken from the appropriate part of the -call. If no {/funcname is given, `text` will be the empty string. - -It is important that the inline function properly clean the -incoming `args`, checking their type and replacing them with sane -defaults if needed. If impossible to resolve, the unmodified text -should be returned. The inlinefunc should never cause a traceback. - -While the inline function should accept **kwargs, the keyword is -never accepted as a valid call - this is only intended to be used -internally by Evennia, notably to send the `session` keyword to -the function; this is the session of the object viewing the string -and can be used to customize it to each session. + def funcname(*args, **kwargs) + ... """ -# def capitalize(text, *args, **kwargs): -# "Silly capitalize example. Used as {capitalize() ... {/capitalize" +# def capitalize(*args, **kwargs): +# "Silly capitalize example. Used as $capitalize +# if not args: +# return '' # session = kwargs.get("session") -# return text.capitalize() +# return args[0].capitalize() diff --git a/evennia/objects/objects.py b/evennia/objects/objects.py index 1d88c2e702..cbd21ed79b 100644 --- a/evennia/objects/objects.py +++ b/evennia/objects/objects.py @@ -20,6 +20,7 @@ from evennia.objects.models import ObjectDB from evennia.scripts.scripthandler import ScriptHandler from evennia.commands import cmdset, command from evennia.commands.cmdsethandler import CmdSetHandler +from evennia.utils import funcparser from evennia.utils import create from evennia.utils import search from evennia.utils import logger @@ -47,6 +48,12 @@ _COMMAND_DEFAULT_CLASS = class_from_module(settings.COMMAND_DEFAULT_CLASS) # the sessid_max is based on the length of the db_sessid csv field (excluding commas) _SESSID_MAX = 16 if _MULTISESSION_MODE in (1, 3) else 1 +_MSG_CONTENTS_PARSER = funcparser.FuncParser( + {"you": funcparser.funcparser_callable_you, + "You": funcparser.funcparser_callable_You, + "conj": funcparser.funcparser_callable_conjugate + }) + class ObjectSessionHandler(object): """ @@ -717,64 +724,94 @@ class DefaultObject(ObjectDB, metaclass=TypeclassBase): text (str or tuple): Message to send. If a tuple, this should be on the valid OOB outmessage form `(message, {kwargs})`, where kwargs are optional data passed to the `text` - outputfunc. + outputfunc. The message will be parsed for `{key}` formatting and + `$You/$you()/$You(key)` and `$conj(verb)` inline function callables. + The `key` is taken from the `mapping` kwarg {"key": object, ...}`. + The `mapping[key].get_display_name(looker=recipient)` will be called + for that key for every recipient of the string. exclude (list, optional): A list of objects not to send to. from_obj (Object, optional): An object designated as the "sender" of the message. See `DefaultObject.msg()` for more info. mapping (dict, optional): A mapping of formatting keys - `{"key":, "key2":,...}. The keys - must match `{key}` markers in the `text` if this is a string or - in the internal `message` if `text` is a tuple. These - formatting statements will be - replaced by the return of `.get_display_name(looker)` - for every looker in contents that receives the - message. This allows for every object to potentially - get its own customized string. - Keyword Args: - Keyword arguments will be passed on to `obj.msg()` for all - messaged objects. + `{"key":, "key2":,...}. + The keys must either match `{key}` or `$You(key)/$you(key)` markers + in the `text` string. If `` doesn't have a `get_display_name` + method, it will be returned as a string. If not set, a key `you` will + be auto-added to point to `from_obj` if given, otherwise to `self`. + **kwargs: Keyword arguments will be passed on to `obj.msg()` for all + messaged objects. Notes: - The `mapping` argument is required if `message` contains - {}-style format syntax. The keys of `mapping` should match - named format tokens, and its values will have their - `get_display_name()` function called for each object in - the room before substitution. If an item in the mapping does - not have `get_display_name()`, its string value will be used. + For 'actor-stance' reporting (You say/Name says), use the + `$You()/$you()/$You(key)` and `$conj(verb)` (verb-conjugation) + inline callables. This will use the respective `get_display_name()` + for all onlookers except for `from_obj or self`, which will become + 'You/you'. If you use `$You/you(key)`, the key must be in `mapping`. - Example: - Say Char is a Character object and Npc is an NPC object: + For 'director-stance' reporting (Name says/Name says), use {key} + syntax directly. For both `{key}` and `You/you(key)`, + `mapping[key].get_display_name(looker=recipient)` may be called + depending on who the recipient is. - char.location.msg_contents( - "{attacker} kicks {defender}", - mapping=dict(attacker=char, defender=npc), exclude=(char, npc)) + Examples: - This will result in everyone in the room seeing 'Char kicks NPC' - where everyone may potentially see different results for Char and Npc - depending on the results of `char.get_display_name(looker)` and - `npc.get_display_name(looker)` for each particular onlooker + Let's assume + - `player1.key -> "Player1"`, + `player1.get_display_name(looker=player2) -> "The First girl"` + - `player2.key -> "Player2"`, + `player2.get_display_name(looker=player1) -> "The Second girl"` + + Actor-stance: + :: + + char.location.msg_contents( + "$You() $conj(attack) $you(defender).", + mapping={"defender": player2}) + + - player1 will see `You attack The Second girl.` + - player2 will see 'The First girl attacks you.' + + Director-stance: + :: + + char.location.msg_contents( + "{attacker} attacks {defender}.", + mapping={"attacker:player1, "defender":player2}) + + - player1 will see: 'Player1 attacks The Second girl.' + - player2 will see: 'The First girl attacks Player2' """ # we also accept an outcommand on the form (message, {kwargs}) is_outcmd = text and is_iter(text) inmessage = text[0] if is_outcmd else text outkwargs = text[1] if is_outcmd and len(text) > 1 else {} + mapping = mapping or {} + you = from_obj or self + + if 'you' not in mapping: + mapping[you] = you contents = self.contents if exclude: exclude = make_iter(exclude) contents = [obj for obj in contents if obj not in exclude] - for obj in contents: - if mapping: - substitutions = { - t: sub.get_display_name(obj) if hasattr(sub, "get_display_name") else str(sub) - for t, sub in mapping.items() - } - outmessage = inmessage.format(**substitutions) - else: - outmessage = inmessage - obj.msg(text=(outmessage, outkwargs), from_obj=from_obj, **kwargs) + + for receiver in contents: + + # actor-stance replacements + inmessage = _MSG_CONTENTS_PARSER.parse( + inmessage, raise_errors=True, return_string=True, + caller=you, receiver=receiver, mapping=mapping) + + # director-stance replacements + outmessage = inmessage.format( + **{key: obj.get_display_name(looker=receiver) + if hasattr(obj, "get_display_name") else str(obj) + for key, obj in mapping.items()}) + + receiver.msg(text=(outmessage, outkwargs), from_obj=from_obj, **kwargs) def move_to( self, diff --git a/evennia/prototypes/menus.py b/evennia/prototypes/menus.py index 174f96e7eb..f7566e56b0 100644 --- a/evennia/prototypes/menus.py +++ b/evennia/prototypes/menus.py @@ -177,9 +177,7 @@ def _set_property(caller, raw_string, **kwargs): if kwargs.get("test_parse", True): out.append(" Simulating prototype-func parsing ...") - err, parsed_value = protlib.protfunc_parser(value, testing=True) - if err: - out.append(" |yPython `literal_eval` warning: {}|n".format(err)) + parsed_value = protlib.protfunc_parser(value, testing=True, prototype=prototype) if parsed_value != value: out.append( " |g(Example-)value when parsed ({}):|n {}".format(type(parsed_value), parsed_value) @@ -264,7 +262,7 @@ def _validate_prototype(prototype): def _format_protfuncs(): out = [] sorted_funcs = [ - (key, func) for key, func in sorted(protlib.PROT_FUNCS.items(), key=lambda tup: tup[0]) + (key, func) for key, func in sorted(protlib.FUNC_PARSER.callables.items(), key=lambda tup: tup[0]) ] for protfunc_name, protfunc in sorted_funcs: out.append( @@ -2115,7 +2113,8 @@ def _apply_diff(caller, **kwargs): objects = kwargs["objects"] back_node = kwargs["back_node"] diff = kwargs.get("diff", None) - num_changed = spawner.batch_update_objects_with_prototype(prototype, diff=diff, objects=objects) + num_changed = spawner.batch_update_objects_with_prototype(prototype, diff=diff, objects=objects, + caller=caller) caller.msg("|g{num} objects were updated successfully.|n".format(num=num_changed)) return back_node @@ -2483,7 +2482,7 @@ def _spawn(caller, **kwargs): if not prototype.get("location"): prototype["location"] = caller - obj = spawner.spawn(prototype) + obj = spawner.spawn(prototype, caller=caller) if obj: obj = obj[0] text = "|gNew instance|n {key} ({dbref}) |gspawned at location |n{loc}|n|g.|n".format( diff --git a/evennia/prototypes/protfuncs.py b/evennia/prototypes/protfuncs.py index e22fd5a46a..c84ab579c8 100644 --- a/evennia/prototypes/protfuncs.py +++ b/evennia/prototypes/protfuncs.py @@ -1,33 +1,28 @@ """ -Protfuncs are function-strings embedded in a prototype and allows for a builder to create a -prototype with custom logics without having access to Python. The Protfunc is parsed using the -inlinefunc parser but is fired at the moment the spawning happens, using the creating object's -session as input. +Protfuncs are FuncParser-callables that can be embedded in a prototype to +provide custom logic without having access to Python. The protfunc is parsed at +the time of spawning, using the creating object's session as input. If the +protfunc returns a non-string, this is what will be added to the prototype. In the prototype dict, the protfunc is specified as a string inside the prototype, e.g.: { ... - "key": "$funcname(arg1, arg2, ...)" + "key": "$funcname(args, kwargs)" ... } -and multiple functions can be nested (no keyword args are supported). The result will be used as the -value for that prototype key for that individual spawn. - -Available protfuncs are callables in one of the modules of `settings.PROT_FUNC_MODULES`. They -are specified as functions +Available protfuncs are either all callables in one of the modules of `settings.PROT_FUNC_MODULES` +or all callables added to a dict FUNCPARSER_CALLABLES in such a module. def funcname (*args, **kwargs) -where *args are the arguments given in the prototype, and **kwargs are inserted by Evennia: +At spawn-time the spawner passes the following extra kwargs into each callable (in addition to +what is added in the call itself): - session (Session): The Session of the entity spawning using this prototype. - prototype (dict): The dict this protfunc is a part of. - current_key (str): The active key this value belongs to in the prototype. - - testing (bool): This is set if this function is called as part of the prototype validation; if - set, the protfunc should take care not to perform any persistent actions, such as operate on - objects or add things to the database. Any traceback raised by this function will be handled at the time of spawning and abort the spawn before any object is created/updated. It must otherwise return the value to store for the specified @@ -35,312 +30,32 @@ prototype key (this value must be possible to serialize in an Attribute). """ -from ast import literal_eval -from random import randint as base_randint, random as base_random, choice as base_choice -import re - -from evennia.utils import search -from evennia.utils.utils import justify as base_justify, is_iter, to_str - -_PROTLIB = None - -_RE_DBREF = re.compile(r"\#[0-9]+") +from evennia.utils import funcparser -# default protfuncs - - -def random(*args, **kwargs): +def protfunc_callable_protkey(*args, **kwargs): """ - Usage: $random() - Returns a random value in the interval [0, 1) - - """ - return base_random() - - -def randint(*args, **kwargs): - """ - Usage: $randint(start, end) - Returns random integer in interval [start, end] - - """ - if len(args) != 2: - raise TypeError("$randint needs two arguments - start and end.") - start, end = int(args[0]), int(args[1]) - return base_randint(start, end) - - -def left_justify(*args, **kwargs): - """ - Usage: $left_justify() - Returns left-justified. - - """ - if args: - return base_justify(args[0], align="l") - return "" - - -def right_justify(*args, **kwargs): - """ - Usage: $right_justify() - Returns right-justified across screen width. - - """ - if args: - return base_justify(args[0], align="r") - return "" - - -def center_justify(*args, **kwargs): - - """ - Usage: $center_justify() - Returns centered in screen width. - - """ - if args: - return base_justify(args[0], align="c") - return "" - - -def choice(*args, **kwargs): - """ - Usage: $choice(val, val, val, ...) - Returns one of the values randomly - """ - if args: - return base_choice(args) - return "" - - -def full_justify(*args, **kwargs): - - """ - Usage: $full_justify() - Returns filling up screen width by adding extra space. - - """ - if args: - return base_justify(args[0], align="f") - return "" - - -def protkey(*args, **kwargs): - """ - Usage: $protkey() + Usage: $protkey(keyname) Returns the value of another key in this prototoype. Will raise an error if the key is not found in this prototype. """ - if args: - prototype = kwargs["prototype"] - return prototype[args[0].strip()] + if not args: + return "" + + prototype = kwargs.get("prototype", {}) + prot_value = prototype[args[0]] + try: + return funcparser.funcparser_callable_eval(prot_value, **kwargs) + except funcparser.ParsingError: + return prot_value -def add(*args, **kwargs): - """ - Usage: $add(val1, val2) - Returns the result of val1 + val2. Values must be - valid simple Python structures possible to add, - such as numbers, lists etc. - - """ - if len(args) > 1: - val1, val2 = args[0], args[1] - # try to convert to python structures, otherwise, keep as strings - try: - val1 = literal_eval(val1.strip()) - except Exception: - pass - try: - val2 = literal_eval(val2.strip()) - except Exception: - pass - return val1 + val2 - raise ValueError("$add requires two arguments.") -def sub(*args, **kwargs): - """ - Usage: $del(val1, val2) - Returns the value of val1 - val2. Values must be - valid simple Python structures possible to - subtract. - - """ - if len(args) > 1: - val1, val2 = args[0], args[1] - # try to convert to python structures, otherwise, keep as strings - try: - val1 = literal_eval(val1.strip()) - except Exception: - pass - try: - val2 = literal_eval(val2.strip()) - except Exception: - pass - return val1 - val2 - raise ValueError("$sub requires two arguments.") - - -def mult(*args, **kwargs): - """ - Usage: $mul(val1, val2) - Returns the value of val1 * val2. The values must be - valid simple Python structures possible to - multiply, like strings and/or numbers. - - """ - if len(args) > 1: - val1, val2 = args[0], args[1] - # try to convert to python structures, otherwise, keep as strings - try: - val1 = literal_eval(val1.strip()) - except Exception: - pass - try: - val2 = literal_eval(val2.strip()) - except Exception: - pass - return val1 * val2 - raise ValueError("$mul requires two arguments.") - - -def div(*args, **kwargs): - """ - Usage: $div(val1, val2) - Returns the value of val1 / val2. Values must be numbers and - the result is always a float. - - """ - if len(args) > 1: - val1, val2 = args[0], args[1] - # try to convert to python structures, otherwise, keep as strings - try: - val1 = literal_eval(val1.strip()) - except Exception: - pass - try: - val2 = literal_eval(val2.strip()) - except Exception: - pass - return val1 / float(val2) - raise ValueError("$mult requires two arguments.") - - -def toint(*args, **kwargs): - """ - Usage: $toint() - Returns as an integer. - """ - if args: - val = args[0] - try: - return int(literal_eval(val.strip())) - except ValueError: - return val - raise ValueError("$toint requires one argument.") - - -def eval(*args, **kwargs): - """ - Usage $eval() - Returns evaluation of a simple Python expression. The string may *only* consist of the following - Python literal structures: strings, numbers, tuples, lists, dicts, booleans, - and None. The strings can also contain #dbrefs. Escape embedded protfuncs as $$protfunc(..) - - those will then be evaluated *after* $eval. - - """ - global _PROTLIB - if not _PROTLIB: - from evennia.prototypes import prototypes as _PROTLIB - - string = ",".join(args) - struct = literal_eval(string) - - if isinstance(struct, str): - # we must shield the string, otherwise it will be merged as a string and future - # literal_evas will pick up e.g. '2' as something that should be converted to a number - struct = '"{}"'.format(struct) - - # convert any #dbrefs to objects (also in nested structures) - struct = _PROTLIB.value_to_obj_or_any(struct) - - return struct - - -def _obj_search(*args, **kwargs): - "Helper function to search for an object" - - query = "".join(args) - session = kwargs.get("session", None) - return_list = kwargs.pop("return_list", False) - account = None - - if session: - account = session.account - - targets = search.search_object(query) - - if return_list: - retlist = [] - if account: - for target in targets: - if target.access(account, target, "control"): - retlist.append(target) - else: - retlist = targets - return retlist - else: - # single-match - if not targets: - raise ValueError("$obj: Query '{}' gave no matches.".format(query)) - if len(targets) > 1: - raise ValueError( - "$obj: Query '{query}' gave {nmatches} matches. Limit your " - "query or use $objlist instead.".format(query=query, nmatches=len(targets)) - ) - target = targets[0] - if account: - if not target.access(account, target, "control"): - raise ValueError( - "$obj: Obj {target}(#{dbref} cannot be added - " - "Account {account} does not have 'control' access.".format( - target=target.key, dbref=target.id, account=account - ) - ) - return target - - -def obj(*args, **kwargs): - """ - Usage $obj() - Returns one Object searched globally by key, alias or #dbref. Error if more than one. - - """ - obj = _obj_search(return_list=False, *args, **kwargs) - if obj: - return "#{}".format(obj.id) - return "".join(args) - - -def objlist(*args, **kwargs): - """ - Usage $objlist() - Returns list with one or more Objects searched globally by key, alias or #dbref. - - """ - return ["#{}".format(obj.id) for obj in _obj_search(return_list=True, *args, **kwargs)] - - -def dbref(*args, **kwargs): - """ - Usage $dbref(<#dbref>) - Validate that a #dbref input is valid. - """ - if not args or len(args) < 1 or _RE_DBREF.match(args[0]) is None: - raise ValueError("$dbref requires a valid #dbref argument.") - - return obj(args[0]) +# this is picked up by FuncParser +FUNCPARSER_CALLABLES = { + "protkey": protfunc_callable_protkey, + **funcparser.FUNCPARSER_CALLABLES, + **funcparser.SEARCHING_CALLABLES, +} diff --git a/evennia/prototypes/prototypes.py b/evennia/prototypes/prototypes.py index 185b9dfc5d..7ed6aba55d 100644 --- a/evennia/prototypes/prototypes.py +++ b/evennia/prototypes/prototypes.py @@ -30,7 +30,8 @@ from evennia.utils.utils import ( ) from evennia.locks.lockhandler import validate_lockstring, check_lockstring from evennia.utils import logger -from evennia.utils import inlinefuncs, dbserialize +from evennia.utils.funcparser import FuncParser +from evennia.utils import dbserialize from evennia.utils.evtable import EvTable @@ -58,11 +59,14 @@ _PROTOTYPE_RESERVED_KEYS = _PROTOTYPE_META_NAMES + ( ) PROTOTYPE_TAG_CATEGORY = "from_prototype" _PROTOTYPE_TAG_META_CATEGORY = "db_prototype" -PROT_FUNCS = {} _PROTOTYPE_FALLBACK_LOCK = "spawn:all();edit:all()" +# the protfunc parser +FUNC_PARSER = FuncParser(settings.PROT_FUNC_MODULES) + + class PermissionError(RuntimeError): pass @@ -709,18 +713,7 @@ def validate_prototype( prototype["prototype_locks"] = prototype_locks -# Protfunc parsing (in-prototype functions) - -for mod in settings.PROT_FUNC_MODULES: - try: - callables = callables_from_module(mod) - PROT_FUNCS.update(callables) - except ImportError: - logger.log_trace() - raise - - -def protfunc_parser(value, available_functions=None, testing=False, stacktrace=False, **kwargs): +def protfunc_parser(value, available_functions=None, testing=False, stacktrace=False, caller=None, **kwargs): """ Parse a prototype value string for a protfunc and process it. @@ -732,45 +725,27 @@ def protfunc_parser(value, available_functions=None, testing=False, stacktrace=F protfuncs, all other types are returned as-is. available_functions (dict, optional): Mapping of name:protfunction to use for this parsing. If not set, use default sources. - testing (bool, optional): Passed to protfunc. If in a testing mode, some protfuncs may - behave differently. stacktrace (bool, optional): If set, print the stack parsing process of the protfunc-parser. Keyword Args: session (Session): Passed to protfunc. Session of the entity spawning the prototype. protototype (dict): Passed to protfunc. The dict this protfunc is a part of. current_key(str): Passed to protfunc. The key in the prototype that will hold this value. + caller (Object or Account): This is necessary for certain protfuncs that perform object + searches and have to check permissions. any (any): Passed on to the protfunc. Returns: - testresult (tuple): If `testing` is set, returns a tuple (error, result) where error is - either None or a string detailing the error from protfunc_parser or seen when trying to - run `literal_eval` on the parsed string. - any (any): A structure to replace the string on the prototype level. If this is a - callable or a (callable, (args,)) structure, it will be executed as if one had supplied - it to the prototype directly. This structure is also passed through literal_eval so one - can get actual Python primitives out of it (not just strings). It will also identify - eventual object #dbrefs in the output from the protfunc. + any: A structure to replace the string on the prototype leve. Note + that FunctionParser functions $funcname(*args, **kwargs) can return any + data type to insert into the prototype. """ if not isinstance(value, str): return value - available_functions = PROT_FUNCS if available_functions is None else available_functions + result = FUNC_PARSER.parse(value, raise_errors=True, return_str=False, caller=caller, **kwargs) - result = inlinefuncs.parse_inlinefunc( - value, available_funcs=available_functions, stacktrace=stacktrace, testing=testing, **kwargs - ) - - err = None - try: - result = literal_eval(result) - except ValueError: - pass - except Exception as exc: - err = str(exc) - if testing: - return err, result return result @@ -785,7 +760,7 @@ def format_available_protfuncs(): clr (str, optional): What coloration tag to use. """ out = [] - for protfunc_name, protfunc in PROT_FUNCS.items(): + for protfunc_name, protfunc in FUNC_PARSER.callables.items(): out.append( "- |c${name}|n - |W{docs}".format( name=protfunc_name, docs=protfunc.__doc__.strip().replace("\n", "") @@ -910,7 +885,7 @@ def check_permission(prototype_key, action, default=True): return default -def init_spawn_value(value, validator=None): +def init_spawn_value(value, validator=None, caller=None): """ Analyze the prototype value and produce a value useful at the point of spawning. @@ -921,6 +896,8 @@ def init_spawn_value(value, validator=None): other - will be assigned depending on the variable type validator (callable, optional): If given, this will be called with the value to check and guarantee the outcome is of a given type. + caller (Object or Account): This is necessary for certain protfuncs that perform object + searches and have to check permissions. Returns: any (any): The (potentially pre-processed value to use for this prototype key) @@ -935,7 +912,7 @@ def init_spawn_value(value, validator=None): value = validator(value[0](*make_iter(args))) else: value = validator(value) - result = protfunc_parser(value) + result = protfunc_parser(value, caller=caller) if result != value: return validator(result) return result diff --git a/evennia/prototypes/spawner.py b/evennia/prototypes/spawner.py index 0a5ec6012f..10bdba18d4 100644 --- a/evennia/prototypes/spawner.py +++ b/evennia/prototypes/spawner.py @@ -607,7 +607,8 @@ def format_diff(diff, minimal=True): return "\n ".join(line for line in texts if line) -def batch_update_objects_with_prototype(prototype, diff=None, objects=None, exact=False): +def batch_update_objects_with_prototype(prototype, diff=None, objects=None, + exact=False, caller=None): """ Update existing objects with the latest version of the prototype. @@ -624,6 +625,7 @@ def batch_update_objects_with_prototype(prototype, diff=None, objects=None, exac if it's not set in the prototype. With `exact=True`, all un-specified properties of the objects will be removed if they exist. This will lead to a more accurate 1:1 correlation between the object and the prototype but is usually impractical. + caller (Object or Account, optional): This may be used by protfuncs to do permission checks. Returns: changed (int): The number of objects that had changes applied to them. @@ -675,33 +677,33 @@ def batch_update_objects_with_prototype(prototype, diff=None, objects=None, exac do_save = True if key == "key": - obj.db_key = init_spawn_value(val, str) + obj.db_key = init_spawn_value(val, str, caller=caller) elif key == "typeclass": - obj.db_typeclass_path = init_spawn_value(val, str) + obj.db_typeclass_path = init_spawn_value(val, str, caller=caller) elif key == "location": - obj.db_location = init_spawn_value(val, value_to_obj) + obj.db_location = init_spawn_value(val, value_to_obj, caller=caller) elif key == "home": - obj.db_home = init_spawn_value(val, value_to_obj) + obj.db_home = init_spawn_value(val, value_to_obj, caller=caller) elif key == "destination": - obj.db_destination = init_spawn_value(val, value_to_obj) + obj.db_destination = init_spawn_value(val, value_to_obj, caller=caller) elif key == "locks": if directive == "REPLACE": obj.locks.clear() - obj.locks.add(init_spawn_value(val, str)) + obj.locks.add(init_spawn_value(val, str, caller=caller)) elif key == "permissions": if directive == "REPLACE": obj.permissions.clear() - obj.permissions.batch_add(*(init_spawn_value(perm, str) for perm in val)) + obj.permissions.batch_add(*(init_spawn_value(perm, str, caller=caller) for perm in val)) elif key == "aliases": if directive == "REPLACE": obj.aliases.clear() - obj.aliases.batch_add(*(init_spawn_value(alias, str) for alias in val)) + obj.aliases.batch_add(*(init_spawn_value(alias, str, caller=caller) for alias in val)) elif key == "tags": if directive == "REPLACE": obj.tags.clear() obj.tags.batch_add( *( - (init_spawn_value(ttag, str), tcategory, tdata) + (init_spawn_value(ttag, str, caller=caller), tcategory, tdata) for ttag, tcategory, tdata in val ) ) @@ -711,8 +713,8 @@ def batch_update_objects_with_prototype(prototype, diff=None, objects=None, exac obj.attributes.batch_add( *( ( - init_spawn_value(akey, str), - init_spawn_value(aval, value_to_obj), + init_spawn_value(akey, str, caller=caller), + init_spawn_value(aval, value_to_obj, caller=caller), acategory, alocks, ) @@ -723,7 +725,7 @@ def batch_update_objects_with_prototype(prototype, diff=None, objects=None, exac # we don't auto-rerun exec statements, it would be huge security risk! pass else: - obj.attributes.add(key, init_spawn_value(val, value_to_obj)) + obj.attributes.add(key, init_spawn_value(val, value_to_obj, caller=caller)) elif directive == "REMOVE": do_save = True if key == "key": @@ -836,7 +838,7 @@ def batch_create_object(*objparams): # Spawner mechanism -def spawn(*prototypes, **kwargs): +def spawn(*prototypes, caller=None, **kwargs): """ Spawn a number of prototyped objects. @@ -845,6 +847,7 @@ def spawn(*prototypes, **kwargs): prototype_key (will be used to find the prototype) or a full prototype dictionary. These will be batched-spawned as one object each. Keyword Args: + caller (Object or Account, optional): This may be used by protfuncs to do access checks. prototype_modules (str or list): A python-path to a prototype module, or a list of such paths. These will be used to build the global protparents dictionary accessible by the input @@ -910,39 +913,39 @@ def spawn(*prototypes, **kwargs): "key", "Spawned-{}".format(hashlib.md5(bytes(str(time.time()), "utf-8")).hexdigest()[:6]), ) - create_kwargs["db_key"] = init_spawn_value(val, str) + create_kwargs["db_key"] = init_spawn_value(val, str, caller=caller) val = prot.pop("location", None) - create_kwargs["db_location"] = init_spawn_value(val, value_to_obj) + create_kwargs["db_location"] = init_spawn_value(val, value_to_obj, caller=caller) val = prot.pop("home", None) if val: - create_kwargs["db_home"] = init_spawn_value(val, value_to_obj) + create_kwargs["db_home"] = init_spawn_value(val, value_to_obj, caller=caller) else: try: - create_kwargs["db_home"] = init_spawn_value(settings.DEFAULT_HOME, value_to_obj) + create_kwargs["db_home"] = init_spawn_value(settings.DEFAULT_HOME, value_to_obj, caller=caller) except ObjectDB.DoesNotExist: # settings.DEFAULT_HOME not existing is common for unittests pass val = prot.pop("destination", None) - create_kwargs["db_destination"] = init_spawn_value(val, value_to_obj) + create_kwargs["db_destination"] = init_spawn_value(val, value_to_obj, caller=caller) val = prot.pop("typeclass", settings.BASE_OBJECT_TYPECLASS) - create_kwargs["db_typeclass_path"] = init_spawn_value(val, str) + create_kwargs["db_typeclass_path"] = init_spawn_value(val, str, caller=caller) # extract calls to handlers val = prot.pop("permissions", []) - permission_string = init_spawn_value(val, make_iter) + permission_string = init_spawn_value(val, make_iter, caller=caller) val = prot.pop("locks", "") - lock_string = init_spawn_value(val, str) + lock_string = init_spawn_value(val, str, caller=caller) val = prot.pop("aliases", []) - alias_string = init_spawn_value(val, make_iter) + alias_string = init_spawn_value(val, make_iter, caller=caller) val = prot.pop("tags", []) tags = [] for (tag, category, *data) in val: - tags.append((init_spawn_value(tag, str), category, data[0] if data else None)) + tags.append((init_spawn_value(tag, str, caller=caller), category, data[0] if data else None)) prototype_key = prototype.get("prototype_key", None) if prototype_key: @@ -950,11 +953,11 @@ def spawn(*prototypes, **kwargs): tags.append((prototype_key, PROTOTYPE_TAG_CATEGORY)) val = prot.pop("exec", "") - execs = init_spawn_value(val, make_iter) + execs = init_spawn_value(val, make_iter, caller=caller) # extract ndb assignments nattributes = dict( - (key.split("_", 1)[1], init_spawn_value(val, value_to_obj)) + (key.split("_", 1)[1], init_spawn_value(val, value_to_obj, caller=caller)) for key, val in prot.items() if key.startswith("ndb_") ) @@ -963,7 +966,7 @@ def spawn(*prototypes, **kwargs): val = make_iter(prot.pop("attrs", [])) attributes = [] for (attrname, value, *rest) in val: - attributes.append((attrname, init_spawn_value(value), + attributes.append((attrname, init_spawn_value(value, caller=caller), rest[0] if rest else None, rest[1] if len(rest) > 1 else None)) simple_attributes = [] @@ -975,7 +978,7 @@ def spawn(*prototypes, **kwargs): continue else: simple_attributes.append( - (key, init_spawn_value(value, value_to_obj_or_any), None, None) + (key, init_spawn_value(value, value_to_obj_or_any, caller=caller), None, None) ) attributes = attributes + simple_attributes diff --git a/evennia/prototypes/tests.py b/evennia/prototypes/tests.py index f7eac5d912..a84c56c39e 100644 --- a/evennia/prototypes/tests.py +++ b/evennia/prototypes/tests.py @@ -338,223 +338,19 @@ class TestProtLib(EvenniaTest): self.assertEqual(match, [self.prot]) -@override_settings(PROT_FUNC_MODULES=["evennia.prototypes.protfuncs"], CLIENT_DEFAULT_WIDTH=20) class TestProtFuncs(EvenniaTest): - def setUp(self): - super(TestProtFuncs, self).setUp() - self.prot = { - "prototype_key": "test_prototype", - "prototype_desc": "testing prot", - "key": "ExampleObj", - } - - @mock.patch("evennia.prototypes.protfuncs.base_random", new=mock.MagicMock(return_value=0.5)) - @mock.patch("evennia.prototypes.protfuncs.base_randint", new=mock.MagicMock(return_value=5)) - def test_protfuncs(self): - self.assertEqual(protlib.protfunc_parser("$random()"), 0.5) - self.assertEqual(protlib.protfunc_parser("$randint(1, 10)"), 5) - self.assertEqual(protlib.protfunc_parser("$left_justify( foo )"), "foo ") - self.assertEqual(protlib.protfunc_parser("$right_justify( foo )"), " foo") - self.assertEqual(protlib.protfunc_parser("$center_justify(foo )"), " foo ") - self.assertEqual( - protlib.protfunc_parser("$full_justify(foo bar moo too)"), "foo bar moo too" - ) - self.assertEqual( - protlib.protfunc_parser("$right_justify( foo )", testing=True), - ("unexpected indent (, line 1)", " foo"), - ) + @override_settings(PROT_FUNC_MODULES=["evennia.prototypes.protfuncs"]) + def test_protkey_protfunc(self): test_prot = {"key1": "value1", "key2": 2} self.assertEqual( protlib.protfunc_parser("$protkey(key1)", testing=True, prototype=test_prot), - (None, "value1"), + "value1", ) self.assertEqual( - protlib.protfunc_parser("$protkey(key2)", testing=True, prototype=test_prot), (None, 2) - ) - - self.assertEqual(protlib.protfunc_parser("$add(1, 2)"), 3) - self.assertEqual(protlib.protfunc_parser("$add(10, 25)"), 35) - self.assertEqual( - protlib.protfunc_parser("$add('''[1,2,3]''', '''[4,5,6]''')"), [1, 2, 3, 4, 5, 6] - ) - self.assertEqual(protlib.protfunc_parser("$add(foo, bar)"), "foo bar") - - self.assertEqual(protlib.protfunc_parser("$sub(5, 2)"), 3) - self.assertRaises(TypeError, protlib.protfunc_parser, "$sub(5, test)") - - self.assertEqual(protlib.protfunc_parser("$mult(5, 2)"), 10) - self.assertEqual(protlib.protfunc_parser("$mult( 5 , 10)"), 50) - self.assertEqual(protlib.protfunc_parser("$mult('foo',3)"), "foofoofoo") - self.assertEqual(protlib.protfunc_parser("$mult(foo,3)"), "foofoofoo") - self.assertRaises(TypeError, protlib.protfunc_parser, "$mult(foo, foo)") - - self.assertEqual(protlib.protfunc_parser("$toint(5.3)"), 5) - - self.assertEqual(protlib.protfunc_parser("$div(5, 2)"), 2.5) - self.assertEqual(protlib.protfunc_parser("$toint($div(5, 2))"), 2) - self.assertEqual(protlib.protfunc_parser("$sub($add(5, 3), $add(10, 2))"), -4) - - self.assertEqual(protlib.protfunc_parser("$eval('2')"), "2") - - self.assertEqual( - protlib.protfunc_parser("$eval(['test', 1, '2', 3.5, \"foo\"])"), - ["test", 1, "2", 3.5, "foo"], - ) - self.assertEqual( - protlib.protfunc_parser("$eval({'test': '1', 2:3, 3: $toint(3.5)})"), - {"test": "1", 2: 3, 3: 3}, - ) - - # no object search - odbref = self.obj1.dbref - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("obj({})".format(odbref), session=self.session), - "obj({})".format(odbref), - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("dbref({})".format(odbref), session=self.session), - "dbref({})".format(odbref), - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("stone(#12345)", session=self.session), "stone(#12345)" - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual(protlib.protfunc_parser(odbref, session=self.session), odbref) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual(protlib.protfunc_parser("#12345", session=self.session), "#12345") - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("nothing({})".format(odbref), session=self.session), - "nothing({})".format(odbref), - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual(protlib.protfunc_parser("(#12345)", session=self.session), "(#12345)") - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("obj(Char)", session=self.session), "obj(Char)" - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("objlist({})".format(odbref), session=self.session), - "objlist({})".format(odbref), - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("dbref(Char)", session=self.session), "dbref(Char)" - ) - mocked__obj_search.assert_not_called() - - # obj search happens - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("$objlist({})".format(odbref), session=self.session), - [odbref], - ) - mocked__obj_search.assert_called_once() - assert (odbref,) == mocked__obj_search.call_args[0] - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("$obj({})".format(odbref), session=self.session), odbref - ) - mocked__obj_search.assert_called_once() - assert (odbref,) == mocked__obj_search.call_args[0] - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("$dbref({})".format(odbref), session=self.session), odbref - ) - mocked__obj_search.assert_called_once() - assert (odbref,) == mocked__obj_search.call_args[0] - - cdbref = self.char1.dbref - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual(protlib.protfunc_parser("$obj(Char)", session=self.session), cdbref) - mocked__obj_search.assert_called_once() - assert ("Char",) == mocked__obj_search.call_args[0] - - # bad invocation - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertEqual( - protlib.protfunc_parser("$badfunc(#112345)", session=self.session), "" - ) - mocked__obj_search.assert_not_called() - - with mock.patch( - "evennia.prototypes.protfuncs._obj_search", wraps=protofuncs._obj_search - ) as mocked__obj_search: - self.assertRaises(ValueError, protlib.protfunc_parser, "$dbref(Char)") - mocked__obj_search.assert_not_called() - - self.assertEqual( - protlib.value_to_obj(protlib.protfunc_parser(cdbref, session=self.session)), self.char1 - ) - self.assertEqual( - protlib.value_to_obj_or_any(protlib.protfunc_parser(cdbref, session=self.session)), - self.char1, - ) - self.assertEqual( - protlib.value_to_obj_or_any( - protlib.protfunc_parser("[1,2,3,'{}',5]".format(cdbref), session=self.session) - ), - [1, 2, 3, self.char1, 5], + protlib.protfunc_parser("$protkey(key2)", testing=True, prototype=test_prot), + 2 ) diff --git a/evennia/server/deprecations.py b/evennia/server/deprecations.py index fd6a7fbc85..c4a79feac2 100644 --- a/evennia/server/deprecations.py +++ b/evennia/server/deprecations.py @@ -59,6 +59,21 @@ def check_errors(settings): "Update your settings file (see evennia/settings_default.py " "for more info)." ) + depstring = ( + "settings.{} was renamed to {}. Update your settings file (the FuncParser " + "replaces and generalizes that which inlinefuncs used to do).") + if hasattr(settings, "INLINEFUNC_ENABLED"): + raise DeprecationWarning(depstring.format( + "settings.INLINEFUNC_ENABLED", "FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLE")) + if hasattr(settings, "INLINEFUNC_STACK_MAXSIZE"): + raise DeprecationWarning(depstring.format( + "settings.INLINEFUNC_STACK_MAXSIZE", "FUNCPARSER_MAX_NESTING")) + if hasattr(settings, "INLINEFUNC_MODULES"): + raise DeprecationWarning(depstring.format( + "settings.INLINEFUNC_MODULES", "FUNCPARSER_OUTGOING_MESSAGES_MODULES")) + if hasattr(settings, "PROTFUNC_MODULES"): + raise DeprecationWarning(depstring.format( + "settings.PROTFUNC_MODULES", "FUNCPARSER_PROTOTYPE_VALUE_MODULES")) gametime_deprecation = ( "The settings TIME_SEC_PER_MIN, TIME_MIN_PER_HOUR," diff --git a/evennia/server/sessionhandler.py b/evennia/server/sessionhandler.py index 32ce6879e0..6f1aeebe5b 100644 --- a/evennia/server/sessionhandler.py +++ b/evennia/server/sessionhandler.py @@ -28,10 +28,9 @@ from evennia.utils.utils import ( from evennia.server.portal import amp from evennia.server.signals import SIGNAL_ACCOUNT_POST_LOGIN, SIGNAL_ACCOUNT_POST_LOGOUT from evennia.server.signals import SIGNAL_ACCOUNT_POST_FIRST_LOGIN, SIGNAL_ACCOUNT_POST_LAST_LOGOUT -from evennia.utils.inlinefuncs import parse_inlinefunc from codecs import decode as codecs_decode -_INLINEFUNC_ENABLED = settings.INLINEFUNC_ENABLED +_FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED = settings.FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED # delayed imports _AccountDB = None @@ -59,6 +58,9 @@ _DELAY_CMD_LOGINSTART = settings.DELAY_CMD_LOGINSTART _MAX_SERVER_COMMANDS_PER_SECOND = 100.0 _MAX_SESSION_COMMANDS_PER_SECOND = 5.0 _MODEL_MAP = None +_FUNCPARSER = None + + # input handlers @@ -151,7 +153,8 @@ class SessionHandler(dict): def clean_senddata(self, session, kwargs): """ - Clean up data for sending across the AMP wire. Also apply INLINEFUNCS. + Clean up data for sending across the AMP wire. Also apply the + FuncParser using callables from `settings.FUNCPARSER_OUTGOING_MESSAGES_MODULES`. Args: session (Session): The relevant session instance. @@ -167,10 +170,15 @@ class SessionHandler(dict): Returns: kwargs (dict): A cleaned dictionary of cmdname:[[args],{kwargs}] pairs, where the keys, args and kwargs have all been converted to - send-safe entities (strings or numbers), and inlinefuncs have been + send-safe entities (strings or numbers), and funcparser parsing has been applied. """ + global _FUNCPARSER + if not _FUNCPARSER: + from evennia.utils.funcparser import FuncParser + _FUNCPARSER = FuncParser(settings.FUNCPARSER_OUTGOING_MESSAGES_MODULE, raise_errors=True) + options = kwargs.pop("options", None) or {} raw = options.get("raw", False) strip_inlinefunc = options.get("strip_inlinefunc", False) @@ -202,9 +210,10 @@ class SessionHandler(dict): elif isinstance(data, (str, bytes)): data = _utf8(data) - if _INLINEFUNC_ENABLED and not raw and isinstance(self, ServerSessionHandler): - # only parse inlinefuncs on the outgoing path (sessionhandler->) - data = parse_inlinefunc(data, strip=strip_inlinefunc, session=session) + if _FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED and not raw and isinstance(self, ServerSessionHandler): + # only apply funcparser on the outgoing path (sessionhandler->) + # data = parse_inlinefunc(data, strip=strip_inlinefunc, session=session) + data = _FUNCPARSER.parse(data, strip=strip_inlinefunc, session=session) return str(data) elif ( diff --git a/evennia/settings_default.py b/evennia/settings_default.py index 9693e70828..d848cb5796 100644 --- a/evennia/settings_default.py +++ b/evennia/settings_default.py @@ -598,23 +598,31 @@ TIME_GAME_EPOCH = None TIME_IGNORE_DOWNTIMES = False ###################################################################### -# Inlinefunc, PrototypeFuncs +# FuncParser +# +# Strings parsed with the FuncParser can contain 'callables' on the +# form $funcname(args,kwargs), which will lead to actual Python functions +# being executed. ###################################################################### -# Evennia supports inline function preprocessing. This allows users -# to supply inline calls on the form $func(arg, arg, ...) to do -# session-aware text formatting and manipulation on the fly. If -# disabled, such inline functions will not be parsed. -INLINEFUNC_ENABLED = False -# This defined how deeply nested inlinefuncs can be. Set to <=0 to -# disable (not recommended, this is a safeguard against infinite loops). -INLINEFUNC_STACK_MAXSIZE = 20 +# This changes the start-symbol for the funcparser callable. Note that +# this will make a lot of documentation invalid and there may also be +# other unexpected side effects, so change with caution. +FUNCPARSER_START_CHAR = '$' +# The symbol to use to escape Func +FUNCPARSER_ESCAPE_CHAR = '\\' +# This is the global max nesting-level for nesting functions in +# the funcparser. This protects against infinite loops. +FUNCPARSER_MAX_NESTING = 20 +# Activate funcparser for all outgoing strings. The current Session +# will be passed into the parser (used to be called inlinefuncs) +FUNCPARSER_PARSE_OUTGOING_MESSAGES_ENABLED = False # Only functions defined globally (and not starting with '_') in # these modules will be considered valid inlinefuncs. The list # is loaded from left-to-right, same-named functions will overload -INLINEFUNC_MODULES = ["evennia.utils.inlinefuncs", "server.conf.inlinefuncs"] -# Module holding handlers for ProtFuncs. These allow for embedding -# functional code in prototypes and has the same syntax as inlinefuncs. -PROTOTYPEFUNC_MODULES = ["evennia.utils.prototypefuncs", "server.conf.prototypefuncs"] +FUNCPARSER_OUTGOING_MESSAGES_MODULES = ["evennia.utils.funcparser", "server.conf.inlinefuncs"] +# Prototype values are also parsed with FuncParser. These modules +# define which $func callables are available to use in prototypes. +FUNCPARSER_PROTOTYPE_PARSING_MODULES = ["evennia.prototypes.protfuncs", "server.conf.prototypefuncs"] ###################################################################### # Global Scripts diff --git a/evennia/utils/funcparser.py b/evennia/utils/funcparser.py new file mode 100644 index 0000000000..2f161578f0 --- /dev/null +++ b/evennia/utils/funcparser.py @@ -0,0 +1,1182 @@ +""" +Generic function parser for functions embedded in a string, on the form +`$funcname(*args, **kwargs)`, for example: + +``` +"A string $foo() with $bar(a, b, c, $moo(), d=23) etc." +``` + +Each arg/kwarg can also be another nested function. These will be executed +inside-out and their return will used as arguments for the enclosing function +(so the same as for regular Python function execution). + +This is the base for all forms of embedded func-parsing, like inlinefuncs and +protfuncs. Each function available to use must be registered as a 'safe' +function for the parser to accept it. This is usually done in a module with +regular Python functions on the form: + +```python +# in a module whose path is passed to the parser + +def _helper(x): + # use underscore to NOT make the function available as a callable + +def funcname(*args, **kwargs): + # this can be accecssed as $funcname(*args, **kwargs) + # it must always accept *args and **kwargs. + ... + return something +``` + +Usage: + +```python +from evennia.utils.funcparser + +parser = FuncParser("path.to.module_with_callables") +result = parser.parse("String with $funcname() in it") + +``` + +The `FuncParser` also accepts a direct dict mapping of `{'name': callable, ...}`. + +--- + +""" +import re +import dataclasses +import inspect +import random +from functools import partial +from django.conf import settings +from evennia.utils import logger +from evennia.utils.utils import ( + make_iter, callables_from_module, variable_from_module, pad, crop, justify, + safe_convert_to_types) +from evennia.utils import search +from evennia.utils.verb_conjugation.conjugate import verb_actor_stance_components + +# setup + +_CLIENT_DEFAULT_WIDTH = settings.CLIENT_DEFAULT_WIDTH +_MAX_NESTING = settings.FUNCPARSER_MAX_NESTING +_START_CHAR = settings.FUNCPARSER_START_CHAR +_ESCAPE_CHAR = settings.FUNCPARSER_ESCAPE_CHAR + + +@dataclasses.dataclass +class _ParsedFunc: + """ + Represents a function parsed from the string + + """ + prefix: str = _START_CHAR + funcname: str = "" + args: list = dataclasses.field(default_factory=list) + kwargs: dict = dataclasses.field(default_factory=dict) + + # state storage + fullstr: str = "" + infuncstr: str = "" + single_quoted: bool = False + double_quoted: bool = False + current_kwarg: str = "" + open_lparens: int = 0 + open_lsquate: int = 0 + open_lcurly: int = 0 + exec_return = "" + + def get(self): + return self.funcname, self.args, self.kwargs + + def __str__(self): + return self.fullstr + self.infuncstr + + +class ParsingError(RuntimeError): + """ + Failed to parse for some reason. + """ + pass + + +class FuncParser: + """ + Sets up a parser for strings containing `$funcname(*args, **kwargs)` + substrings. + + """ + + def __init__(self, + callables, + start_char=_START_CHAR, + escape_char=_ESCAPE_CHAR, + max_nesting=_MAX_NESTING, + **default_kwargs): + """ + Initialize the parser. + + Args: + callables (str, module, list or dict): Where to find + 'safe' functions to make available in the parser. If a `dict`, + it should be a direct mapping `{"funcname": callable, ...}`. If + one or mode modules or module-paths, the module(s) are first checked + for a dict `FUNCPARSER_CALLABLES = {"funcname", callable, ...}`. If + no such variable exists, all callables in the module (whose name does + not start with an underscore) will be made available to the parser. + start_char (str, optional): A character used to identify the beginning + of a parseable function. Default is `$`. + escape_char (str, optional): Prepend characters with this to have + them not count as a function. Default is the backtick, `\\\\`. + max_nesting (int, optional): How many levels of nested function calls + are allowed, to avoid exploitation. Default is 20. + **default_kwargs: These kwargs will be passed into all callables. These + kwargs can be overridden both by kwargs passed direcetly to `.parse` *and* + by kwargs given directly in the string `$funcname` call. They are + suitable for global defaults that is intended to be changed by the + user. To guarantee a call always gets a particular kwarg, pass it + into `.parse` as `**reserved_kwargs` instead. + + """ + if isinstance(callables, dict): + loaded_callables = {**callables} + else: + # load all modules/paths in sequence. Later-added will override + # earlier same-named callables (allows for overriding evennia defaults) + loaded_callables = {} + for module_or_path in make_iter(callables): + callables_mapping = variable_from_module( + module_or_path, variable="FUNCPARSER_CALLABLES") + if callables_mapping: + try: + # mapping supplied in variable + loaded_callables.update(callables_mapping) + except ValueError: + raise ParsingError( + f"Failure to parse - {module_or_path}.FUNCPARSER_CALLABLES " + "(must be a dict {'funcname': callable, ...})") + else: + # use all top-level variables + # (handles both paths and module instances + loaded_callables.update(callables_from_module(module_or_path)) + self.validate_callables(loaded_callables) + self.callables = loaded_callables + self.escape_char = escape_char + self.start_char = start_char + self.default_kwargs = default_kwargs + + def validate_callables(self, callables): + """ + Validate the loaded callables. Each callable must support at least + `funcname(*args, **kwargs)`. + property. + + Args: + callables (dict): A mapping `{"funcname": callable, ...}` to validate + + Raise: + AssertionError: If invalid callable was found. + + Notes: + This is also a good method to override for individual parsers + needing to run any particular pre-checks. + + """ + for funcname, clble in callables.items(): + try: + mapping = inspect.getfullargspec(clble) + except TypeError: + logger.log_trace(f"Could not run getfullargspec on {funcname}: {clble}") + else: + assert mapping.varargs, f"Parse-func callable '{funcname}' does not support *args." + assert mapping.varkw, f"Parse-func callable '{funcname}' does not support **kwargs." + + def execute(self, parsedfunc, raise_errors=False, **reserved_kwargs): + """ + Execute a parsed function + + Args: + parsedfunc (_ParsedFunc): This dataclass holds the parsed details + of the function. + raise_errors (bool, optional): Raise errors. Otherwise return the + string with the function unparsed. + **reserved_kwargs: These kwargs are _guaranteed_ to always be passed into + the callable on every call. It will override any default kwargs + _and_ also a same-named kwarg given manually in the $funcname + call. This is often used by Evennia to pass required data into + the callable, for example the current Session for inlinefuncs. + Returns: + any: The result of the execution. If this is a nested function, it + can be anything, otherwise it will be converted to a string later. + Always a string on un-raised error (the unparsed function string). + + Raises: + ParsingError, any: A `ParsingError` if the function could not be + found, otherwise error from function definition. Only raised if + `raise_errors` is `True` + + Notes: + The kwargs passed into the callable will be a mixture of the + `default_kwargs` passed into `FuncParser.__init__`, kwargs given + directly in the `$funcdef` string, and the `reserved_kwargs` this + function gets from `.parse()`. For colliding keys, funcdef-defined + kwargs will override default kwargs while reserved kwargs will always + override the other two. + + """ + funcname, args, kwargs = parsedfunc.get() + func = self.callables.get(funcname) + + if not func: + if raise_errors: + available = ", ".join(f"'{key}'" for key in self.callables) + raise ParsingError(f"Unknown parsed function '{str(parsedfunc)}' " + f"(available: {available})") + return str(parsedfunc) + + nargs = len(args) + + # build kwargs in the proper priority order + kwargs = {**self.default_kwargs, **kwargs, **reserved_kwargs, + **{'funcparser': self, "raise_errors": raise_errors}} + + try: + ret = func(*args, **kwargs) + return ret + except ParsingError: + if raise_errors: + raise + return str(parsedfunc) + except Exception: + logger.log_trace() + if raise_errors: + raise + return str(parsedfunc) + + def parse(self, string, raise_errors=False, escape=False, + strip=False, return_str=True, **reserved_kwargs): + """ + Use parser to parse a string that may or may not have + `$funcname(*args, **kwargs)` - style tokens in it. Only the callables + used to initiate the parser will be eligible for parsing. + + Args: + string (str): The string to parse. + raise_errors (bool, optional): By default, a failing parse just + means not parsing the string but leaving it as-is. If this is + `True`, errors (like not closing brackets) will lead to an + ParsingError. + escape (bool, optional): If set, escape all found functions so they + are not executed by later parsing. + strip (bool, optional): If set, strip any inline funcs from string + as if they were not there. + return_str (bool, optional): If set (default), always convert the + parse result to a string, otherwise return the result of the + latest called inlinefunc (if called separately). + **reserved_kwargs: If given, these are guaranteed to _always_ pass + as part of each parsed callable's **kwargs. These override + same-named default options given in `__init__` as well as any + same-named kwarg given in the string function. This is because + it is often used by Evennia to pass necessary kwargs into each + callable (like the current Session object for inlinefuncs). + + Returns: + str or any: The parsed string, or the same string on error (if + `raise_errors` is `False`). This is always a string + + Raises: + ParsingError: If a problem is encountered and `raise_errors` is True. + + """ + start_char = self.start_char + escape_char = self.escape_char + + # replace e.g. $$ with \$ so we only need to handle one escape method + string = string.replace(start_char + start_char, escape_char + start_char) + + # parsing state + callstack = [] + + single_quoted = False + double_quoted = False + open_lparens = 0 # open ( + open_lsquare = 0 # open [ + open_lcurly = 0 # open { + escaped = False + current_kwarg = "" + exec_return = "" + + curr_func = None + fullstr = '' # final string + infuncstr = '' # string parts inside the current level of $funcdef (including $) + + for char in string: + + if escaped: + # always store escaped characters verbatim + if curr_func: + infuncstr += char + else: + fullstr += char + escaped = False + continue + + if char == escape_char: + # don't store the escape-char itself + escaped = True + continue + + if char == start_char: + # start a new function definition (not escaped as $$) + + if curr_func: + # we are starting a nested funcdef + return_str = True + if len(callstack) > _MAX_NESTING: + # stack full - ignore this function + if raise_errors: + raise ParsingError("Only allows for parsing nesting function defs " + f"to a max depth of {_MAX_NESTING}.") + infuncstr += char + continue + else: + # store state for the current func and stack it + curr_func.current_kwarg = current_kwarg + curr_func.infuncstr = infuncstr + curr_func.single_quoted = single_quoted + curr_func.double_quoted = double_quoted + curr_func.open_lparens = open_lparens + curr_func.open_lsquare = open_lsquare + curr_func.open_lcurly = open_lcurly + current_kwarg = "" + infuncstr = "" + single_quoted = False + double_quoted = False + open_lparens = 0 + open_lsquare = 0 + open_lcurly = 0 + exec_return = "" + callstack.append(curr_func) + + # start a new func + curr_func = _ParsedFunc(prefix=char, fullstr=char) + continue + + if not curr_func: + # a normal piece of string + fullstr += char + # this must always be a string + return_str = True + continue + + # in a function def (can be nested) + + if exec_return != '' and char not in (",=)"): + # if exec_return is followed by any other character + # than one demarking an arg,kwarg or function-end + # it must immediately merge as a string + infuncstr += str(exec_return) + exec_return = '' + + if char == "'": # note that this is the same as "\'" + # a single quote - flip status + single_quoted = not single_quoted + infuncstr += char + continue + + if char == '"': # note that this is the same as '\"' + # a double quote = flip status + double_quoted = not double_quoted + infuncstr += char + continue + + if double_quoted or single_quoted: + # inside a string definition - this escapes everything else + infuncstr += char + continue + + # special characters detected inside function def + if char == '(': + if not curr_func.funcname: + # end of a funcdef name + curr_func.funcname = infuncstr + curr_func.fullstr += infuncstr + char + infuncstr = '' + else: + # just a random left-parenthesis + infuncstr += char + # track the open left-parenthesis + open_lparens += 1 + continue + + if char in '[]': + # a square bracket - start/end of a list? + infuncstr += char + open_lsquare += -1 if char == ']' else 1 + continue + + if char in '{}': + # a curly bracket - start/end of dict/set? + infuncstr += char + open_lcurly += -1 if char == '}' else 1 + continue + + if char == '=': + # beginning of a keyword argument + if exec_return != '': + infuncstr = exec_return + current_kwarg = infuncstr.strip() + curr_func.kwargs[current_kwarg] = "" + curr_func.fullstr += infuncstr + char + infuncstr = '' + continue + + if char in (',)'): + # commas and right-parens may indicate arguments ending + + if open_lparens > 1: + # one open left-parens is ok (beginning of arglist), more + # indicate we are inside an unclosed, nested (, so + # we need to not count this as a new arg or end of funcdef. + infuncstr += char + open_lparens -= 1 if char == ')' else 0 + continue + + if open_lcurly > 0 or open_lsquare > 0: + # also escape inside an open [... or {... structure + infuncstr += char + continue + + if exec_return != '': + # store the execution return as-received + if current_kwarg: + curr_func.kwargs[current_kwarg] = exec_return + else: + curr_func.args.append(exec_return) + else: + # store a string instead + if current_kwarg: + curr_func.kwargs[current_kwarg] = infuncstr.strip() + elif infuncstr.strip(): + # don't store the empty string + curr_func.args.append(infuncstr.strip()) + + # note that at this point either exec_return or infuncstr will + # be empty. We need to store the full string so we can print + # it 'raw' in case this funcdef turns out to e.g. lack an + # ending paranthesis + curr_func.fullstr += str(exec_return) + infuncstr + char + + current_kwarg = "" + exec_return = '' + infuncstr = '' + + if char == ')': + # closing the function list - this means we have a + # ready function-def to run. + open_lparens = 0 + + if strip: + # remove function as if it returned empty + exec_return = '' + elif escape: + # get function and set it as escaped + exec_return = escape_char + curr_func.fullstr + else: + # execute the function - the result may be a string or + # something else + exec_return = self.execute( + curr_func, raise_errors=raise_errors, **reserved_kwargs) + + if callstack: + # unnest the higher-level funcdef from stack + # and continue where we were + curr_func = callstack.pop() + current_kwarg = curr_func.current_kwarg + if curr_func.infuncstr: + # if we have an ongoing string, we must merge the + # exec into this as a part of that string + infuncstr = curr_func.infuncstr + str(exec_return) + exec_return = '' + curr_func.infuncstr = '' + single_quoted = curr_func.single_quoted + double_quoted = curr_func.double_quoted + open_lparens = curr_func.open_lparens + open_lsquare = curr_func.open_lsquare + open_lcurly = curr_func.open_lcurly + else: + # back to the top-level string - this means the + # exec_return should always be converted to a string. + curr_func = None + fullstr += str(exec_return) + if return_str: + exec_return = '' + infuncstr = '' + continue + + infuncstr += char + + if curr_func: + # if there is a still open funcdef or defs remaining in callstack, + # these are malformed (no closing bracket) and we should get their + # strings as-is. + callstack.append(curr_func) + for _ in range(len(callstack)): + infuncstr = str(callstack.pop()) + infuncstr + + if not return_str and exec_return != '': + # return explicit return + return exec_return + + # add the last bit to the finished string + fullstr += infuncstr + + return fullstr + + def parse_to_any(self, string, raise_errors=False, **reserved_kwargs): + """ + This parses a string and if the string only contains a "$func(...)", + the return will be the return value of that function, even if it's not + a string. If mixed in with other strings, the result will still always + be a string. + + Args: + string (str): The string to parse. + raise_errors (bool, optional): If unset, leave a failing (or + unrecognized) inline function as unparsed in the string. If set, + raise an ParsingError. + **reserved_kwargs: If given, these are guaranteed to _always_ pass + as part of each parsed callable's **kwargs. These override + same-named default options given in `__init__` as well as any + same-named kwarg given in the string function. This is because + it is often used by Evennia to pass necessary kwargs into each + callable (like the current Session object for inlinefuncs). + + Returns: + any: The return from the callable. Or string if the callable is not + given alone in the string. + + Raises: + ParsingError: If a problem is encountered and `raise_errors` is True. + + Notes: + This is a convenience wrapper for `self.parse(..., return_str=False)` which + accomplishes the same thing. + + Examples: + :: + + from ast import literal_eval + from evennia.utils.funcparser import FuncParser + + + def ret1(*args, **kwargs): + return 1 + + parser = FuncParser({"lit": lit}) + + assert parser.parse_to_any("$ret1()" == 1 + assert parser.parse_to_any("$ret1() and text" == '1 and text' + + """ + return self.parse(string, raise_errors=False, escape=False, strip=False, + return_str=False, **reserved_kwargs) + + +# +# Default funcparser callables. These are made available from this module's +# FUNCPARSER_CALLABLES. +# + +def funcparser_callable_eval(*args, **kwargs): + """ + Funcparser callable. This will combine safe evaluations to try to parse the + incoming string into a python object. If it fails, the return will be same + as the input. + + Args: + string (str): The string to parse. Only simple literals or operators are allowed. + + Returns: + any: The string parsed into its Python form, or the same as input. + + Examples: + - `$py(1) -> 1` + - `$py([1,2,3,4] -> [1, 2, 3]` + - `$py(3 + 4) -> 7` + + """ + args, kwargs = safe_convert_to_types(("py", {}) , *args, **kwargs) + return args[0] if args else '' + + +def funcparser_callable_toint(*args, **kwargs): + """Usage: toint(43.0) -> 43""" + inp = funcparser_callable_eval(*args, **kwargs) + try: + return int(inp) + except TypeError: + return inp + + +def _apply_operation_two_elements(*args, operator="+", **kwargs): + """ + Helper operating on two arguments + + Args: + val1 (any): First value to operate on. + val2 (any): Second value to operate on. + + Return: + any: The result of val1 + val2. Values must be + valid simple Python structures possible to add, + such as numbers, lists etc. The $eval is usually + better for non-list arithmetic. + + """ + args, kwargs = safe_convert_to_types((('py', 'py'), {}), *args, **kwargs) + if not len(args) > 1: + return '' + val1, val2 = args[0], args[1] + try: + if operator == "+": + return val1 + val2 + elif operator == "-": + return val1 - val2 + elif operator == "*": + return val1 * val2 + elif operator == "/": + return val1 / val2 + except Exception: + if kwargs.get('raise_errors'): + raise + return '' + + +def funcparser_callable_add(*args, **kwargs): + """Usage: `$add(val1, val2) -> val1 + val2`""" + return _apply_operation_two_elements(*args, operator='+', **kwargs) + + +def funcparser_callable_sub(*args, **kwargs): + """Usage: ``$sub(val1, val2) -> val1 - val2`""" + return _apply_operation_two_elements(*args, operator='-', **kwargs) + + +def funcparser_callable_mult(*args, **kwargs): + """Usage: `$mult(val1, val2) -> val1 * val2`""" + return _apply_operation_two_elements(*args, operator='*', **kwargs) + + +def funcparser_callable_div(*args, **kwargs): + """Usage: `$mult(val1, val2) -> val1 / val2`""" + return _apply_operation_two_elements(*args, operator='/', **kwargs) + + +def funcparser_callable_round(*args, **kwargs): + """ + Funcparser callable. Rounds an incoming float to a + certain number of significant digits. + + Args: + inp (str or number): If a string, it will attempt + to be converted to a number first. + significant (int): The number of significant digits. Default is None - + this will turn the result into an int. + + Returns: + any: The rounded value or inp if inp was not a number. + + Examples: + - `$round(3.5434343, 3) -> 3.543` + - `$round($random(), 2)` - rounds random result, e.g `0.22` + + """ + if not args: + return '' + args, _ = safe_convert_to_types(((float, int), {}) *args, **kwargs) + + num, *significant = args + significant = significant[0] if significant else 0 + try: + round(num, significant) + except Exception: + if kwargs.get('raise_errors'): + raise + return '' + +def funcparser_callable_random(*args, **kwargs): + """ + Funcparser callable. Returns a random number between 0 and 1, from 0 to a + maximum value, or within a given range (inclusive). + + Args: + minval (str, optional): Minimum value. If not given, assumed 0. + maxval (str, optional): Maximum value. + + Notes: + If either of the min/maxvalue has a '.' in it, a floating-point random + value will be returned. Otherwise it will be an + integer value in the given range. + + Examples: + - `$random()` - random value [0 .. 1) (float). + - `$random(5)` - random value [0..5] (int) + - `$random(5.0)` - random value [0..5] (float) + - `$random(5, 10)` - random value [5..10] (int) + - `$random(5, 10.0)` - random value [5..10] (float) + + """ + args, _ = safe_convert_to_types((('py', 'py'), {}), *args, **kwargs) + + nargs = len(args) + if nargs == 1: + # only maxval given + minval, maxval = 0, args[0] + elif nargs > 1: + minval, maxval = args[:2] + else: + minval, maxval = 0, 1 + + try: + if isinstance(minval, float) or isinstance(maxval, float): + return minval + ((maxval - minval) * random.random()) + else: + return random.randint(minval, maxval) + except Exception: + if kwargs.get('raise_errors'): + raise + return '' + +def funcparser_callable_randint(*args, **kwargs): + """ + Usage: $randint(start, end): + + Legacy alias - always returns integers. + + """ + return int(funcparser_callable_random(*args, **kwargs)) + + +def funcparser_callable_choice(*args, **kwargs): + """ + FuncParser callable. Picks a random choice from a list. + + Args: + listing (list): A list of items to randomly choose between. + This will be converted from a string to a real list. + + Returns: + any: The randomly chosen element. + + Example: + - `$choice([key, flower, house])` + - `$choice([1, 2, 3, 4])` + + """ + if not args: + return '' + args, _ = safe_convert_to_types(('py', {}), *args, **kwargs) + try: + return random.choice(args[0]) + except Exception: + if kwargs.get('raise_errors'): + raise + return '' + + +def funcparser_callable_pad(*args, **kwargs): + """ + FuncParser callable. Pads text to given width, optionally with fill-characters + + Args: + text (str): Text to pad. + width (int): Width of padding. + align (str, optional): Alignment of padding; one of 'c', 'l' or 'r'. + fillchar (str, optional): Character used for padding. Defaults to a space. + + Example: + - `$pad(text, 12, r, ' ') -> " text"` + - `$pad(text, width=12, align=c, fillchar=-) -> "----text----"` + + """ + if not args: + return '' + args, kwargs = safe_convert_to_types( + ((str, int, str, str), {'width': int, 'align': str, 'fillchar': str}), *args, **kwargs) + + text, *rest = args + nrest = len(rest) + try: + width = int(kwargs.get("width", rest[0] if nrest > 0 else _CLIENT_DEFAULT_WIDTH)) + except TypeError: + width = _CLIENT_DEFAULT_WIDTH + + align = kwargs.get("align", rest[1] if nrest > 1 else 'c') + fillchar = kwargs.get("fillchar", rest[2] if nrest > 2 else ' ') + if align not in ('c', 'l', 'r'): + align = 'c' + return pad(str(text), width=width, align=align, fillchar=fillchar) + + +def funcparser_callable_crop(*args, **kwargs): + """ + FuncParser callable. Crops ingoing text to given widths. + + Args: + text (str, optional): Text to crop. + width (str, optional): Will be converted to an integer. Width of + crop in characters. + suffix (str, optional): End string to mark the fact that a part + of the string was cropped. Defaults to `[...]`. + + Example: + - `$crop(A long text, 10, [...]) -> "A lon[...]"` + - `$crop(text, width=11, suffix='[...]) -> "A long[...]"` + + """ + if not args: + return '' + text, *rest = args + nrest = len(rest) + try: + width = int(kwargs.get("width", rest[0] if nrest > 0 else _CLIENT_DEFAULT_WIDTH)) + except TypeError: + width = _CLIENT_DEFAULT_WIDTH + suffix = kwargs.get('suffix', rest[1] if nrest > 1 else "[...]") + return crop(str(text), width=width, suffix=str(suffix)) + + +def funcparser_callable_space(*args, **kwarg): + """ + Usage: $space(43) + + Insert a length of space. + + """ + if not args: + return '' + try: + width = int(args[0]) + except TypeError: + width = 1 + return " " * width + + +def funcparser_callable_justify(*args, **kwargs): + """ + Justify text across a width, default across screen width. + + Args: + text (str): Text to justify. + width (int, optional): Defaults to default screen width. + align (str, optional): One of 'l', 'c', 'r' or 'f' for 'full'. + indent (int, optional): Intendation of text block, if any. + + Returns: + str: The justified text. + + Examples: + - `$just(text, width=40)` + - `$just(text, align=r, indent=2)` + + """ + if not args: + return '' + text, *rest = args + lrest = len(rest) + try: + width = int(kwargs.get("width", rest[0] if lrest > 0 else _CLIENT_DEFAULT_WIDTH)) + except TypeError: + width = _CLIENT_DEFAULT_WIDTH + align = str(kwargs.get("align", rest[1] if lrest > 1 else 'f')) + try: + indent = int(kwargs.get("indent", rest[2] if lrest > 2 else 0)) + except TypeError: + indent = 0 + return justify(str(text), width=width, align=align, indent=indent) + + +# legacy for backwards compatibility +def funcparser_callable_left_justify(*args, **kwargs): + "Usage: $ljust(text)" + return funcparser_callable_justify(*args, align='l', **kwargs) + + +def funcparser_callable_right_justify(*args, **kwargs): + "Usage: $rjust(text)" + return funcparser_callable_justify(*args, align='r', **kwargs) + + +def funcparser_callable_center_justify(*args, **kwargs): + "Usage: $cjust(text)" + return funcparser_callable_justify(*args, align='c', **kwargs) + + +def funcparser_callable_clr(*args, **kwargs): + """ + FuncParser callable. Colorizes nested text. + + Args: + startclr (str, optional): An ANSI color abbreviation without the + prefix `|`, such as `r` (red foreground) or `[r` (red background). + text (str, optional): Text + endclr (str, optional): The color to use at the end of the string. Defaults + to `|n` (reset-color). + Kwargs: + color (str, optional): If given, + + Example: + - `$clr(r, text, n) -> "|rtext|n"` + - `$clr(r, text) -> "|rtext|n` + - `$clr(text, start=r, end=n) -> "|rtext|n"` + + """ + if not args: + return '' + + startclr, text, endclr = '', '', '' + if len(args) > 1: + # $clr(pre, text, post)) + startclr, *rest = args + if rest: + text, *endclr = rest + if endclr: + endclr = endclr[0] + else: + # $clr(text, start=pre, end=post) + text = args[0] + startclr = kwargs.get("start", '') + endclr = kwargs.get("end", '') + + startclr = "|" + startclr if startclr else "" + endclr = "|" + endclr if endclr else ("|n" if startclr else '') + return f"{startclr}{text}{endclr}" + + +def funcparser_callable_search(*args, caller=None, access="control", **kwargs): + """ + FuncParser callable. Finds an object based on name or #dbref. Note that + this requries the parser be called with the caller's Session for proper + security. If called without session, the call is aborted. + + Args: + query (str): The key or dbref to search for. + + Keyword Args: + return_list (bool): If set, return a list of objects with + 0, 1 or more matches to `query`. Defaults to False. + type (str): One of 'obj', 'account', 'script' + caller (Entity): Supplied to Parser. This is required and will + be passed into the access check for the entity being searched for. + The 'control' permission is required. + access (str): Which locktype access to check. Unset to disable the + security check. + + Returns: + any: An entity match or None if no match or a list if `return_list` is set. + + Raise: + ParsingError: If zero/multimatch and `return_list` is False, or caller was not + passed into parser. + + Examples: + - "$search(#233)" + - "$search(Tom, type=account)" + - "$search(meadow, return_list=True)" + + """ + return_list = kwargs.get("return_list", "false").lower() == "true" + + if not args: + return [] if return_list else None + if not caller: + raise ParsingError("$search requires a `caller` passed to the parser.") + + query = str(args[0]) + + typ = kwargs.get("type", "obj") + targets = [] + if typ == "obj": + targets = search.search_object(query) + elif typ == "account": + targets = search.search_account(query) + elif typ == "script": + targets = search.search_script(query) + + if not targets: + if return_list: + return [] + raise ParsingError(f"$search: Query '{query}' gave no matches.") + + if len(targets) > 1 and not return_list: + raise ParsingError("$search: Query '{query}' found {num} matches. " + "Set return_list=True to accept a list".format( + query=query, num=len(targets))) + + for target in targets: + if not target.access(caller, target, access): + raise ParsingError('$search Cannot add found entity - access failure.') + + return list(targets) if return_list else targets[0] + + +def funcparser_callable_search_list(*args, caller=None, access="control", **kwargs): + """ + Usage: $objlist(#123) + + Legacy alias for search with a return_list=True kwarg preset. + + """ + return funcparser_callable_search(*args, caller=caller, access=access, + return_list=True, **kwargs) + + +def funcparser_callable_you(*args, caller=None, receiver=None, mapping=None, capitalize=False, **kwargs): + """ + Usage: $you() or $you(key) + + Replaces with you for the caller of the string, with the display_name + of the caller for others. + + Keyword Args: + caller (Object): The 'you' in the string. This is used unless another + you-key is passed to the callable in combination with `mapping`. + receiver (Object): The recipient of the string. + mapping (dict, optional): This is a mapping `{key:Object, ...}` and is + used to find which object `$you(key)` refers to. If not given, the + `caller` kwarg is used. + capitalize (bool): Passed by the You helper, to capitalize you. + + Returns: + str: The parsed string. + + Raises: + ParsingError: If `caller` and `receiver` were not supplied. + + Notes: + The kwargs should be passed the to parser directly. + + Examples: + This can be used by the say or emote hooks to pass actor stance + strings. This should usually be combined with the $inflect() callable. + + - `With a grin, $you() $conj(jump) at $you(tommy).` + + The caller-object will see "With a grin, you jump at Tommy." + Tommy will see "With a grin, CharName jumps at you." + Others will see "With a grin, CharName jumps at Tommy." + + """ + if args and mapping: + # this would mean a $you(key) form + try: + caller = mapping.get(args[0]) + except KeyError: + pass + + if not (caller and receiver): + raise ParsingError("No caller or receiver supplied to $you callable.") + + capitalize = bool(capitalize) + if caller == receiver: + return "You" if capitalize else "you" + return caller.get_display_name(looker=receiver) if hasattr(caller, "get_display_name") else str(caller) + + +def funcparser_callable_You(*args, you=None, receiver=None, mapping=None, capitalize=True, **kwargs): + """ + Usage: $You() - capitalizes the 'you' output. + + """ + return funcparser_callable_you( + *args, you=you, receiver=receiver, mapping=mapping, capitalize=capitalize, **kwargs) + + +def funcparser_callable_conjugate(*args, caller=None, receiver=None, **kwargs): + """ + Conjugate a verb according to if it should be 2nd or third person. + + Keyword Args: + caller (Object): The object who represents 'you' in the string. + receiver (Object): The recipient of the string. + + Returns: + str: The parsed string. + + Raises: + ParsingError: If `you` and `recipient` were not both supplied. + + Notes: + Note that the verb will not be capitalized. It also + assumes that the active party (You) is the one performing the verb. + This automatic conjugation will fail if the active part is another person + than 'you'. The caller/receiver must be passed to the parser directly. + + Examples: + This is often used in combination with the $you/You( callables. + + - `With a grin, $you() $conj(jump)` + + You will see "With a grin, you jump." + Others will see "With a grin, CharName jumps." + + """ + if not args: + return '' + if not (caller and receiver): + raise ParsingError("No caller/receiver supplied to $conj callable") + + second_person_str, third_person_str = verb_actor_stance_components(args[0]) + return second_person_str if caller == receiver else third_person_str + + +# these are made available as callables by adding 'evennia.utils.funcparser' as +# a callable-path when initializing the FuncParser. + +FUNCPARSER_CALLABLES = { + # 'standard' callables + + # eval and arithmetic + "eval": funcparser_callable_eval, + "add": funcparser_callable_add, + "sub": funcparser_callable_sub, + "mult": funcparser_callable_mult, + "div": funcparser_callable_div, + "round": funcparser_callable_round, + "toint": funcparser_callable_toint, + + # randomizers + "random": funcparser_callable_random, + "randint": funcparser_callable_randint, + "choice": funcparser_callable_choice, + + # string manip + "pad": funcparser_callable_pad, + "crop": funcparser_callable_crop, + "just": funcparser_callable_justify, + "ljust": funcparser_callable_left_justify, + "rjust": funcparser_callable_right_justify, + "cjust": funcparser_callable_center_justify, + "justify": funcparser_callable_justify, # aliases for backwards compat + "justify_left": funcparser_callable_left_justify, + "justify_right": funcparser_callable_right_justify, + "justify_center": funcparser_callable_center_justify, + "space": funcparser_callable_space, + "clr": funcparser_callable_clr, +} + +SEARCHING_CALLABLES = { + # requires `caller` and optionally `access` to be passed into parser + "search": funcparser_callable_search, + "obj": funcparser_callable_search, # aliases for backwards compat + "objlist": funcparser_callable_search_list, + "dbref": funcparser_callable_search, +} + +ACTOR_STANCE_CALLABLES = { + # requires `you`, `receiver` and `mapping` to be passed into parser + "you": funcparser_callable_you, + "You": funcparser_callable_You, + "conj": funcparser_callable_conjugate, +} diff --git a/evennia/utils/inlinefuncs.py b/evennia/utils/inlinefuncs.py deleted file mode 100644 index 83c09e1ba3..0000000000 --- a/evennia/utils/inlinefuncs.py +++ /dev/null @@ -1,625 +0,0 @@ -""" -Inline functions (nested form). - -This parser accepts nested inlinefunctions on the form - -```python -$funcname(arg, arg, ...) -``` - -embedded in any text where any arg can be another ``$funcname()`` call. -This functionality is turned off by default - to activate, -`settings.INLINEFUNC_ENABLED` must be set to `True`. - -Each token starts with `$funcname(` where there must be no space -between the `$funcname` and `"("`. The inlinefunc ends with a matched ending parentesis. -`")"`. - -Inside the inlinefunc definition, one can use `\` to escape. This is -mainly needed for escaping commas in flowing text (which would -otherwise be interpreted as an argument separator), or to escape `)` -when not intended to close the function block. Enclosing text in -matched `\"\"\"` (triple quotes) or `'''` (triple single-quotes) will -also escape *everything* within without needing to escape individual -characters. - -The available inlinefuncs are defined as global-level functions in -modules defined by `settings.INLINEFUNC_MODULES`. They are identified -by their function name (and ignored if this name starts with `_`). They -should be on the following form: - -```python -def funcname (*args, **kwargs): - # ... -``` - -Here, the arguments given to `$funcname(arg1,arg2)` will appear as the -`*args` tuple. This will be populated by the arguments given to the -inlinefunc in-game - the only part that will be available from -in-game. `**kwargs` are not supported from in-game but are only used -internally by Evennia to make details about the caller available to -the function. The kwarg passed to all functions is `session`, the -Sessionobject for the object seeing the string. This may be `None` if -the string is sent to a non-puppetable object. The inlinefunc should -never raise an exception. - -There are two reserved function names: - -- "nomatch": This is called if the user uses a functionname that is - not registered. The nomatch function will get the name of the - not-found function as its first argument followed by the normal - arguments to the given function. If not defined the default effect is - to print `` to replace the unknown function. -- "stackfull": This is called when the maximum nested function stack is reached. - When this happens, the original parsed string is returned and the result of - the `stackfull` inlinefunc is appended to the end. By default this is an - error message. - -Syntax errors, notably failing to completely closing all inlinefunc -blocks, will lead to the entire string remaining unparsed. Inlineparsing should -never traceback. - ----- - -""" - -import re -import fnmatch -import random as base_random -from django.conf import settings - -from evennia.utils import utils, logger - -# The stack size is a security measure. Set to <=0 to disable. -_STACK_MAXSIZE = settings.INLINEFUNC_STACK_MAXSIZE - - -# example/testing inline functions - - -def random(*args, **kwargs): - """ - Inlinefunc. Returns a random number between - 0 and 1, from 0 to a maximum value, or within a given range (inclusive). - - Args: - minval (str, optional): Minimum value. If not given, assumed 0. - maxval (str, optional): Maximum value. - - Keyword argumuents: - session (Session): Session getting the string. - - Notes: - If either of the min/maxvalue has a '.' in it, a floating-point random - value will be returned. Otherwise it will be an integer value in the - given range. - - Example: - `$random()` - `$random(5)` - `$random(5, 10)` - - """ - nargs = len(args) - if nargs == 1: - # only maxval given - minval, maxval = "0", args[0] - elif nargs > 1: - minval, maxval = args[:2] - else: - minval, maxval = ("0", "1") - - if "." in minval or "." in maxval: - # float mode - try: - minval, maxval = float(minval), float(maxval) - except ValueError: - minval, maxval = 0, 1 - return "{:.2f}".format(minval + maxval * base_random.random()) - else: - # int mode - try: - minval, maxval = int(minval), int(maxval) - except ValueError: - minval, maxval = 0, 1 - return str(base_random.randint(minval, maxval)) - - -def pad(*args, **kwargs): - """ - Inlinefunc. Pads text to given width. - - Args: - text (str, optional): Text to pad. - width (str, optional): Will be converted to integer. Width - of padding. - align (str, optional): Alignment of padding; one of 'c', 'l' or 'r'. - fillchar (str, optional): Character used for padding. Defaults to a - space. - - Keyword Args: - session (Session): Session performing the pad. - - Example: - `$pad(text, width, align, fillchar)` - - """ - text, width, align, fillchar = "", 78, "c", " " - nargs = len(args) - if nargs > 0: - text = args[0] - if nargs > 1: - width = int(args[1]) if args[1].strip().isdigit() else 78 - if nargs > 2: - align = args[2] if args[2] in ("c", "l", "r") else "c" - if nargs > 3: - fillchar = args[3] - return utils.pad(text, width=width, align=align, fillchar=fillchar) - - -def crop(*args, **kwargs): - """ - Inlinefunc. Crops ingoing text to given widths. - - Args: - text (str, optional): Text to crop. - width (str, optional): Will be converted to an integer. Width of - crop in characters. - suffix (str, optional): End string to mark the fact that a part - of the string was cropped. Defaults to `[...]`. - Keyword Args: - session (Session): Session performing the crop. - - Example: - `$crop(text, width=78, suffix='[...]')` - - """ - text, width, suffix = "", 78, "[...]" - nargs = len(args) - if nargs > 0: - text = args[0] - if nargs > 1: - width = int(args[1]) if args[1].strip().isdigit() else 78 - if nargs > 2: - suffix = args[2] - return utils.crop(text, width=width, suffix=suffix) - - -def space(*args, **kwargs): - """ - Inlinefunc. Inserts an arbitrary number of spaces. Defaults to 4 spaces. - - Args: - spaces (int, optional): The number of spaces to insert. - - Keyword Args: - session (Session): Session performing the crop. - - Example: - `$space(20)` - - """ - width = 4 - if args: - width = abs(int(args[0])) if args[0].strip().isdigit() else 4 - return " " * width - - -def clr(*args, **kwargs): - """ - Inlinefunc. Colorizes nested text. - - Args: - startclr (str, optional): An ANSI color abbreviation without the - prefix `|`, such as `r` (red foreground) or `[r` (red background). - text (str, optional): Text - endclr (str, optional): The color to use at the end of the string. Defaults - to `|n` (reset-color). - Keyword Args: - session (Session): Session object triggering inlinefunc. - - Example: - `$clr(startclr, text, endclr)` - - """ - text = "" - nargs = len(args) - if nargs > 0: - color = args[0].strip() - if nargs > 1: - text = args[1] - text = "|" + color + text - if nargs > 2: - text += "|" + args[2].strip() - else: - text += "|n" - return text - - -def null(*args, **kwargs): - return args[0] if args else "" - - -def nomatch(name, *args, **kwargs): - """ - Default implementation of nomatch returns the function as-is as a string. - - """ - kwargs.pop("inlinefunc_stack_depth", None) - kwargs.pop("session") - - return "${name}({args}{kwargs})".format( - name=name, - args=",".join(args), - kwargs=",".join("{}={}".format(key, val) for key, val in kwargs.items()), - ) - - -_INLINE_FUNCS = {} - -# we specify a default nomatch function to use if no matching func was -# found. This will be overloaded by any nomatch function defined in -# the imported modules. -_DEFAULT_FUNCS = { - "nomatch": lambda *args, **kwargs: "", - "stackfull": lambda *args, **kwargs: "\n (not parsed: ", -} - -_INLINE_FUNCS.update(_DEFAULT_FUNCS) - -# load custom inline func modules. -for module in utils.make_iter(settings.INLINEFUNC_MODULES): - try: - _INLINE_FUNCS.update(utils.callables_from_module(module)) - except ImportError as err: - if module == "server.conf.inlinefuncs": - # a temporary warning since the default module changed name - raise ImportError( - "Error: %s\nPossible reason: mygame/server/conf/inlinefunc.py should " - "be renamed to mygame/server/conf/inlinefuncs.py (note " - "the S at the end)." % err - ) - else: - raise - - -# regex definitions - -_RE_STARTTOKEN = re.compile(r"(?.*?)(?.*?)(?(?(?(?(? # escaped tokens to re-insert sans backslash - \\\'|\\\"|\\\)|\\\$\w+\(|\\\()| - (?P # everything else to re-insert verbatim - \$(?!\w+\()|\'|\"|\\|[^),$\'\"\\\(]+)""", - re.UNICODE | re.IGNORECASE | re.VERBOSE | re.DOTALL, -) - -# Cache for function lookups. -_PARSING_CACHE = utils.LimitedSizeOrderedDict(size_limit=1000) - - -class ParseStack(list): - """ - Custom stack that always concatenates strings together when the - strings are added next to one another. Tuples are stored - separately and None is used to mark that a string should be broken - up into a new chunk. Below is the resulting stack after separately - appending 3 strings, None, 2 strings, a tuple and finally 2 - strings: - - [string + string + string, - None - string + string, - tuple, - string + string] - - """ - - def __init__(self, *args, **kwargs): - super().__init__(*args, **kwargs) - # always start stack with the empty string - list.append(self, "") - # indicates if the top of the stack is a string or not - self._string_last = True - - def __eq__(self, other): - return ( - super().__eq__(other) - and hasattr(other, "_string_last") - and self._string_last == other._string_last - ) - - def __ne__(self, other): - return not self.__eq__(other) - - def append(self, item): - """ - The stack will merge strings, add other things as normal - """ - if isinstance(item, str): - if self._string_last: - self[-1] += item - else: - list.append(self, item) - self._string_last = True - else: - # everything else is added as normal - list.append(self, item) - self._string_last = False - - -class InlinefuncError(RuntimeError): - pass - - -def parse_inlinefunc(string, strip=False, available_funcs=None, stacktrace=False, **kwargs): - """ - Parse the incoming string. - - Args: - string (str): The incoming string to parse. - strip (bool, optional): Whether to strip function calls rather than - execute them. - available_funcs (dict, optional): Define an alternative source of functions to parse for. - If unset, use the functions found through `settings.INLINEFUNC_MODULES`. - stacktrace (bool, optional): If set, print the stacktrace to log. - Keyword Args: - session (Session): This is sent to this function by Evennia when triggering - it. It is passed to the inlinefunc. - kwargs (any): All other kwargs are also passed on to the inlinefunc. - - - """ - global _PARSING_CACHE - usecache = False - if not available_funcs: - available_funcs = _INLINE_FUNCS - usecache = True - else: - # make sure the default keys are available, but also allow overriding - tmp = _DEFAULT_FUNCS.copy() - tmp.update(available_funcs) - available_funcs = tmp - - if usecache and string in _PARSING_CACHE: - # stack is already cached - stack = _PARSING_CACHE[string] - elif not _RE_STARTTOKEN.search(string): - # if there are no unescaped start tokens at all, return immediately. - return string - else: - # no cached stack; build a new stack and continue - stack = ParseStack() - - # process string on stack - ncallable = 0 - nlparens = 0 - nvalid = 0 - - if stacktrace: - out = "STRING: {} =>".format(string) - print(out) - logger.log_info(out) - - for match in _RE_TOKEN.finditer(string): - gdict = match.groupdict() - - if stacktrace: - out = " MATCH: {}".format({key: val for key, val in gdict.items() if val}) - print(out) - logger.log_info(out) - - if gdict["singlequote"]: - stack.append(gdict["singlequote"]) - elif gdict["doublequote"]: - stack.append(gdict["doublequote"]) - elif gdict["leftparens"]: - # we have a left-parens inside a callable - if ncallable: - nlparens += 1 - stack.append("(") - elif gdict["end"]: - if nlparens > 0: - nlparens -= 1 - stack.append(")") - continue - if ncallable <= 0: - stack.append(")") - continue - args = [] - while stack: - operation = stack.pop() - if callable(operation): - if not strip: - stack.append((operation, [arg for arg in reversed(args)])) - ncallable -= 1 - break - else: - args.append(operation) - elif gdict["start"]: - funcname = _RE_STARTTOKEN.match(gdict["start"]).group(1) - try: - # try to fetch the matching inlinefunc from storage - stack.append(available_funcs[funcname]) - nvalid += 1 - except KeyError: - stack.append(available_funcs["nomatch"]) - stack.append(funcname) - stack.append(None) - ncallable += 1 - elif gdict["escaped"]: - # escaped tokens - token = gdict["escaped"].lstrip("\\") - stack.append(token) - elif gdict["comma"]: - if ncallable > 0: - # commas outside strings and inside a callable are - # used to mark argument separation - we use None - # in the stack to indicate such a separation. - stack.append(None) - else: - # no callable active - just a string - stack.append(",") - else: - # the rest - stack.append(gdict["rest"]) - - if ncallable > 0: - # this means not all inlinefuncs were complete - return string - - if _STACK_MAXSIZE > 0 and _STACK_MAXSIZE < nvalid: - # if stack is larger than limit, throw away parsing - return string + available_funcs["stackfull"](*args, **kwargs) - elif usecache: - # cache the stack - we do this also if we don't check the cache above - _PARSING_CACHE[string] = stack - - # run the stack recursively - def _run_stack(item, depth=0): - retval = item - if isinstance(item, tuple): - if strip: - return "" - else: - func, arglist = item - args = [""] - for arg in arglist: - if arg is None: - # an argument-separating comma - start a new arg - args.append("") - else: - # all other args should merge into one string - args[-1] += _run_stack(arg, depth=depth + 1) - # execute the inlinefunc at this point or strip it. - kwargs["inlinefunc_stack_depth"] = depth - retval = "" if strip else func(*args, **kwargs) - return utils.to_str(retval) - - retval = "".join(_run_stack(item) for item in stack) - if stacktrace: - out = "STACK: \n{} => {}\n".format(stack, retval) - print(out) - logger.log_info(out) - - # execute the stack - return retval - - -def raw(string): - """ - Escape all inlinefuncs in a string so they won't get parsed. - - Args: - string (str): String with inlinefuncs to escape. - """ - - def _escape(match): - return "\\" + match.group(0) - - return _RE_STARTTOKEN.sub(_escape, string) - - -# -# Nick templating -# - - -""" -This supports the use of replacement templates in nicks: - -This happens in two steps: - -1) The user supplies a template that is converted to a regex according - to the unix-like templating language. -2) This regex is tested against nicks depending on which nick replacement - strategy is considered (most commonly inputline). -3) If there is a template match and there are templating markers, - these are replaced with the arguments actually given. - -@desc $1 $2 $3 - -This will be converted to the following regex: - -\@desc (?P<1>\w+) (?P<2>\w+) $(?P<3>\w+) - -Supported template markers (through fnmatch) - * matches anything (non-greedy) -> .*? - ? matches any single character -> - [seq] matches any entry in sequence - [!seq] matches entries not in sequence -Custom arg markers - $N argument position (1-99) - -""" -_RE_NICK_ARG = re.compile(r"\\(\$)([1-9][0-9]?)") -_RE_NICK_TEMPLATE_ARG = re.compile(r"(\$)([1-9][0-9]?)") -_RE_NICK_SPACE = re.compile(r"\\ ") - - -class NickTemplateInvalid(ValueError): - pass - - -def initialize_nick_templates(in_template, out_template): - """ - Initialize the nick templates for matching and remapping a string. - - Args: - in_template (str): The template to be used for nick recognition. - out_template (str): The template to be used to replace the string - matched by the in_template. - - Returns: - regex (regex): Regex to match against strings - template (str): Template with markers {arg1}, {arg2}, etc for - replacement using the standard .format method. - - Raises: - evennia.utils.inlinefuncs.NickTemplateInvalid: If the in/out template - does not have a matching number of $args. - - """ - # create the regex for in_template - regex_string = fnmatch.translate(in_template) - n_inargs = len(_RE_NICK_ARG.findall(regex_string)) - regex_string = _RE_NICK_SPACE.sub("\s+", regex_string) - regex_string = _RE_NICK_ARG.sub(lambda m: "(?P.+?)" % m.group(2), regex_string) - - # create the out_template - template_string = _RE_NICK_TEMPLATE_ARG.sub(lambda m: "{arg%s}" % m.group(2), out_template) - - # validate the tempaltes - they should at least have the same number of args - n_outargs = len(_RE_NICK_TEMPLATE_ARG.findall(out_template)) - if n_inargs != n_outargs: - raise NickTemplateInvalid - - return re.compile(regex_string), template_string - - -def parse_nick_template(string, template_regex, outtemplate): - """ - Parse a text using a template and map it to another template - - Args: - string (str): The input string to processj - template_regex (regex): A template regex created with - initialize_nick_template. - outtemplate (str): The template to which to map the matches - produced by the template_regex. This should have $1, $2, - etc to match the regex. - - """ - match = template_regex.match(string) - if match: - return outtemplate.format(**match.groupdict()) - return string diff --git a/evennia/utils/tests/test_funcparser.py b/evennia/utils/tests/test_funcparser.py new file mode 100644 index 0000000000..3fc41aee93 --- /dev/null +++ b/evennia/utils/tests/test_funcparser.py @@ -0,0 +1,466 @@ +""" + +Test the funcparser module. + +""" + +import time +from ast import literal_eval +from simpleeval import simple_eval +from parameterized import parameterized +from django.test import TestCase, override_settings + +from evennia.utils import funcparser, test_resources + + +def _test_callable(*args, **kwargs): + kwargs.pop('funcparser', None) + kwargs.pop('raise_errors', None) + argstr = ", ".join(args) + kwargstr = "" + if kwargs: + kwargstr = (", " if args else "") + ( + ", ".join(f"{key}={val}" for key, val in kwargs.items())) + return f"_test({argstr}{kwargstr})" + +def _repl_callable(*args, **kwargs): + if args: + return f"r{args[0]}r" + return "rr" + +def _double_callable(*args, **kwargs): + if args: + try: + return int(args[0]) * 2 + except ValueError: + pass + return 'N/A' + +def _eval_callable(*args, **kwargs): + if args: + return simple_eval(args[0]) + return '' + +def _clr_callable(*args, **kwargs): + clr, string, *rest = args + return f"|{clr}{string}|n" + +def _typ_callable(*args, **kwargs): + try: + if isinstance(args[0], str): + return type(literal_eval(args[0])) + else: + return type(args[0]) + except (SyntaxError, ValueError): + return type("") + +def _add_callable(*args, **kwargs): + if len(args) > 1: + return literal_eval(args[0]) + literal_eval(args[1]) + return '' + +def _lit_callable(*args, **kwargs): + return literal_eval(args[0]) + +def _lsum_callable(*args, **kwargs): + if isinstance(args[0], (list, tuple)): + return sum(val for val in args[0]) + return '' + +_test_callables = { + "foo": _test_callable, + "bar": _test_callable, + "with spaces": _test_callable, + "repl": _repl_callable, + "double": _double_callable, + "eval": _eval_callable, + "clr": _clr_callable, + "typ": _typ_callable, + "add": _add_callable, + "lit": _lit_callable, + "sum": _lsum_callable, +} + +class TestFuncParser(TestCase): + """ + Test the FuncParser class + + """ + def setUp(self): + + self.parser = funcparser.FuncParser( + _test_callables + ) + + @parameterized.expand([ + ("Test normal string", "Test normal string"), + ("Test noargs1 $foo()", "Test noargs1 _test()"), + ("Test noargs2 $bar() etc.", "Test noargs2 _test() etc."), + ("Test noargs3 $with spaces() etc.", "Test noargs3 _test() etc."), + ("Test noargs4 $foo(), $bar() and $foo", "Test noargs4 _test(), _test() and $foo"), + ("$foo() Test noargs5", "_test() Test noargs5"), + ("Test args1 $foo(a,b,c)", "Test args1 _test(a, b, c)"), + ("Test args2 $bar(foo, bar, too)", "Test args2 _test(foo, bar, too)"), + ("Test args3 $bar(foo, bar, ' too')", "Test args3 _test(foo, bar, ' too')"), + ("Test args4 $foo('')", "Test args4 _test('')"), + ("Test args4 $foo(\"\")", "Test args4 _test(\"\")"), + ("Test args5 $foo(\(\))", "Test args5 _test(())"), + ("Test args6 $foo(\()", "Test args6 _test(()"), + ("Test args7 $foo(())", "Test args7 _test(())"), + ("Test args8 $foo())", "Test args8 _test())"), + ("Test args9 $foo(=)", "Test args9 _test(=)"), + ("Test args10 $foo(\,)", "Test args10 _test(,)"), + ("Test args10 $foo(',')", "Test args10 _test(',')"), + ("Test args11 $foo(()", "Test args11 $foo(()"), # invalid syntax + ("Test kwarg1 $bar(foo=1, bar='foo', too=ere)", + "Test kwarg1 _test(foo=1, bar='foo', too=ere)"), + ("Test kwarg2 $bar(foo,bar,too=ere)", + "Test kwarg2 _test(foo, bar, too=ere)"), + ("test kwarg3 $foo(foo = bar, bar = ere )", + "test kwarg3 _test(foo=bar, bar=ere)"), + ("test kwarg4 $foo(foo =' bar ',\" bar \"= ere )", + "test kwarg4 _test(foo=' bar ', \" bar \"=ere)"), + ("Test nest1 $foo($bar(foo,bar,too=ere))", + "Test nest1 _test(_test(foo, bar, too=ere))"), + ("Test nest2 $foo(bar,$repl(a),$repl()=$repl(),a=b) etc", + "Test nest2 _test(bar, rar, rr=rr, a=b) etc"), + ("Test nest3 $foo(bar,$repl($repl($repl(c))))", + "Test nest3 _test(bar, rrrcrrr)"), + ("Test nest4 $foo($bar(a,b),$bar(a,$repl()),$bar())", + "Test nest4 _test(_test(a, b), _test(a, rr), _test())"), + ("Test escape1 \\$repl(foo)", "Test escape1 $repl(foo)"), + ("Test escape2 \"This is $foo() and $bar($bar())\", $repl()", + "Test escape2 \"This is _test() and _test(_test())\", rr"), + ("Test escape3 'This is $foo() and $bar($bar())', $repl()", + "Test escape3 'This is _test() and _test(_test())', rr"), + ("Test escape4 $$foo() and $$bar(a,b), $repl()", + "Test escape4 $foo() and $bar(a,b), rr"), + ("Test with color |r$foo(a,b)|n is ok", + "Test with color |r_test(a, b)|n is ok"), + ("Test malformed1 This is $foo( and $bar(", + "Test malformed1 This is $foo( and $bar("), + ("Test malformed2 This is $foo( and $bar()", + "Test malformed2 This is $foo( and _test()"), + ("Test malformed3 $", "Test malformed3 $"), + ("Test malformed4 This is $foo(a=b and $bar(", + "Test malformed4 This is $foo(a=b and $bar("), + ("Test malformed5 This is $foo(a=b, and $repl()", + "Test malformed5 This is $foo(a=b, and rr"), + ("Test nonstr 4x2 = $double(4)", "Test nonstr 4x2 = 8"), + ("Test nonstr 4x2 = $double(foo)", "Test nonstr 4x2 = N/A"), + ("Test clr $clr(r, This is a red string!)", "Test clr |rThis is a red string!|n"), + ("Test eval1 $eval(21 + 21 - 10)", "Test eval1 32"), + ("Test eval2 $eval((21 + 21) / 2)", "Test eval2 21.0"), + ("Test eval3 $eval('21' + 'foo' + 'bar')", "Test eval3 21foobar"), + ("Test eval4 $eval('21' + '$repl()' + '' + str(10 // 2))", "Test eval4 21rr5"), + ("Test eval5 $eval('21' + '\$repl()' + '' + str(10 // 2))", "Test eval5 21$repl()5"), + ("Test eval6 $eval('$repl(a)' + '$repl(b)')", "Test eval6 rarrbr"), + ("Test type1 $typ([1,2,3,4])", "Test type1 "), + ("Test type2 $typ((1,2,3,4))", "Test type2 "), + ("Test type3 $typ({1,2,3,4})", "Test type3 "), + ("Test type4 $typ({1:2,3:4})", "Test type4 "), + ("Test type5 $typ(1), $typ(1.0)", "Test type5 , "), + ("Test type6 $typ('1'), $typ(\"1.0\")", "Test type6 , "), + ("Test add1 $add(1, 2)", "Test add1 3"), + ("Test add2 $add([1,2,3,4], [5,6])", "Test add2 [1, 2, 3, 4, 5, 6]"), + ("Test literal1 $sum($lit([1,2,3,4,5,6]))", "Test literal1 21"), + ("Test literal2 $typ($lit(1))", "Test literal2 "), + ("Test literal3 $typ($lit(1)aaa)", "Test literal3 "), + ("Test literal4 $typ(aaa$lit(1))", "Test literal4 "), + ]) + def test_parse(self, string, expected): + """ + Test parsing of string. + + """ + # t0 = time.time() + # from evennia import set_trace;set_trace() + ret = self.parser.parse(string, raise_errors=True) + # t1 = time.time() + # print(f"time: {(t1-t0)*1000} ms") + self.assertEqual(expected, ret) + + def test_parse_raise(self): + """ + Make sure error is raised if told to do so. + + """ + string = "Test malformed This is $dummy(a, b) and $bar(" + with self.assertRaises(funcparser.ParsingError): + self.parser.parse(string, raise_errors=True) + + def test_parse_strip(self): + """ + Test the parser's strip functionality. + + """ + string = "Test $foo(a,b, $bar()) and $repl($eval(3+2)) things" + ret = self.parser.parse(string, strip=True) + self.assertEqual("Test and things", ret) + + def test_parse_escape(self): + """ + Test the parser's escape functionality. + + """ + string = "Test $foo(a) and $bar() and $rep(c) things" + ret = self.parser.parse(string, escape=True) + self.assertEqual("Test \$foo(a) and \$bar() and \$rep(c) things", ret) + + def test_parse_lit(self): + """ + Get non-strings back from parsing. + + """ + string = "$lit(123)" + + # normal parse + ret = self.parser.parse(string) + self.assertEqual('123', ret) + self.assertTrue(isinstance(ret, str)) + + # parse lit + ret = self.parser.parse_to_any(string) + self.assertEqual(123, ret) + self.assertTrue(isinstance(ret, int)) + + ret = self.parser.parse_to_any("$lit([1,2,3,4])") + self.assertEqual([1, 2, 3, 4], ret) + self.assertTrue(isinstance(ret, list)) + + ret = self.parser.parse_to_any("$lit('')") + self.assertEqual("", ret) + self.assertTrue(isinstance(ret, str)) + + # mixing a literal with other chars always make a string + ret = self.parser.parse_to_any(string + "aa") + self.assertEqual('123aa', ret) + self.assertTrue(isinstance(ret, str)) + + ret = self.parser.parse_to_any("test") + self.assertEqual('test', ret) + self.assertTrue(isinstance(ret, str)) + + def test_kwargs_overrides(self): + """ + Test so default kwargs are added and overridden properly + + """ + # default kwargs passed on initializations + parser = funcparser.FuncParser( + _test_callables, + test='foo' + ) + ret = parser.parse("This is a $foo() string") + self.assertEqual("This is a _test(test=foo) string", ret) + + # override in the string itself + + ret = parser.parse("This is a $foo(test=bar,foo=moo) string") + self.assertEqual("This is a _test(test=bar, foo=moo) string", ret) + + # parser kwargs override the other types + + ret = parser.parse("This is a $foo(test=bar,foo=moo) string", test="override", foo="bar") + self.assertEqual("This is a _test(test=override, foo=bar) string", ret) + + # non-overridden kwargs shine through + + ret = parser.parse("This is a $foo(foo=moo) string", foo="bar") + self.assertEqual("This is a _test(test=foo, foo=bar) string", ret) + +class _DummyObj: + def __init__(self, name): + self.name = name + + def get_display_name(self, looker=None): + return self.name + + +class TestDefaultCallables(TestCase): + """ + Test default callables. + + """ + def setUp(self): + from django.conf import settings + self.parser = funcparser.FuncParser({**funcparser.FUNCPARSER_CALLABLES, + **funcparser.ACTOR_STANCE_CALLABLES}) + + self.obj1 = _DummyObj("Char1") + self.obj2 = _DummyObj("Char2") + + @parameterized.expand([ + ("Test py1 $eval('')", "Test py1 "), + ]) + def test_callable(self, string, expected): + """ + Test callables with various input strings + + """ + ret = self.parser.parse(string, raise_errors=True) + self.assertEqual(expected, ret) + + @parameterized.expand([ + ("$You() $conj(smile) at him.", "You smile at him.", "Char1 smiles at him."), + ("$You() $conj(smile) at $You(char1).", "You smile at You.", "Char1 smiles at Char1."), + ("$You() $conj(smile) at $You(char2).", "You smile at Char2.", "Char1 smiles at You."), + ("$You(char2) $conj(smile) at $you(char1).", "Char2 smile at you.", "You smiles at Char1."), + ]) + def test_conjugate(self, string, expected_you, expected_them): + """ + Test callables with various input strings + + """ + mapping = {"char1": self.obj1, "char2": self.obj2} + ret = self.parser.parse(string, caller=self.obj1, receiver=self.obj1, mapping=mapping, + raise_errors=True) + self.assertEqual(expected_you, ret) + ret = self.parser.parse(string, caller=self.obj1, receiver=self.obj2, mapping=mapping, + raise_errors=True) + self.assertEqual(expected_them, ret) + + @parameterized.expand([ + ("Test $pad(Hello, 20, c, -) there", "Test -------Hello-------- there"), + ("Test $pad(Hello, width=20, align=c, fillchar=-) there", + "Test -------Hello-------- there"), + ("Test $crop(This is a long test, 12)", "Test This is[...]"), + ("Some $space(10) here", "Some here"), + ("Some $clr(b, blue color) now", "Some |bblue color|n now"), + ("Some $add(1, 2) things", "Some 3 things"), + ("Some $sub(10, 2) things", "Some 8 things"), + ("Some $mult(3, 2) things", "Some 6 things"), + ("Some $div(6, 2) things", "Some 3.0 things"), + ("Some $toint(6) things", "Some 6 things"), + ("Some $ljust(Hello, 30)", "Some Hello "), + ("Some $rjust(Hello, 30)", "Some Hello"), + ("Some $rjust(Hello, width=30)", "Some Hello"), + ("Some $cjust(Hello, 30)", "Some Hello "), + ("Some $eval('-'*20)Hello", "Some --------------------Hello"), + ]) + def test_other_callables(self, string, expected): + """ + Test default callables. + + """ + ret = self.parser.parse(string, raise_errors=True) + self.assertEqual(expected, ret) + + def test_random(self): + string = "$random(1,10)" + for i in range(100): + ret = self.parser.parse_to_any(string, raise_errors=True) + self.assertTrue(1 <= ret <= 10) + + string = "$random()" + for i in range(100): + ret = self.parser.parse_to_any(string, raise_errors=True) + self.assertTrue(0 <= ret <= 1) + + string = "$random(1.0, 3.0)" + for i in range(100): + ret = self.parser.parse_to_any(string, raise_errors=True) + self.assertTrue(isinstance(ret, float)) + self.assertTrue(1.0 <= ret <= 3.0) + + def test_randint(self): + string = "$randint(1.0, 3.0)" + ret = self.parser.parse_to_any(string, raise_errors=True) + self.assertTrue(isinstance(ret, int)) + self.assertTrue(1.0 <= ret <= 3.0) + + def test_nofunc(self): + self.assertEqual( + self.parser.parse("as$382ewrw w we w werw,|44943}"), + "as$382ewrw w we w werw,|44943}", + ) + + def test_incomplete(self): + self.assertEqual( + self.parser.parse("testing $blah{without an ending."), + "testing $blah{without an ending.", + ) + + def test_single_func(self): + self.assertEqual( + self.parser.parse("this is a test with $pad(centered, 20) text in it."), + "this is a test with centered text in it.", + ) + + def test_nested(self): + self.assertEqual( + self.parser.parse( + "this $crop(is a test with $pad(padded, 20) text in $pad(pad2, 10) a crop, 80)" + ), + "this is a test with padded text in pad2 a crop", + ) + + def test_escaped(self): + self.assertEqual( + self.parser.parse( + "this should be $pad('''escaped,''' and '''instead,''' cropped $crop(with a long,5) text., 80)" + ), + "this should be '''escaped,''' and '''instead,''' cropped with text. ", + ) + + def test_escaped2(self): + self.assertEqual( + self.parser.parse( + 'this should be $pad("""escaped,""" and """instead,""" cropped $crop(with a long,5) text., 80)' + ), + "this should be \"\"\"escaped,\"\"\" and \"\"\"instead,\"\"\" cropped with text. ", + ) + + +class TestCallableSearch(test_resources.EvenniaTest): + """ + Test the $search(query) callable + + """ + def setUp(self): + super().setUp() + self.parser = funcparser.FuncParser(funcparser.SEARCHING_CALLABLES) + + def test_search_obj(self): + """ + Test searching for an object + + """ + string = "$search(Char)" + expected = self.char1 + + ret = self.parser.parse(string, caller=self.char1, return_str=False, raise_errors=True) + self.assertEqual(expected, ret) + + def test_search_account(self): + """ + Test searching for an account + + """ + string = "$search(TestAccount, type=account)" + expected = self.account + + ret = self.parser.parse(string, caller=self.char1, return_str=False, raise_errors=True) + self.assertEqual(expected, ret) + + def test_search_script(self): + """ + Test searching for a script + + """ + string = "$search(Script, type=script)" + expected = self.script + + ret = self.parser.parse(string, caller=self.char1, return_str=False, raise_errors=True) + self.assertEqual(expected, ret) + + def test_search_obj_embedded(self): + """ + Test searching for an object - embedded in str + + """ + string = "This is $search(Char) the guy." + expected = "This is " + str(self.char1) + " the guy." + + ret = self.parser.parse(string, caller=self.char1, return_str=False, raise_errors=True) + self.assertEqual(expected, ret) diff --git a/evennia/utils/tests/test_tagparsing.py b/evennia/utils/tests/test_tagparsing.py index 6435c5c2ce..5c47bc5b6a 100644 --- a/evennia/utils/tests/test_tagparsing.py +++ b/evennia/utils/tests/test_tagparsing.py @@ -3,10 +3,10 @@ Unit tests for all sorts of inline text-tag parsing, like ANSI, html conversion, """ import re -from django.test import TestCase +from django.test import TestCase, override_settings from evennia.utils.ansi import ANSIString from evennia.utils.text2html import TextToHTMLparser -from evennia.utils import inlinefuncs +from evennia.utils import funcparser class ANSIStringTestCase(TestCase): @@ -347,49 +347,3 @@ class TestTextToHTMLparser(TestCase): '' 'http://example.com/', ) - - -class TestInlineFuncs(TestCase): - """Test the nested inlinefunc module""" - - def test_nofunc(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc("as$382ewrw w we w werw,|44943}"), - "as$382ewrw w we w werw,|44943}", - ) - - def test_incomplete(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc("testing $blah{without an ending."), - "testing $blah{without an ending.", - ) - - def test_single_func(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc("this is a test with $pad(centered, 20) text in it."), - "this is a test with centered text in it.", - ) - - def test_nested(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc( - "this $crop(is a test with $pad(padded, 20) text in $pad(pad2, 10) a crop, 80)" - ), - "this is a test with padded text in pad2 a crop", - ) - - def test_escaped(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc( - "this should be $pad('''escaped,''' and '''instead,''' cropped $crop(with a long,5) text., 80)" - ), - "this should be escaped, and instead, cropped with text. ", - ) - - def test_escaped2(self): - self.assertEqual( - inlinefuncs.parse_inlinefunc( - 'this should be $pad("""escaped,""" and """instead,""" cropped $crop(with a long,5) text., 80)' - ), - "this should be escaped, and instead, cropped with text. ", - ) diff --git a/evennia/utils/tests/test_utils.py b/evennia/utils/tests/test_utils.py index b74668845d..98fa362485 100644 --- a/evennia/utils/tests/test_utils.py +++ b/evennia/utils/tests/test_utils.py @@ -8,6 +8,7 @@ TODO: Not nearly all utilities are covered yet. import os.path import random +from parameterized import parameterized import mock from django.test import TestCase from datetime import datetime @@ -385,3 +386,43 @@ class TestPercent(TestCase): self.assertEqual(utils.percent(3, 1, 1), "0.0%") self.assertEqual(utils.percent(3, 0, 1), "100.0%") self.assertEqual(utils.percent(-3, 0, 1), "0.0%") + + +class TestSafeConvert(TestCase): + """ + Test evennia.utils.utils.safe_convert_to_types + + """ + + @parameterized.expand([ + (('1', '2', 3, 4, '5'), {'a': 1, 'b': '2', 'c': 3}, + ((int, float, str, int), {'a': int, 'b': float}), # " + (1, 2.0, '3', 4, '5'), {'a': 1, 'b': 2.0, 'c': 3}), + (('1 + 2', '[1, 2, 3]', [3, 4, 5]), {'a': '3 + 4', 'b': 5}, + (('py', 'py', 'py'), {'a': 'py', 'b': 'py'}), + (3, [1, 2, 3], [3, 4, 5]), {'a': 7, 'b': 5}), + ]) + def test_conversion(self, args, kwargs, converters, expected_args, expected_kwargs): + """ + Test the converter with different inputs + + """ + result_args, result_kwargs = utils.safe_convert_to_types( + converters, *args, raise_errors=True, **kwargs) + self.assertEqual(expected_args, result_args) + self.assertEqual(expected_kwargs, result_kwargs) + + def test_conversion__fail(self): + """ + Test failing conversion + + """ + from evennia.utils.funcparser import ParsingError + + with self.assertRaises(ValueError): + utils.safe_convert_to_types( + (int, ), *('foo', ), raise_errors=True) + + with self.assertRaises(ParsingError) as err: + utils.safe_convert_to_types( + ('py', {}), *('foo', ), raise_errors=True) diff --git a/evennia/utils/utils.py b/evennia/utils/utils.py index 348ffba61a..d8cab2d586 100644 --- a/evennia/utils/utils.py +++ b/evennia/utils/utils.py @@ -20,6 +20,8 @@ import traceback import importlib import importlib.util import importlib.machinery +from ast import literal_eval +from simpleeval import simple_eval from unicodedata import east_asian_width from twisted.internet.task import deferLater from twisted.internet.defer import returnValue # noqa - used as import target @@ -1078,7 +1080,8 @@ def repeat(interval, callback, persistent=True, idstring="", stop=False, store_key (tuple, optional): This is only used in combination with `stop` and should be the return given from the original `repeat` call. If this is given, all other args except `stop` are ignored. - *args, **kwargs: Used as arguments to `callback`. + *args: Used as arguments to `callback`. + **kwargs: Keyword-arguments to pass to `callback`. Returns: tuple or None: The tuple is the `store_key` - the identifier for the @@ -1112,8 +1115,8 @@ def unrepeat(store_key): Args: store_key (tuple): This is the return from `repeat`, used to uniquely - identify the ticker to stop. Without the store_key, the ticker - must be stopped by passing its parameters to `TICKER_HANDLER.remove` + identify the ticker to stop. Without the store_key, the ticker + must be stopped by passing its parameters to `TICKER_HANDLER.remove` directly. Returns: @@ -2390,3 +2393,104 @@ def interactive(func): return ret return decorator + + +def safe_convert_to_types(converters, *args, raise_errors=True, **kwargs): + """ + Helper function to safely convert inputs to expected data types. + + Args: + converters (tuple): A tuple `((converter, converter,...), {kwarg: converter, ...})` to + match a converter to each element in `*args` and `**kwargs`. + Each converter will will be called with the arg/kwarg-value as the only argument. + If there are too few converters given, the others will simply not be converter. If the + converter is given as the string 'py', it attempts to run + `safe_eval`/`literal_eval` on the input arg or kwarg value. It's possible to + skip the arg/kwarg part of the tuple, an empty tuple/dict will then be assumed. + *args: The arguments to convert with `argtypes`. + raise_errors (bool, optional): If set, raise any errors. This will + abort the conversion at that arg/kwarg. Otherwise, just skip the + conversion of the failing arg/kwarg. This will be set by the FuncParser if + this is used as a part of a FuncParser callable. + **kwargs: The kwargs to convert with `kwargtypes` + + Returns: + tuple: `(args, kwargs)` in converted form. + + Raises: + utils.funcparser.ParsingError: If parsing failed in the `'py'` + converter. This also makes this compatible with the FuncParser + interface. + any: Any other exception raised from other converters, if raise_errors is True. + + Notes: + This function is often used to validate/convert input from untrusted sources. For + security, the "py"-converter is deliberately limited and uses `safe_eval`/`literal_eval` + which only supports simple expressions or simple containers with literals. NEVER + use the python `eval` or `exec` methods as a converter for any untrusted input! Allowing + untrusted sources to execute arbitrary python on your server is a severe security risk, + + Example: + :: + + $funcname(1, 2, 3.0, c=[1,2,3]) + + def _funcname(*args, **kwargs): + args, kwargs = safe_convert_input(((int, int, float), {'c': 'py'}), *args, **kwargs) + # ... + + """ + def _safe_eval(inp): + if not inp: + return '' + if not isinstance(inp, str): + # already converted + return inp + + try: + return literal_eval(inp) + except Exception as err: + literal_err = f"{err.__class__.__name__}: {err}" + try: + return simple_eval(inp) + except Exception as err: + simple_err = f"{str(err.__class__.__name__)}: {err}" + pass + + if raise_errors: + from evennia.utils.funcparser import ParsingError + err = (f"Errors converting '{inp}' to python:\n" + f"literal_eval raised {literal_err}\n" + f"simple_eval raised {simple_err}") + raise ParsingError(err) + + # handle an incomplete/mixed set of input converters + if not converters: + return args, kwargs + arg_converters, *kwarg_converters = converters + arg_converters = make_iter(arg_converters) + kwarg_converters = kwarg_converters[0] if kwarg_converters else {} + + # apply the converters + if args and arg_converters: + args = list(args) + arg_converters = make_iter(arg_converters) + for iarg, arg in enumerate(args[:len(arg_converters)]): + converter = arg_converters[iarg] + converter = _safe_eval if converter in ('py', 'python') else converter + try: + args[iarg] = converter(arg) + except Exception: + if raise_errors: + raise + args = tuple(args) + if kwarg_converters and isinstance(kwarg_converters, dict): + for key, converter in kwarg_converters.items(): + converter = _safe_eval if converter in ('py', 'python') else converter + if key in {**kwargs}: + try: + kwargs[key] = converter(kwargs[key]) + except Exception: + if raise_errors: + raise + return args, kwargs diff --git a/evennia/utils/verb_conjugation/LICENSE.txt b/evennia/utils/verb_conjugation/LICENSE.txt new file mode 100644 index 0000000000..3912109b5c --- /dev/null +++ b/evennia/utils/verb_conjugation/LICENSE.txt @@ -0,0 +1,340 @@ + GNU GENERAL PUBLIC LICENSE + Version 2, June 1991 + + Copyright (C) 1989, 1991 Free Software Foundation, Inc. + 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + Everyone is permitted to copy and distribute verbatim copies + of this license document, but changing it is not allowed. + + Preamble + + The licenses for most software are designed to take away your +freedom to share and change it. By contrast, the GNU General Public +License is intended to guarantee your freedom to share and change free +software--to make sure the software is free for all its users. This +General Public License applies to most of the Free Software +Foundation's software and to any other program whose authors commit to +using it. (Some other Free Software Foundation software is covered by +the GNU Library General Public License instead.) You can apply it to +your programs, too. + + When we speak of free software, we are referring to freedom, not +price. Our General Public Licenses are designed to make sure that you +have the freedom to distribute copies of free software (and charge for +this service if you wish), that you receive source code or can get it +if you want it, that you can change the software or use pieces of it +in new free programs; and that you know you can do these things. + + To protect your rights, we need to make restrictions that forbid +anyone to deny you these rights or to ask you to surrender the rights. +These restrictions translate to certain responsibilities for you if you +distribute copies of the software, or if you modify it. + + For example, if you distribute copies of such a program, whether +gratis or for a fee, you must give the recipients all the rights that +you have. You must make sure that they, too, receive or can get the +source code. And you must show them these terms so they know their +rights. + + We protect your rights with two steps: (1) copyright the software, and +(2) offer you this license which gives you legal permission to copy, +distribute and/or modify the software. + + Also, for each author's protection and ours, we want to make certain +that everyone understands that there is no warranty for this free +software. If the software is modified by someone else and passed on, we +want its recipients to know that what they have is not the original, so +that any problems introduced by others will not reflect on the original +authors' reputations. + + Finally, any free program is threatened constantly by software +patents. We wish to avoid the danger that redistributors of a free +program will individually obtain patent licenses, in effect making the +program proprietary. To prevent this, we have made it clear that any +patent must be licensed for everyone's free use or not licensed at all. + + The precise terms and conditions for copying, distribution and +modification follow. + + GNU GENERAL PUBLIC LICENSE + TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION + + 0. This License applies to any program or other work which contains +a notice placed by the copyright holder saying it may be distributed +under the terms of this General Public License. The "Program", below, +refers to any such program or work, and a "work based on the Program" +means either the Program or any derivative work under copyright law: +that is to say, a work containing the Program or a portion of it, +either verbatim or with modifications and/or translated into another +language. (Hereinafter, translation is included without limitation in +the term "modification".) Each licensee is addressed as "you". + +Activities other than copying, distribution and modification are not +covered by this License; they are outside its scope. The act of +running the Program is not restricted, and the output from the Program +is covered only if its contents constitute a work based on the +Program (independent of having been made by running the Program). +Whether that is true depends on what the Program does. + + 1. You may copy and distribute verbatim copies of the Program's +source code as you receive it, in any medium, provided that you +conspicuously and appropriately publish on each copy an appropriate +copyright notice and disclaimer of warranty; keep intact all the +notices that refer to this License and to the absence of any warranty; +and give any other recipients of the Program a copy of this License +along with the Program. + +You may charge a fee for the physical act of transferring a copy, and +you may at your option offer warranty protection in exchange for a fee. + + 2. You may modify your copy or copies of the Program or any portion +of it, thus forming a work based on the Program, and copy and +distribute such modifications or work under the terms of Section 1 +above, provided that you also meet all of these conditions: + + a) You must cause the modified files to carry prominent notices + stating that you changed the files and the date of any change. + + b) You must cause any work that you distribute or publish, that in + whole or in part contains or is derived from the Program or any + part thereof, to be licensed as a whole at no charge to all third + parties under the terms of this License. + + c) If the modified program normally reads commands interactively + when run, you must cause it, when started running for such + interactive use in the most ordinary way, to print or display an + announcement including an appropriate copyright notice and a + notice that there is no warranty (or else, saying that you provide + a warranty) and that users may redistribute the program under + these conditions, and telling the user how to view a copy of this + License. (Exception: if the Program itself is interactive but + does not normally print such an announcement, your work based on + the Program is not required to print an announcement.) + +These requirements apply to the modified work as a whole. If +identifiable sections of that work are not derived from the Program, +and can be reasonably considered independent and separate works in +themselves, then this License, and its terms, do not apply to those +sections when you distribute them as separate works. But when you +distribute the same sections as part of a whole which is a work based +on the Program, the distribution of the whole must be on the terms of +this License, whose permissions for other licensees extend to the +entire whole, and thus to each and every part regardless of who wrote it. + +Thus, it is not the intent of this section to claim rights or contest +your rights to work written entirely by you; rather, the intent is to +exercise the right to control the distribution of derivative or +collective works based on the Program. + +In addition, mere aggregation of another work not based on the Program +with the Program (or with a work based on the Program) on a volume of +a storage or distribution medium does not bring the other work under +the scope of this License. + + 3. You may copy and distribute the Program (or a work based on it, +under Section 2) in object code or executable form under the terms of +Sections 1 and 2 above provided that you also do one of the following: + + a) Accompany it with the complete corresponding machine-readable + source code, which must be distributed under the terms of Sections + 1 and 2 above on a medium customarily used for software interchange; or, + + b) Accompany it with a written offer, valid for at least three + years, to give any third party, for a charge no more than your + cost of physically performing source distribution, a complete + machine-readable copy of the corresponding source code, to be + distributed under the terms of Sections 1 and 2 above on a medium + customarily used for software interchange; or, + + c) Accompany it with the information you received as to the offer + to distribute corresponding source code. (This alternative is + allowed only for noncommercial distribution and only if you + received the program in object code or executable form with such + an offer, in accord with Subsection b above.) + +The source code for a work means the preferred form of the work for +making modifications to it. For an executable work, complete source +code means all the source code for all modules it contains, plus any +associated interface definition files, plus the scripts used to +control compilation and installation of the executable. However, as a +special exception, the source code distributed need not include +anything that is normally distributed (in either source or binary +form) with the major components (compiler, kernel, and so on) of the +operating system on which the executable runs, unless that component +itself accompanies the executable. + +If distribution of executable or object code is made by offering +access to copy from a designated place, then offering equivalent +access to copy the source code from the same place counts as +distribution of the source code, even though third parties are not +compelled to copy the source along with the object code. + + 4. You may not copy, modify, sublicense, or distribute the Program +except as expressly provided under this License. Any attempt +otherwise to copy, modify, sublicense or distribute the Program is +void, and will automatically terminate your rights under this License. +However, parties who have received copies, or rights, from you under +this License will not have their licenses terminated so long as such +parties remain in full compliance. + + 5. You are not required to accept this License, since you have not +signed it. However, nothing else grants you permission to modify or +distribute the Program or its derivative works. These actions are +prohibited by law if you do not accept this License. Therefore, by +modifying or distributing the Program (or any work based on the +Program), you indicate your acceptance of this License to do so, and +all its terms and conditions for copying, distributing or modifying +the Program or works based on it. + + 6. Each time you redistribute the Program (or any work based on the +Program), the recipient automatically receives a license from the +original licensor to copy, distribute or modify the Program subject to +these terms and conditions. You may not impose any further +restrictions on the recipients' exercise of the rights granted herein. +You are not responsible for enforcing compliance by third parties to +this License. + + 7. If, as a consequence of a court judgment or allegation of patent +infringement or for any other reason (not limited to patent issues), +conditions are imposed on you (whether by court order, agreement or +otherwise) that contradict the conditions of this License, they do not +excuse you from the conditions of this License. If you cannot +distribute so as to satisfy simultaneously your obligations under this +License and any other pertinent obligations, then as a consequence you +may not distribute the Program at all. For example, if a patent +license would not permit royalty-free redistribution of the Program by +all those who receive copies directly or indirectly through you, then +the only way you could satisfy both it and this License would be to +refrain entirely from distribution of the Program. + +If any portion of this section is held invalid or unenforceable under +any particular circumstance, the balance of the section is intended to +apply and the section as a whole is intended to apply in other +circumstances. + +It is not the purpose of this section to induce you to infringe any +patents or other property right claims or to contest validity of any +such claims; this section has the sole purpose of protecting the +integrity of the free software distribution system, which is +implemented by public license practices. Many people have made +generous contributions to the wide range of software distributed +through that system in reliance on consistent application of that +system; it is up to the author/donor to decide if he or she is willing +to distribute software through any other system and a licensee cannot +impose that choice. + +This section is intended to make thoroughly clear what is believed to +be a consequence of the rest of this License. + + 8. If the distribution and/or use of the Program is restricted in +certain countries either by patents or by copyrighted interfaces, the +original copyright holder who places the Program under this License +may add an explicit geographical distribution limitation excluding +those countries, so that distribution is permitted only in or among +countries not thus excluded. In such case, this License incorporates +the limitation as if written in the body of this License. + + 9. The Free Software Foundation may publish revised and/or new versions +of the General Public License from time to time. Such new versions will +be similar in spirit to the present version, but may differ in detail to +address new problems or concerns. + +Each version is given a distinguishing version number. If the Program +specifies a version number of this License which applies to it and "any +later version", you have the option of following the terms and conditions +either of that version or of any later version published by the Free +Software Foundation. If the Program does not specify a version number of +this License, you may choose any version ever published by the Free Software +Foundation. + + 10. If you wish to incorporate parts of the Program into other free +programs whose distribution conditions are different, write to the author +to ask for permission. For software which is copyrighted by the Free +Software Foundation, write to the Free Software Foundation; we sometimes +make exceptions for this. Our decision will be guided by the two goals +of preserving the free status of all derivatives of our free software and +of promoting the sharing and reuse of software generally. + + NO WARRANTY + + 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY +FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN +OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES +PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED +OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF +MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS +TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE +PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, +REPAIR OR CORRECTION. + + 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING +WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR +REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, +INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING +OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED +TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY +YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER +PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE +POSSIBILITY OF SUCH DAMAGES. + + END OF TERMS AND CONDITIONS + + How to Apply These Terms to Your New Programs + + If you develop a new program, and you want it to be of the greatest +possible use to the public, the best way to achieve this is to make it +free software which everyone can redistribute and change under these terms. + + To do so, attach the following notices to the program. It is safest +to attach them to the start of each source file to most effectively +convey the exclusion of warranty; and each file should have at least +the "copyright" line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software; you can redistribute it and/or modify + it under the terms of the GNU General Public License as published by + the Free Software Foundation; either version 2 of the License, or + (at your option) any later version. + + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU General Public License for more details. + + You should have received a copy of the GNU General Public License + along with this program; if not, write to the Free Software + Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA + + +Also add information on how to contact you by electronic and paper mail. + +If the program is interactive, make it output a short notice like this +when it starts in an interactive mode: + + Gnomovision version 69, Copyright (C) year name of author + Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. + This is free software, and you are welcome to redistribute it + under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate +parts of the General Public License. Of course, the commands you use may +be called something other than `show w' and `show c'; they could even be +mouse-clicks or menu items--whatever suits your program. + +You should also get your employer (if you work as a programmer) or your +school, if any, to sign a "copyright disclaimer" for the program, if +necessary. Here is a sample; alter the names: + + Yoyodyne, Inc., hereby disclaims all copyright interest in the program + `Gnomovision' (which makes passes at compilers) written by James Hacker. + + , 1 April 1989 + Ty Coon, President of Vice + +This General Public License does not permit incorporating your program into +proprietary programs. If your program is a subroutine library, you may +consider it more useful to permit linking proprietary applications with the +library. If this is what you want to do, use the GNU Library General +Public License instead of this License. diff --git a/evennia/utils/verb_conjugation/__init__.py b/evennia/utils/verb_conjugation/__init__.py new file mode 100644 index 0000000000..e69de29bb2 diff --git a/evennia/utils/verb_conjugation/conjugate.py b/evennia/utils/verb_conjugation/conjugate.py new file mode 100644 index 0000000000..48cba4f184 --- /dev/null +++ b/evennia/utils/verb_conjugation/conjugate.py @@ -0,0 +1,387 @@ +""" +English verb conjugation + +Original Author: Tom De Smedt of Nodebox +Refactored by Griatch 2021, for Evennia. + +This is distributed under the GPL2 license. See ./LICENSE.txt for details. + +The verb.txt morphology was adopted from the XTAG morph_englis.flat: +http://www.cis.upenn.edu/~xtag/ + + +""" + +import os + +_VERBS_FILE = "verbs.txt" + +# Each verb and its tenses is a list in verbs.txt, +# indexed according to the following keys: +# the negated forms (for supported verbs) are ind+11. + +verb_tenses_keys = { + "infinitive": 0, + "1st singular present": 1, + "2nd singular present": 2, + "3rd singular present": 3, + "present plural": 4, + "present participle": 5, + "1st singular past": 6, + "2nd singular past": 7, + "3rd singular past": 8, + "past plural": 9, + "past": 10, + "past participle": 11, +} + +# allow to specify tenses with a shorter notation +verb_tenses_aliases = { + "inf": "infinitive", + "1sgpres": "1st singular present", + "2sgpres": "2nd singular present", + "3sgpres": "3rd singular present", + "pl": "present plural", + "prog": "present participle", + "1sgpast": "1st singular past", + "2sgpast": "2nd singular past", + "3sgpast": "3rd singular past", + "pastpl": "past plural", + "ppart": "past participle", +} + +# Each verb has morphs for infinitve, +# 3rd singular present, present participle, +# past and past participle. +# Verbs like "be" have other morphs as well +# (i.e. I am, you are, she is, they aren't) +# Additionally, the following verbs can be negated: +# be, can, do, will, must, have, may, need, dare, ought. + +# load the conjugation forms from ./verbs.txt +verb_tenses = {} + +path = os.path.join(os.path.dirname(__file__), _VERBS_FILE) +with open(path) as fil: + for line in fil.readlines(): + wordlist = [part.strip() for part in line.split(",")] + verb_tenses[wordlist[0]] = wordlist + +# Each verb can be lemmatised: +# inflected morphs of the verb point +# to its infinitive in this dictionary. +verb_lemmas = {} +for infinitive in verb_tenses: + for tense in verb_tenses[infinitive]: + if tense: + verb_lemmas[tense] = infinitive + + +def verb_infinitive(verb): + """ + Returns the uninflected form of the verb, like 'are' -> 'be' + + Args: + verb (str): The verb to get the uninflected form of. + + Returns: + str: The uninflected verb form of `verb`. + + """ + + return verb_lemmas.get(verb, '') + + +def verb_conjugate(verb, tense="infinitive", negate=False): + """ + Inflects the verb to the given tense. + + Args: + verb (str): The single verb to conjugate. + tense (str): The tense to convert to. This can be given either as a long or short form + - "infinitive" ("inf") - be + - "1st/2nd/3rd singular present" ("1/2/3sgpres") - am/are/is + - "present plural" ("pl") - are + - "present participle" ("prog") - being + - "1st/2nd/3rd singular past" ("1/2/3sgpast") - was/were/was + - "past plural" ("pastpl") - were + - "past" - were + - "past participle" ("ppart") - been + negate (bool): Negates the verb. This only supported + for a limited number of verbs: be, can, do, will, must, have, may, + need, dare, ought. + + Returns: + str: The conjugated verb. If conjugation fails, the original verb is returned. + + Examples: + The verb 'be': + - present: I am, you are, she is, + - present participle: being, + - past: I was, you were, he was, + - past participle: been, + - negated present: I am not, you aren't, it isn't. + + """ + tense = verb_tenses_aliases.get(tense, tense) + verb = verb_infinitive(verb) + ind = verb_tenses_keys[tense] + if negate: + ind += len(verb_tenses_keys) + try: + return verb_tenses[verb][ind] + except IndexError: + # TODO implement simple algorithm here with +s for certain tenses? + return verb + + +def verb_present(verb, person="", negate=False): + """ + Inflects the verb in the present tense. + + Args: + person (str or int): This can be 1, 2, 3, "1st", "2nd", "3rd", "plural" or "*". + negate (bool): Some verbs like be, have, must, can be negated. + + Returns: + str: The present tense verb. + + Example: + had -> have + + """ + + person = str(person).replace("pl", "*").strip("stndrgural") + mapping = { + "1": "1st singular present", + "2": "2nd singular present", + "3": "3rd singular present", + "*": "present plural", + } + if person in mapping and verb_conjugate(verb, mapping[person], negate) != "": + return verb_conjugate(verb, mapping[person], negate) + + return verb_conjugate(verb, "infinitive", negate) + + +def verb_present_participle(verb): + """ + Inflects the verb in the present participle. + + Args: + verb (str): The verb to inflect. + + Returns: + str: The inflected verb. + + Examples: + give -> giving, be -> being, swim -> swimming + + """ + return verb_conjugate(verb, "present participle") + + +def verb_past(verb, person="", negate=False): + """ + + Inflects the verb in the past tense. + + Args: + verb (str): The verb to inflect. + person (str, optional): The person can be specified with 1, 2, 3, + "1st", "2nd", "3rd", "plural", "*". + negate (bool, optional): Some verbs like be, have, must, can be negated. + + Returns: + str: The inflected verb. + + Examples: + give -> gave, be -> was, swim -> swam + + """ + + person = str(person).replace("pl", "*").strip("stndrgural") + mapping = { + "1": "1st singular past", + "2": "2nd singular past", + "3": "3rd singular past", + "*": "past plural", + } + if person in mapping and verb_conjugate(verb, mapping[person], negate) != "": + return verb_conjugate(verb, mapping[person], negate) + + return verb_conjugate(verb, "past", negate=negate) + + +def verb_past_participle(verb): + """ + Inflects the verb in the present participle. + + Args: + verb (str): The verb to inflect. + + Returns: + str: The inflected verb. + + Examples: + give -> given, be -> been, swim -> swum + + """ + return verb_conjugate(verb, "past participle") + + +def verb_all_tenses(): + """ + Get all all possible verb tenses. + + Returns: + list: A list if string names. + + """ + + return list(verb_tenses_keys.keys()) + + +def verb_tense(verb): + """ + Returns a string from verb_tenses_keys representing the verb's tense. + + Args: + verb (str): The verb to check the tense of. + + Returns: + str: The tense. + + Example: + given -> "past participle" + + """ + infinitive = verb_infinitive(verb) + data = verb_tenses[infinitive] + for tense in verb_tenses_keys: + if data[verb_tenses_keys[tense]] == verb: + return tense + if data[verb_tenses_keys[tense] + len(verb_tenses_keys)] == verb: + return tense + + +def verb_is_tense(verb, tense): + """ + Checks whether the verb is in the given tense. + + Args: + verb (str): The verb to check. + tense (str): The tense to check. + + Return: + bool: If verb matches given tense. + + """ + tense = verb_tenses_aliases.get(tense, tense) + return verb_tense(verb) == tense + + +def verb_is_present(verb, person="", negated=False): + """ + Checks whether the verb is in the present tense. + + Args: + verb (str): The verb to check. + person (str): Check which person. + negated (bool): Check if verb was negated. + + Returns: + bool: If verb was in present tense. + + """ + + person = str(person).replace("*", "plural") + tense = verb_tense(verb) + if tense is not None: + if "present" in tense and person in tense: + if not negated: + return True + elif "n't" in verb or " not" in verb: + return True + return False + + +def verb_is_present_participle(verb): + """ + Checks whether the verb is in present participle. + + Args: + verb (str): The verb to check. + + Returns: + bool: Result of check. + + """ + + tense = verb_tense(verb) + return tense == "present participle" + + +def verb_is_past(verb, person="", negated=False): + """ + Checks whether the verb is in the past tense. + + Args: + verb (str): The verb to check. + person (str): The person to check. + negated (bool): Check if verb is negated. + + Returns: + bool: Result of check. + + """ + + person = str(person).replace("*", "plural") + tense = verb_tense(verb) + if tense is not None: + if "past" in tense and person in tense: + if not negated: + return True + elif "n't" in verb or " not" in verb: + return True + + return False + + +def verb_is_past_participle(verb): + """ + Checks whether the verb is in past participle. + + Args: + verb (str): The verb to check. + + Returns: + bool: The result of the check. + + """ + tense = verb_tense(verb) + return tense == "past participle" + + +def verb_actor_stance_components(verb): + """ + Figure out actor stance components of a verb. + + Args: + verb (str): The verb to analyze + + Returns: + tuple: The 2nd person (you) and 3rd person forms of the verb, + in the same tense as the ingoing verb. + + """ + tense = verb_tense(verb) + if "participle" in tense or "plural" in tense: + return (verb, verb) + if tense == "infinitive" or "present" in tense: + you_str = verb_present(verb, person="2") or verb + them_str = verb_present(verb, person="3") or verb + "s" + else: + you_str = verb_past(verb, person="2") or verb + them_str = verb_past(verb, person="3") or verb + "s" + return (you_str, them_str) diff --git a/evennia/utils/verb_conjugation/tests.py b/evennia/utils/verb_conjugation/tests.py new file mode 100644 index 0000000000..abc0225e2a --- /dev/null +++ b/evennia/utils/verb_conjugation/tests.py @@ -0,0 +1,241 @@ +""" +Unit tests for verb conjugation. + +""" + +from parameterized import parameterized +from django.test import TestCase +from . import conjugate + + +class TestVerbConjugate(TestCase): + """ + Test the conjugation. + + """ + @parameterized.expand([ + ("have", "have"), + ("swim", "swim"), + ("give", "give"), + ("given", "give"), + ("am", "be"), + ("doing", "do"), + ("are", "be"), + ]) + def test_verb_infinitive(self, verb, expected): + """ + Test the infinite-getter. + """ + self.assertEqual(expected, conjugate.verb_infinitive(verb)) + + @parameterized.expand([ + ("inf", "have", "have"), + ("inf", "swim", "swim"), + ("inf", "give", "give"), + ("inf", "given", "give"), + ("inf", "am", "be"), + ("inf", "doing", "do"), + ("inf", "are", "be"), + ("2sgpres", "am", "are"), + ("3sgpres", "am", "is"), + ]) + def test_verb_conjugate(self, tense, verb, expected): + """ + Test conjugation for different tenses. + + """ + self.assertEqual(expected, conjugate.verb_conjugate(verb, tense=tense)) + + @parameterized.expand([ + ("1st", "have", "have"), + ("1st", "swim", "swim"), + ("1st", "give", "give"), + ("1st", "given", "give"), + ("1st", "am", "am"), + ("1st", "doing", "do"), + ("1st", "are", "am"), + ("2nd", "were", "are"), + ("3rd", "am", "is"), + ]) + def test_verb_present(self, person, verb, expected): + """ + Test the present. + + """ + self.assertEqual(expected, conjugate.verb_present(verb, person=person)) + + @parameterized.expand([ + ("have", "having"), + ("swim", "swimming"), + ("give", "giving"), + ("given", "giving"), + ("am", "being"), + ("doing", "doing"), + ("are", "being"), + ]) + def test_verb_present_participle(self, verb, expected): + """ + Test the present_participle + + """ + self.assertEqual(expected, conjugate.verb_present_participle(verb)) + + @parameterized.expand([ + ("1st", "have", "had"), + ("1st", "swim", "swam"), + ("1st", "give", "gave"), + ("1st", "given", "gave"), + ("1st", "am", "was"), + ("1st", "doing", "did"), + ("1st", "are", "was"), + ("2nd", "were", "were"), + ]) + def test_verb_past(self, person, verb, expected): + """ + Test the past getter. + + """ + self.assertEqual(expected, conjugate.verb_past(verb, person=person)) + + @parameterized.expand([ + ("have", "had"), + ("swim", "swum"), + ("give", "given"), + ("given", "given"), + ("am", "been"), + ("doing", "done"), + ("are", "been"), + ]) + def test_verb_past_participle(self, verb, expected): + """ + Test the past participle. + + """ + self.assertEqual(expected, conjugate.verb_past_participle(verb)) + + def test_verb_get_all_tenses(self): + """ + Test getting all tenses. + + """ + self.assertEqual(list(conjugate.verb_tenses_keys.keys()), conjugate.verb_all_tenses()) + + @parameterized.expand([ + ("have", "infinitive"), + ("swim", "infinitive"), + ("give", "infinitive"), + ("given", "past participle"), + ("am", "1st singular present"), + ("doing", "present participle"), + ("are", "2nd singular present"), + ]) + def test_verb_tense(self, verb, expected): + """ + Test the tense retriever. + + """ + self.assertEqual(expected, conjugate.verb_tense(verb)) + + @parameterized.expand([ + ("inf", "have", True), + ("inf", "swim", True), + ("inf", "give", True), + ("inf", "given", False), + ("inf", "am", False), + ("inf", "doing", False), + ("inf", "are", False), + ]) + def test_verb_is_tense(self, tense, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_is_tense(verb, tense)) + + @parameterized.expand([ + ("1st", "have", False), + ("1st", "swim", False), + ("1st", "give", False), + ("1st", "given", False), + ("1st", "am", True), + ("1st", "doing", False), + ("1st", "are", False), + ("1st", "had", False), + ]) + def test_verb_is_present(self, person, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_is_present(verb, person=person)) + + @parameterized.expand([ + ("have", False), + ("swim", False), + ("give", False), + ("given", False), + ("am", False), + ("doing", True), + ("are", False), + ]) + def test_verb_is_present_participle(self, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_is_present_participle(verb)) + + @parameterized.expand([ + ("1st", "have", False), + ("1st", "swim", False), + ("1st", "give", False), + ("1st", "given", False), + ("1st", "am", False), + ("1st", "doing", False), + ("1st", "are", False), + ("2nd", "were", True), + ]) + def test_verb_is_past(self, person, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_is_past(verb, person=person)) + + @parameterized.expand([ + ("have", False), + ("swimming", False), + ("give", False), + ("given", True), + ("am", False), + ("doing", False), + ("are", False), + ("had", False), + ]) + def test_verb_is_past_participle(self, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_is_past_participle(verb)) + + @parameterized.expand([ + ("have", ("have", "has")), + ("swimming", ("swimming", "swimming")), + ("give", ("give", "gives")), + ("given", ("given", "given")), + ("am", ("are", "is")), + ("doing", ("doing", "doing")), + ("are", ("are", "is")), + ("had", ("had", "had")), + ("grin", ("grin", "grins")), + ("smile", ("smile", "smiles")), + ("vex", ("vex", "vexes")), + ("thrust", ("thrust", "thrusts")), + ]) + def test_verb_actor_stance_components(self, verb, expected): + """ + Test the tense-checker + + """ + self.assertEqual(expected, conjugate.verb_actor_stance_components(verb)) diff --git a/evennia/utils/verb_conjugation/verbs.txt b/evennia/utils/verb_conjugation/verbs.txt new file mode 100644 index 0000000000..9cfae2cc47 --- /dev/null +++ b/evennia/utils/verb_conjugation/verbs.txt @@ -0,0 +1,8567 @@ +convolute,,,convolutes,,convoluting,,,,,convoluted,convoluted,,,,,,,,,,,, +fawn,,,fawns,,fawning,,,,,fawned,fawned,,,,,,,,,,,, +foul,,,fouls,,fouling,,,,,fouled,fouled,,,,,,,,,,,, +escribe,,,escribes,,escribing,,,,,escribed,escribed,,,,,,,,,,,, +prefix,,,prefixes,,prefixing,,,,,prefixed,prefixed,,,,,,,,,,,, +forgather,,,forgathers,,forgathering,,,,,forgathered,forgathered,,,,,,,,,,,, +preface,,,prefaces,,prefacing,,,,,prefaced,prefaced,,,,,,,,,,,, +renegue,,,renegues,,reneguing,,,,,renegued,renegued,,,,,,,,,,,, +underachieve,,,underachieves,,underachieving,,,,,underachieved,underachieved,,,,,,,,,,,, +shamble,,,shambles,,shambling,,,,,shambled,shambled,,,,,,,,,,,, +conjure,,,conjures,,conjuring,,,,,conjured,conjured,,,,,,,,,,,, +regularize,,,regularizes,,regularizing,,,,,regularized,regularized,,,,,,,,,,,, +ruck,,,rucks,,rucking,,,,,rucked,rucked,,,,,,,,,,,, +rupture,,,ruptures,,rupturing,,,,,ruptured,ruptured,,,,,,,,,,,, +rouse,,,rouses,,rousing,,,,,roused,roused,,,,,,,,,,,, +scold,,,scolds,,scolding,,,,,scolded,scolded,,,,,,,,,,,, +quadruple,,,quadruples,,quadrupling,,,,,quadrupled,quadrupled,,,,,,,,,,,, +outwit,,,outwits,,outwitting,,,,,outwitted,outwitted,,,,,,,,,,,, +tingle,,,tingles,,tingling,,,,,tingled,tingled,,,,,,,,,,,, +sputter,,,sputters,,sputtering,,,,,sputtered,sputtered,,,,,,,,,,,, +angulate,,,angulates,,angulating,,,,,angulated,angulated,,,,,,,,,,,, +antecede,,,antecedes,,anteceding,,,,,anteceded,anteceded,,,,,,,,,,,, +swivel,,,swivels,,swiveling,,,,,swiveled,swiveled,,,,,,,,,,,, +bellyache,,,bellyaches,,bellyaching,,,,,bellyached,bellyached,,,,,,,,,,,, +jemmy,,,jemmies,,jemmying,,,,,jemmied,jemmied,,,,,,,,,,,, +stipulate,,,stipulates,,stipulating,,,,,stipulated,stipulated,,,,,,,,,,,, +befoul,,,befouls,,befouling,,,,,befouled,befouled,,,,,,,,,,,, +yellow,,,yellows,,yellowing,,,,,yellowed,yellowed,,,,,,,,,,,, +detrude,,,detrudes,,detruding,,,,,detruded,detruded,,,,,,,,,,,, +unify,,,unifies,,unifying,,,,,unified,unified,,,,,,,,,,,, +semaphore,,,semaphores,,semaphoring,,,,,semaphored,semaphored,,,,,,,,,,,, +disturb,,,disturbs,,disturbing,,,,,disturbed,disturbed,,,,,,,,,,,, +prize,,,prizes,,prizing,,,,,prized,prized,,,,,,,,,,,, +buttonhole,,,buttonholes,,buttonholing,,,,,buttonholed,buttonholed,,,,,,,,,,,, +understock,,,understocks,,understocking,,,,,understocked,understocked,,,,,,,,,,,, +disburden,,,disburdens,,disburdening,,,,,disburdened,disburdened,,,,,,,,,,,, +fritter,,,fritters,,frittering,,,,,frittered,frittered,,,,,,,,,,,, +orientate,,,orientates,,orientating,,,,,orientated,orientated,,,,,,,,,,,, +charter,,,charters,,chartering,,,,,chartered,chartered,,,,,,,,,,,, +tolerate,,,tolerates,,tolerating,,,,,tolerated,tolerated,,,,,,,,,,,, +pulse,,,pulses,,pulsing,,,,,pulsed,pulsed,,,,,,,,,,,, +second,,,seconds,,seconding,,,,,seconded,seconded,,,,,,,,,,,, +tether,,,tethers,,tethering,,,,,tethered,tethered,,,,,,,,,,,, +hoick,,,hoicks,,hoicking,,,,,hoicked,hoicked,,,,,,,,,,,, +blouse,,,blouses,,blousing,,,,,bloused,bloused,,,,,,,,,,,, +intermingle,,,intermingles,,intermingling,,,,,intermingled,intermingled,,,,,,,,,,,, +thunder,,,thunders,,thundering,,,,,thundered,thundered,,,,,,,,,,,, +boogie,,,boogies,,boogieing,,,,,boogied,boogied,,,,,,,,,,,, +decry,,,decries,,decrying,,,,,decried,decried,,,,,,,,,,,, +succumb,,,succumbs,,succumbing,,,,,succumbed,succumbed,,,,,,,,,,,, +cull,,,culls,,culling,,,,,culled,culled,,,,,,,,,,,, +crouch,,,crouches,,crouching,,,,,crouched,crouched,,,,,,,,,,,, +avert,,,averts,,averting,,,,,averted,averted,,,,,,,,,,,, +dogear,,,dogears,,dogearing,,,,,dogeared,dogeared,,,,,,,,,,,, +splinter,,,splinters,,splintering,,,,,splintered,splintered,,,,,,,,,,,, +herd,,,herds,,herding,,,,,herded,herded,,,,,,,,,,,, +chine,,,chines,,chining,,,,,chined,chined,,,,,,,,,,,, +freezedry,,,freezedries,,freezedrying,,,,,freezedried,freezedried,,,,,,,,,,,, +shriek,,,shrieks,,shrieking,,,,,shrieked,shrieked,,,,,,,,,,,, +chink,,,chinks,,chinking,,,,,chinked,chinked,,,,,,,,,,,, +deodorize,,,deodorizes,,deodorizing,,,,,deodorized,deodorized,,,,,,,,,,,, +elaborate,,,elaborates,,elaborating,,,,,elaborated,elaborated,,,,,,,,,,,, +yield,,,yields,,yielding,,,,,yielded,yielded,,,,,,,,,,,, +force-ripe,,,force-ripes,,force-riping,,,,,force-riped,force-riped,,,,,,,,,,,, +scutter,,,scutters,,scuttering,,,,,scuttered,scuttered,,,,,,,,,,,, +rebel,,,rebels,,rebelling,,,,,rebelled,rebelled,,,,,,,,,,,, +exuviate,,,exuviates,,exuviating,,,,,exuviated,exuviated,,,,,,,,,,,, +misprize,,,misprizes,,misprizing,,,,,misprized,misprized,,,,,,,,,,,, +divide,,,divides,,dividing,,,,,divided,divided,,,,,,,,,,,, +lengthen,,,lengthens,,lengthening,,,,,lengthened,lengthened,,,,,,,,,,,, +replace,,,replaces,,replacing,,,,,replaced,replaced,,,,,,,,,,,, +telemeter,,,telemeters,,telemetering,,,,,telemetered,telemetered,,,,,,,,,,,, +perennate,,,perennates,,perennating,,,,,perennated,perennated,,,,,,,,,,,, +blunge,,,blunges,,blunging,,,,,blunged,blunged,,,,,,,,,,,, +discommon,,,discommons,,discommoning,,,,,discommoned,discommoned,,,,,,,,,,,, +browse,,,browses,,browsing,,,,,browsed,browsed,,,,,,,,,,,, +exhort,,,exhorts,,exhorting,,,,,exhorted,exhorted,,,,,,,,,,,, +gradate,,,gradates,,gradating,,,,,gradated,gradated,,,,,,,,,,,, +untie,,,unties,,untying,,,,,untied,untied,,,,,,,,,,,, +telegraph,,,telegraphs,,telegraphing,,,,,telegraphed,telegraphed,,,,,,,,,,,, +strike,,,strikes,,striking,,,,,struck,struck,,,,,,,,,,,, +relay,,,relays,,relaying,,,,,relayed,relayed,,,,,,,,,,,, +desalt,,,desalts,,desalting,,,,,desalted,desalted,,,,,,,,,,,, +mesmerize,,,mesmerizes,,mesmerizing,,,,,mesmerized,mesmerized,,,,,,,,,,,, +sortie,,,sorties,,sortieing,,,,,sortied,sortied,,,,,,,,,,,, +holp,,,holps,,holping,,,,,holped,holped,,,,,,,,,,,, +glass,,,glasses,,glassing,,,,,glassed,glassed,,,,,,,,,,,, +export,,,exports,,exporting,,,,,exported,exported,,,,,,,,,,,, +hurl,,,hurls,,hurling,,,,,hurled,hurled,,,,,,,,,,,, +hole,,,holes,,holing,,,,,holed,holed,,,,,,,,,,,, +hold,,,holds,,holding,,,,,held,held,,,,,,,,,,,, +unpack,,,unpacks,,unpacking,,,,,unpacked,unpacked,,,,,,,,,,,, +simper,,,simpers,,simpering,,,,,simpered,simpered,,,,,,,,,,,, +pursue,,,pursues,,pursuing,,,,,pursued,pursued,,,,,,,,,,,, +debark,,,debarks,,debarking,,,,,debarked,debarked,,,,,,,,,,,, +sweeten,,,sweetens,,sweetening,,,,,sweetened,sweetened,,,,,,,,,,,, +straddle,,,straddles,,straddling,,,,,straddled,straddled,,,,,,,,,,,, +hamshackle,,,hamshackles,,hamshackling,,,,,hamshackled,hamshackled,,,,,,,,,,,, +vow,,,vows,,vowing,,,,,vowed,vowed,,,,,,,,,,,, +reword,,,rewords,,rewording,,,,,reworded,reworded,,,,,,,,,,,, +shelve,,,shelves,,shelving,,,,,shelved,shelved,,,,,,,,,,,, +exhale,,,exhales,,exhaling,,,,,exhaled,exhaled,,,,,,,,,,,, +rework,,,reworks,,reworking,,,,,reworked,reworked,,,,,,,,,,,, +scavenge,,,scavenges,,scavenging,,,,,scavenged,scavenged,,,,,,,,,,,, +phrase,,,phrases,,phrasing,,,,,phrased,phrased,,,,,,,,,,,, +triple,,,triples,,tripling,,,,,tripled,tripled,,,,,,,,,,,, +wane,,,wanes,,waning,,,,,waned,waned,,,,,,,,,,,, +wank,,,wanks,,wanking,,,,,wanked,wanked,,,,,,,,,,,, +malign,,,maligns,,maligning,,,,,maligned,maligned,,,,,,,,,,,, +caution,,,cautions,,cautioning,,,,,cautioned,cautioned,,,,,,,,,,,, +want,,,wants,,wanting,,,,,wanted,wanted,,,,,,,,,,,, +truncheon,,,truncheons,,truncheoning,,,,,truncheoned,truncheoned,,,,,,,,,,,, +dele,,,deles,,deleing,,,,,deled,deled,,,,,,,,,,,, +reprove,,,reproves,,reproving,,,,,reproved,reproved,,,,,,,,,,,, +dyke,,,dykes,,dyking,,,,,dyked,dyked,,,,,,,,,,,, +hog,,,hogs,,hogging,,,,,hogged,hogged,,,,,,,,,,,, +hoe,,,hoes,,hoing,,,,,hoed,hoed,,,,,,,,,,,, +hob,,,hobs,,hobbing,,,,,hobbed,hobbed,,,,,,,,,,,, +unclothe,,,unclothes,,unclothing,,,,,unclothed,unclothed,,,,,,,,,,,, +dimple,,,dimples,,dimpling,,,,,dimpled,dimpled,,,,,,,,,,,, +travel,,,travels,,travelling,,,,,travelled,travelled,,,,,,,,,,,, +peregrinate,,,peregrinates,,peregrinating,,,,,peregrinated,peregrinated,,,,,,,,,,,, +damage,,,damages,,damaging,,,,,damaged,damaged,,,,,,,,,,,, +cutback,,,cutbacks,,cutbacking,,,,,cutbacked,cutbacked,,,,,,,,,,,, +revisit,,,revisits,,revisiting,,,,,revisited,revisited,,,,,,,,,,,, +machine,,,machines,,machining,,,,,machined,machined,,,,,,,,,,,, +playback,,,playbacks,,playbacking,,,,,playbacked,playbacked,,,,,,,,,,,, +hop,,,hops,,hopping,,,,,hopped,hopped,,,,,,,,,,,, +hyposensitize,,,hyposensitizes,,hyposensitizing,,,,,hyposensitized,hyposensitized,,,,,,,,,,,, +classify,,,classifies,,classifying,,,,,classified,classified,,,,,,,,,,,, +turmoil,,,turmoils,,turmoiling,,,,,turmoiled,turmoiled,,,,,,,,,,,, +swing,,,swings,,swinging,,,,,swung,swung,,,,,,,,,,,, +outfight,,,outfights,,outfighting,,,,,outfought,outfought,,,,,,,,,,,, +diagram,,,diagrams,,diagramming,,,,,diagrammed,diagrammed,,,,,,,,,,,, +wrong,,,wrongs,,wronging,,,,,wronged,wronged,,,,,,,,,,,, +chump,,,chumps,,chumping,,,,,chumped,chumped,,,,,,,,,,,, +warble,,,warbles,,warbling,,,,,warbled,warbled,,,,,,,,,,,, +marginalize,,,marginalizes,,marginalizing,,,,,marginalized,marginalized,,,,,,,,,,,, +scourge,,,scourges,,scourging,,,,,scourged,scourged,,,,,,,,,,,, +revolt,,,revolts,,revolting,,,,,revolted,revolted,,,,,,,,,,,, +season,,,seasons,,seasoning,,,,,seasoned,seasoned,,,,,,,,,,,, +wink,,,winks,,winking,,,,,winked,winked,,,,,,,,,,,, +wing,,,wings,,winging,,,,,winged,winged,,,,,,,,,,,, +squint,,,squints,,squinting,,,,,squinted,squinted,,,,,,,,,,,, +wine,,,wines,,wining,,,,,wined,wined,,,,,,,,,,,, +triturate,,,triturates,,triturating,,,,,triturated,triturated,,,,,,,,,,,, +transect,,,transects,,transecting,,,,,transected,transected,,,,,,,,,,,, +confederate,,,confederates,,confederating,,,,,confederated,confederated,,,,,,,,,,,, +vary,,,varies,,varying,,,,,varied,varied,,,,,,,,,,,, +stagemanage,,,stagemanages,,stagemanaging,,,,,stagemanaged,stagemanaged,,,,,,,,,,,, +handcuff,,,handcuffs,,handcuffing,,,,,handcuffed,handcuffed,,,,,,,,,,,, +butcher,,,butchers,,butchering,,,,,butchered,butchered,,,,,,,,,,,, +wrought,,,wroughts,,wroughting,,,,,wroughted,wroughted,,,,,,,,,,,, +contuse,,,contuses,,contusing,,,,,contused,contused,,,,,,,,,,,, +entrammel,,,entrammels,,entrammelling,,,,,entrammelled,entrammelled,,,,,,,,,,,, +fix,,,fixes,,fixing,,,,,fixed,fixed,,,,,,,,,,,, +baste,,,bastes,,basting,,,,,basted,basted,,,,,,,,,,,, +secede,,,secedes,,seceding,,,,,seceded,seceded,,,,,,,,,,,, +fib,,,fibs,,fibbing,,,,,fibbed,fibbed,,,,,,,,,,,, +fig,,,figs,,figging,,,,,figged,figged,,,,,,,,,,,, +transvalue,,,transvalues,,transvaluing,,,,,transvalued,transvalued,,,,,,,,,,,, +fin,,,fins,,finning,,,,,finned,finned,,,,,,,,,,,, +undercut,,,undercuts,,undercutting,,,,,undercut,undercut,,,,,,,,,,,, +glorify,,,glorifies,,glorifying,,,,,glorified,glorified,,,,,,,,,,,, +unpeg,,,unpegs,,unpegging,,,,,unpegged,unpegged,,,,,,,,,,,, +enrich,,,enriches,,enriching,,,,,enriched,enriched,,,,,,,,,,,, +slate,,,slates,,slating,,,,,slated,slated,,,,,,,,,,,, +decarbonize,,,decarbonizes,,decarbonizing,,,,,decarbonized,decarbonized,,,,,,,,,,,, +commemorate,,,commemorates,,commemorating,,,,,commemorated,commemorated,,,,,,,,,,,, +memorialize,,,memorializes,,memorializing,,,,,memorialized,memorialized,,,,,,,,,,,, +confute,,,confutes,,confuting,,,,,confuted,confuted,,,,,,,,,,,, +interrupt,,,interrupts,,interrupting,,,,,interrupted,interrupted,,,,,,,,,,,, +silver,,,silvers,,silvering,,,,,silvered,silvered,,,,,,,,,,,, +rumour,,,rumours,,rumouring,,,,,rumoured,rumoured,,,,,,,,,,,, +defecate,,,defecates,,defecating,,,,,defecated,defecated,,,,,,,,,,,, +debut,,,debuts,,debuting,,,,,debuted,debuted,,,,,,,,,,,, +debus,,,debuses,,debusing,,,,,debused,debused,,,,,,,,,,,, +debug,,,debugs,,debugging,,,,,debugged,debugged,,,,,,,,,,,, +gumshoe,,,gumshoes,,gumshoeing,,,,,gumshoed,gumshoed,,,,,,,,,,,, +toll,,,tolls,,tolling,,,,,tolled,tolled,,,,,,,,,,,, +telescope,,,telescopes,,telescoping,,,,,telescoped,telescoped,,,,,,,,,,,, +swathe,,,,,swathing,,,,,swathed,swathed,,,,,,,,,,,, +knockout,,,,,,,,,,,,,,,,,,,,,,, +garment,,,garments,,garmenting,,,,,garmented,garmented,,,,,,,,,,,, +exhume,,,exhumes,,exhuming,,,,,exhumed,exhumed,,,,,,,,,,,, +whizz,,,whizzes,,whizzing,,,,,whizzed,whizzed,,,,,,,,,,,, +ameliorate,,,ameliorates,,ameliorating,,,,,ameliorated,ameliorated,,,,,,,,,,,, +allay,,,allays,,allaying,,,,,allayed,allayed,,,,,,,,,,,, +whirr,,,whirs,,whirring,,,,,whirred,whirred,,,,,,,,,,,, +ring,,,rings,,ringing,,,,,rung,rung,,,,,,,,,,,, +overwrite,,,overwrites,,overwriting,,,,,overwrote,overwritten,,,,,,,,,,,, +smirk,,,smirks,,smirking,,,,,smirked,smirked,,,,,,,,,,,, +waive,,,waives,,waiving,,,,,waived,waived,,,,,,,,,,,, +freeze,,,freezes,,freezing,,,,,froze,frozen,,,,,,,,,,,, +mason,,,masons,,masoning,,,,,masoned,masoned,,,,,,,,,,,, +unclog,,,unclogs,,unclogging,,,,,unclogged,unclogged,,,,,,,,,,,, +nomadize,,,nomadizes,,nomadizing,,,,,nomadized,nomadized,,,,,,,,,,,, +encourage,,,encourages,,encouraging,,,,,encouraged,encouraged,,,,,,,,,,,, +adapt,,,adapts,,adapting,,,,,adapted,adapted,,,,,,,,,,,, +teeter,,,teeters,,teetering,,,,,teetered,teetered,,,,,,,,,,,, +smart,,,smarts,,smarting,,,,,smarted,smarted,,,,,,,,,,,, +waddle,,,waddles,,waddling,,,,,waddled,waddled,,,,,,,,,,,, +roquet,,,roquets,,roqueting,,,,,roqueted,roqueted,,,,,,,,,,,, +inscribe,,,inscribes,,inscribing,,,,,inscribed,inscribed,,,,,,,,,,,, +outmarch,,,outmarches,,outmarching,,,,,outmarched,outmarched,,,,,,,,,,,, +broil,,,broils,,broiling,,,,,broiled,broiled,,,,,,,,,,,, +knit,,,knits,,knitting,,,,,knitted,knitted,,,,,,,,,,,, +quickstep,,,quicksteps,,quickstepping,,,,,quickstepped,quickstepped,,,,,,,,,,,, +interpage,,,interpages,,interpaging,,,,,interpaged,interpaged,,,,,,,,,,,, +superscribe,,,superscribes,,superscribing,,,,,superscribed,superscribed,,,,,,,,,,,, +connive,,,connives,,conniving,,,,,connived,connived,,,,,,,,,,,, +machinegun,,,machineguns,,machineguning,,,,,machineguned,machineguned,,,,,,,,,,,, +untread,,,untreads,,untreading,,,,,untrod,untrodden,,,,,,,,,,,, +spindle,,,spindles,,spindling,,,,,spindled,spindled,,,,,,,,,,,, +symbolize,,,symbolizes,,symbolizing,,,,,symbolized,symbolized,,,,,,,,,,,, +stripe,,,stripes,,striping,,,,,striped,striped,,,,,,,,,,,, +deforce,,,deforces,,deforcing,,,,,deforced,deforced,,,,,,,,,,,, +ogle,,,ogles,,ogling,,,,,ogled,ogled,,,,,,,,,,,, +haggle,,,haggles,,haggling,,,,,haggled,haggled,,,,,,,,,,,, +goggle,,,goggles,,goggling,,,,,goggled,goggled,,,,,,,,,,,, +misplace,,,misplaces,,misplacing,,,,,misplaced,misplaced,,,,,,,,,,,, +procreate,,,procreates,,procreating,,,,,procreated,procreated,,,,,,,,,,,, +wash,,,washes,,washing,,,,,washed,washed,,,,,,,,,,,, +instruct,,,instructs,,instructing,,,,,instructed,instructed,,,,,,,,,,,, +declaim,,,declaims,,declaiming,,,,,declaimed,declaimed,,,,,,,,,,,, +service,,,services,,servicing,,,,,serviced,serviced,,,,,,,,,,,, +replevin,,,replevins,,replevining,,,,,replevined,replevined,,,,,,,,,,,, +aircondition,,,airconditions,,airconditioning,,,,,airconditioned,airconditioned,,,,,,,,,,,, +traumatize,,,traumatizes,,traumatizing,,,,,traumatized,traumatized,,,,,,,,,,,, +rone,,,rones,,roning,,,,,roned,roned,,,,,,,,,,,, +stack,,,stacks,,stacking,,,,,stacked,stacked,,,,,,,,,,,, +master,,,masters,,mastering,,,,,mastered,mastered,,,,,,,,,,,, +underlie,,,underlies,,underlying,,,,,underlay,underlain,,,,,,,,,,,, +postulate,,,postulates,,postulating,,,,,postulated,postulated,,,,,,,,,,,, +bitter,,,bitters,,bittering,,,,,bittered,bittered,,,,,,,,,,,, +listen,,,listens,,listening,,,,,listened,listened,,,,,,,,,,,, +abirritate,,,abirritates,,abirritating,,,,,abirritated,abirritated,,,,,,,,,,,, +enthrall,,,enthrals,,enthralling,,,,,enthralled,enthralled,,,,,,,,,,,, +supercalender,,,supercalenders,,supercalendering,,,,,supercalendered,supercalendered,,,,,,,,,,,, +innerve,,,innerves,,innerving,,,,,innerved,innerved,,,,,,,,,,,, +emaciate,,,emaciates,,emaciating,,,,,emaciated,emaciated,,,,,,,,,,,, +task,,,tasks,,tasking,,,,,tasked,tasked,,,,,,,,,,,, +crawl,,,crawls,,crawling,,,,,crawled,crawled,,,,,,,,,,,, +white,,,whites,,whiting,,,,,whited,whited,,,,,,,,,,,, +trek,,,treks,,trekking,,,,,trekked,trekked,,,,,,,,,,,, +outlay,,,outlays,,outlaying,,,,,outlaid,outlaid,,,,,,,,,,,, +outlaw,,,outlaws,,outlawing,,,,,outlawed,outlawed,,,,,,,,,,,, +tree,,,trees,,treeing,,,,,treed,treed,,,,,,,,,,,, +project,,,projects,,projecting,,,,,projected,projected,,,,,,,,,,,, +enwind,,,enwinds,,enwinding,,,,,enwound,enwound,,,,,,,,,,,, +idle,,,idles,,idling,,,,,idled,idled,,,,,,,,,,,, +endure,,,endures,,enduring,,,,,endured,endured,,,,,,,,,,,, +halve,,,,,halving,,,,,halved,halved,,,,,,,,,,,, +acclaim,,,acclaims,,acclaiming,,,,,acclaimed,acclaimed,,,,,,,,,,,, +napalm,,,napalms,,napalming,,,,,napalmed,napalmed,,,,,,,,,,,, +hug,,,hugs,,hugging,,,,,hugged,hugged,,,,,,,,,,,, +urinate,,,urinates,,urinating,,,,,urinated,urinated,,,,,,,,,,,, +preponderate,,,preponderates,,preponderating,,,,,preponderated,preponderated,,,,,,,,,,,, +kayo,,,kayos,,kayoing,,,,,kayoed,kayoed,,,,,,,,,,,, +alkalize,,,alkalizes,,alkalizing,,,,,alkalized,alkalized,,,,,,,,,,,, +gripe,,,gripes,,griping,,,,,griped,griped,,,,,,,,,,,, +indite,,,indites,,inditing,,,,,indited,indited,,,,,,,,,,,, +ambuscade,,,ambuscades,,ambuscading,,,,,ambuscaded,ambuscaded,,,,,,,,,,,, +pander,,,panders,,pandering,,,,,pandered,pandered,,,,,,,,,,,, +shall,,,shalls,,shalling,,,,,shalled,shalled,shan't,,,,,,,,,,, +overscore,,,overscores,,overscoring,,,,,overscored,overscored,,,,,,,,,,,, +object,,,objects,,objecting,,,,,objected,objected,,,,,,,,,,,, +impropriate,,,impropriates,,impropriating,,,,,impropriated,impropriated,,,,,,,,,,,, +simplify,,,simplifies,,simplifying,,,,,simplified,simplified,,,,,,,,,,,, +mouth,,,mouths,,mouthing,,,,,mouthed,mouthed,,,,,,,,,,,, +addict,,,addicts,,addicting,,,,,addicted,addicted,,,,,,,,,,,, +letter,,,letters,,lettering,,,,,lettered,lettered,,,,,,,,,,,, +fluster,,,flusters,,flustering,,,,,flustered,flustered,,,,,,,,,,,, +shalt,,,shalts,,shalting,,,,,shalted,shalted,,,,,,,,,,,, +encipher,,,enciphers,,enciphering,,,,,enciphered,enciphered,,,,,,,,,,,, +dummy,,,dummies,,dummying,,,,,dummied,dummied,,,,,,,,,,,, +upend,,,upends,,upending,,,,,upended,upended,,,,,,,,,,,, +nasalize,,,nasalizes,,nasalizing,,,,,nasalized,nasalized,,,,,,,,,,,, +foist,,,foists,,foisting,,,,,foisted,foisted,,,,,,,,,,,, +camp,,,camps,,camping,,,,,camped,camped,,,,,,,,,,,, +departmentalize,,,departmentalizes,,departmentalizing,,,,,departmentalized,departmentalized,,,,,,,,,,,, +nettle,,,nettles,,nettling,,,,,nettled,nettled,,,,,,,,,,,, +disaffect,,,disaffects,,disaffecting,,,,,disaffected,disaffected,,,,,,,,,,,, +consummate,,,consummates,,consummating,,,,,consummated,consummated,,,,,,,,,,,, +screak,,,screaks,,screaking,,,,,screaked,screaked,,,,,,,,,,,, +scream,,,screams,,screaming,,,,,screamed,screamed,,,,,,,,,,,, +marvel,,,marvels,,marvelling,,,,,marvelled,marvelled,,,,,,,,,,,, +mortise,,,mortises,,mortising,,,,,mortised,mortised,,,,,,,,,,,, +incorporate,,,incorporates,,incorporating,,,,,incorporated,incorporated,,,,,,,,,,,, +bomb,,,bombs,,bombing,,,,,bombed,bombed,,,,,,,,,,,, +dicker,,,dickers,,dickering,,,,,dickered,dickered,,,,,,,,,,,, +prig,,,prigs,,prigging,,,,,prigged,prigged,,,,,,,,,,,, +reschedule,,,reschedules,,rescheduling,,,,,rescheduled,rescheduled,,,,,,,,,,,, +concentre,,,concentres,,concentring,,,,,concentred,concentred,,,,,,,,,,,, +striate,,,striates,,striating,,,,,striated,striated,,,,,,,,,,,, +participate,,,participates,,participating,,,,,participated,participated,,,,,,,,,,,, +caper,,,capers,,capering,,,,,capered,capered,,,,,,,,,,,, +busy,,,busies,,busying,,,,,busied,busied,,,,,,,,,,,, +headline,,,headlines,,headlining,,,,,headlined,headlined,,,,,,,,,,,, +buss,,,,,,,,,,,,,,,,,,,,,,, +faradize,,,faradizes,,faradizing,,,,,faradized,faradized,,,,,,,,,,,, +bust,,,busts,,busting,,,,,busted,busted,,,,,,,,,,,, +busk,,,busks,,busking,,,,,busked,busked,,,,,,,,,,,, +bush,,,bushes,,bushing,,,,,bushed,bushed,,,,,,,,,,,, +rick,,,ricks,,ricking,,,,,ricked,ricked,,,,,,,,,,,, +mend,,,mends,,mending,,,,,mended,mended,,,,,,,,,,,, +rice,,,rices,,ricing,,,,,riced,riced,,,,,,,,,,,, +plate,,,plates,,plating,,,,,plated,plated,,,,,,,,,,,, +Gallicize,,,Gallicizes,,Gallicizing,,,,,Gallicized,Gallicized,,,,,,,,,,,, +remarry,,,remarries,,remarrying,,,,,remarried,remarried,,,,,,,,,,,, +preempt,,,preempts,,preempting,,,,,preempted,preempted,,,,,,,,,,,, +denounce,,,denounces,,denouncing,,,,,denounced,denounced,,,,,,,,,,,, +ceil,,,ceils,,ceiling,,,,,ceiled,ceiled,,,,,,,,,,,, +pocket,,,pockets,,pocketing,,,,,pocketed,pocketed,,,,,,,,,,,, +euphonize,,,euphonizes,,euphonizing,,,,,euphonized,euphonized,,,,,,,,,,,, +cushion,,,cushions,,cushioning,,,,,cushioned,cushioned,,,,,,,,,,,, +relish,,,relishes,,relishing,,,,,relished,relished,,,,,,,,,,,, +enrobe,,,enrobes,,enrobing,,,,,enrobed,enrobed,,,,,,,,,,,, +patch,,,patches,,patching,,,,,patched,patched,,,,,,,,,,,, +release,,,releases,,releasing,,,,,released,released,,,,,,,,,,,, +urticate,,,urticates,,urticating,,,,,urticated,urticated,,,,,,,,,,,, +hasten,,,hastens,,hastening,,,,,hastened,hastened,,,,,,,,,,,, +respond,,,responds,,responding,,,,,responded,responded,,,,,,,,,,,, +traverse,,,traverses,,traversing,,,,,traversed,traversed,,,,,,,,,,,, +fair,,,fairs,,fairing,,,,,faired,faired,,,,,,,,,,,, +clew,,,clews,,clewing,,,,,clewed,clewed,,,,,,,,,,,, +result,,,results,,resulting,,,,,resulted,resulted,,,,,,,,,,,, +clem,,,clems,,clemming,,,,,clemmed,clemmed,,,,,,,,,,,, +fail,,,fails,,failing,,,,,failed,failed,,,,,,,,,,,, +internationalize,,,internationalizes,,internationalizing,,,,,internationalized,internationalized,,,,,,,,,,,, +cockle,,,cockles,,cockling,,,,,cockled,cockled,,,,,,,,,,,, +hammer,,,hammers,,hammering,,,,,hammered,hammered,,,,,,,,,,,, +best,,,bests,,besting,,,,,bested,bested,,,,,,,,,,,, +irk,,,irks,,irking,,,,,irked,irked,,,,,,,,,,,, +flagellate,,,flagellates,,flagellating,,,,,flagellated,flagellated,,,,,,,,,,,, +scorn,,,scorns,,scorning,,,,,scorned,scorned,,,,,,,,,,,, +vociferate,,,vociferates,,vociferating,,,,,vociferated,vociferated,,,,,,,,,,,, +pirate,,,pirates,,pirating,,,,,pirated,pirated,,,,,,,,,,,, +hopple,,,hopples,,hoppling,,,,,hoppled,hoppled,,,,,,,,,,,, +wage,,,wages,,waging,,,,,waged,waged,,,,,,,,,,,, +pigstick,,,pigsticks,,pigsticking,,,,,pigsticked,pigsticked,,,,,,,,,,,, +extend,,,extends,,extending,,,,,extended,extended,,,,,,,,,,,, +quadruplicate,,,quadruplicates,,quadruplicating,,,,,quadruplicated,quadruplicated,,,,,,,,,,,, +personalize,,,personalizes,,personalizing,,,,,personalized,personalized,,,,,,,,,,,, +reconstitute,,,reconstitutes,,reconstituting,,,,,reconstituted,reconstituted,,,,,,,,,,,, +wheelbarrow,,,wheelbarrows,,wheelbarrowing,,,,,wheelbarrowed,wheelbarrowed,,,,,,,,,,,, +downgrade,,,downgrades,,downgrading,,,,,downgraded,downgraded,,,,,,,,,,,, +wherrit,,,wherrits,,wherriting,,,,,wherrited,wherrited,,,,,,,,,,,, +pity,,,pities,,pitying,,,,,pitied,pitied,,,,,,,,,,,, +veer,,,veers,,veering,,,,,veered,veered,,,,,,,,,,,, +disdain,,,disdains,,disdaining,,,,,disdained,disdained,,,,,,,,,,,, +incense,,,incenses,,incensing,,,,,incensed,incensed,,,,,,,,,,,, +pith,,,piths,,pithing,,,,,pithed,pithed,,,,,,,,,,,, +sublime,,,sublimes,,subliming,,,,,sublimed,sublimed,,,,,,,,,,,, +argue,,,argues,,arguing,,,,,argued,argued,,,,,,,,,,,, +tinge,,,tinges,,tingeing,,,,,tinged,tinged,,,,,,,,,,,, +schmooze,,,schmoozes,,schmoozing,,,,,schmoozed,schmoozed,,,,,,,,,,,, +eradicate,,,eradicates,,eradicating,,,,,eradicated,eradicated,,,,,,,,,,,, +rehash,,,rehashes,,rehashing,,,,,rehashed,rehashed,,,,,,,,,,,, +examine-in-chief,,,,,,,,,,,,,,,,,,,,,,, +vail,,,vails,,vailing,,,,,vailed,vailed,,,,,,,,,,,, +extravasate,,,extravasates,,extravasating,,,,,extravasated,extravasated,,,,,,,,,,,, +agglomerate,,,agglomerates,,agglomerating,,,,,agglomerated,agglomerated,,,,,,,,,,,, +factorize,,,factorizes,,factorizing,,,,,factorized,factorized,,,,,,,,,,,, +escalade,,,escalades,,escalading,,,,,escaladed,escaladed,,,,,,,,,,,, +vitrify,,,vitrifies,,vitrifying,,,,,vitrified,vitrified,,,,,,,,,,,, +penalize,,,penalizes,,penalizing,,,,,penalized,penalized,,,,,,,,,,,, +vellicate,,,vellicates,,vellicating,,,,,vellicated,vellicated,,,,,,,,,,,, +bewilder,,,bewilders,,bewildering,,,,,bewildered,bewildered,,,,,,,,,,,, +parley,,,parleys,,parleying,,,,,parleyed,parleyed,,,,,,,,,,,, +chrome,,,chromes,,chroming,,,,,chromed,chromed,,,,,,,,,,,, +slay,,,slays,,slaying,,,,,slew,slain,,,,,,,,,,,, +subside,,,subsides,,subsiding,,,,,subsided,subsided,,,,,,,,,,,, +advert,,,adverts,,adverting,,,,,adverted,adverted,,,,,,,,,,,, +privilege,,,privileges,,privileging,,,,,privileged,privileged,,,,,,,,,,,, +fry,,,fries,,frying,,,,,fried,fried,,,,,,,,,,,, +mothball,,,mothballs,,mothballing,,,,,mothballed,mothballed,,,,,,,,,,,, +counterattack,,,counterattacks,,counterattacking,,,,,counterattacked,counterattacked,,,,,,,,,,,, +dry,,,dries,,drying,,,,,dried,dried,,,,,,,,,,,, +retrospect,,,retrospects,,retrospecting,,,,,retrospected,retrospected,,,,,,,,,,,, +spit,,,spits,,spitting,,,,,spit,spit,,,,,,,,,,,, +intermarry,,,intermarries,,intermarrying,,,,,intermarried,intermarried,,,,,,,,,,,, +wish,,,wishes,,wishing,,,,,wished,wished,,,,,,,,,,,, +snap,,,snaps,,snapping,,,,,snapped,snapped,,,,,,,,,,,, +joust,,,jousts,,jousting,,,,,jousted,jousted,,,,,,,,,,,, +lift,,,lifts,,lifting,,,,,lifted,lifted,,,,,,,,,,,, +incommode,,,incommodes,,incommoding,,,,,incommoded,incommoded,,,,,,,,,,,, +toboggan,,,toboggans,,tobogganing,,,,,tobogganed,tobogganed,,,,,,,,,,,, +dote,,,dotes,,doting,,,,,doted,doted,,,,,,,,,,,, +spin,,,spins,,spinning,,,,,spun,spun,,,,,,,,,,,, +excorciate,,,excorciates,,excorciating,,,,,excorciated,excorciated,,,,,,,,,,,, +chill,,,chills,,chilling,,,,,chilled,chilled,,,,,,,,,,,, +iodize,,,iodizes,,iodizing,,,,,iodized,iodized,,,,,,,,,,,, +dissect,,,dissects,,dissecting,,,,,dissected,dissected,,,,,,,,,,,, +overweigh,,,overweighs,,overweighing,,,,,overweighed,overweighed,,,,,,,,,,,, +employ,,,employs,,employing,,,,,employed,employed,,,,,,,,,,,, +prostrate,,,prostrates,,prostrating,,,,,prostrated,prostrated,,,,,,,,,,,, +bin,,,bins,,binning,,,,,binned,binned,,,,,,,,,,,, +phosphoresce,,,phosphoresces,,phosphorescing,,,,,phosphoresced,phosphoresced,,,,,,,,,,,, +characterize,,,characterizes,,characterizing,,,,,characterized,characterized,,,,,,,,,,,, +elicit,,,elicits,,eliciting,,,,,elicited,elicited,,,,,,,,,,,, +transfuse,,,transfuses,,transfusing,,,,,transfused,transfused,,,,,,,,,,,, +hone,,,hones,,honing,,,,,honed,honed,,,,,,,,,,,, +credit,,,credits,,crediting,,,,,credited,credited,,,,,,,,,,,, +remand,,,remands,,remanding,,,,,remanded,remanded,,,,,,,,,,,, +decant,,,decants,,decanting,,,,,decanted,decanted,,,,,,,,,,,, +split,,,splits,,splitting,,,,,split,split,,,,,,,,,,,, +heathenize,,,heathenizes,,heathenizing,,,,,heathenized,heathenized,,,,,,,,,,,, +personify,,,personifies,,personifying,,,,,personified,personified,,,,,,,,,,,, +pipette,,,pipettes,,pipetting,,,,,pipetted,pipetted,,,,,,,,,,,, +refit,,,refits,,refitting,,,,,refitted,refitted,,,,,,,,,,,, +misdoubt,,,misdoubts,,misdoubting,,,,,misdoubted,misdoubted,,,,,,,,,,,, +titivate,,,titivates,,titivating,,,,,titivated,titivated,,,,,,,,,,,, +supper,,,suppers,,suppering,,,,,suppered,suppered,,,,,,,,,,,, +tope,,,topes,,toping,,,,,toped,toped,,,,,,,,,,,, +tune,,,tunes,,tuning,,,,,tuned,tuned,,,,,,,,,,,, +furlough,,,furloughs,,furloughing,,,,,furloughed,furloughed,,,,,,,,,,,, +jargonize,,,jargonizes,,jargonizing,,,,,jargonized,jargonized,,,,,,,,,,,, +cannibalize,,,cannibalizes,,cannibalizing,,,,,cannibalized,cannibalized,,,,,,,,,,,, +unhook,,,unhooks,,unhooking,,,,,unhooked,unhooked,,,,,,,,,,,, +subpoena,,,subpoenas,,subpoenaing,,,,,subpoenaed,subpoenaed,,,,,,,,,,,, +abound,,,abounds,,abounding,,,,,abounded,abounded,,,,,,,,,,,, +bellow,,,bellows,,bellowing,,,,,bellowed,bellowed,,,,,,,,,,,, +distribute,,,distributes,,distributing,,,,,distributed,distributed,,,,,,,,,,,, +beset,,,besets,,besetting,,,,,beset,beset,,,,,,,,,,,, +disguise,,,disguises,,disguising,,,,,disguised,disguised,,,,,,,,,,,, +prognosticate,,,prognosticates,,prognosticating,,,,,prognosticated,prognosticated,,,,,,,,,,,, +plight,,,plights,,plighting,,,,,plighted,plighted,,,,,,,,,,,, +brandish,,,brandishes,,brandishing,,,,,brandished,brandished,,,,,,,,,,,, +lasso,,,lassos,,lassoing,,,,,lassoed,lassoed,,,,,,,,,,,, +indue,,,indues,,induing,,,,,indued,indued,,,,,,,,,,,, +ham,,,hams,,hamming,,,,,hammed,hammed,,,,,,,,,,,, +aquaplane,,,aquaplanes,,aquaplaning,,,,,aquaplaned,aquaplaned,,,,,,,,,,,, +ease,,,eases,,easing,,,,,eased,eased,,,,,,,,,,,, +hay,,,hays,,haying,,,,,hayed,hayed,,,,,,,,,,,, +falter,,,falters,,faltering,,,,,faltered,faltered,,,,,,,,,,,, +hat,,,hats,,hatting,,,,,hatted,hatted,,,,,,,,,,,, +haw,,,haws,,hawing,,,,,hawed,hawed,,,,,,,,,,,, +footle,,,footles,,footling,,,,,footled,footled,,,,,,,,,,,, +testfire,,,testfires,,testfiring,,,,,testfired,testfired,,,,,,,,,,,, +collectivize,,,collectivizes,,collectivizing,,,,,collectivized,collectivized,,,,,,,,,,,, +birth,,,births,,birthing,,,,,birthed,birthed,,,,,,,,,,,, +roister,,,roisters,,roistering,,,,,roistered,roistered,,,,,,,,,,,, +shadow,,,shadows,,shadowing,,,,,shadowed,shadowed,,,,,,,,,,,, +summons,,,summonses,,summonsing,,,,,summonsed,summonsed,,,,,,,,,,,, +desire,,,desires,,desiring,,,,,desired,desired,,,,,,,,,,,, +seek,,,seeks,,seeking,,,,,sought,sought,,,,,,,,,,,, +disaccustom,,,disaccustoms,,disaccustoming,,,,,disaccustomed,disaccustomed,,,,,,,,,,,, +altercate,,,altercates,,altercating,,,,,altercated,altercated,,,,,,,,,,,, +remind,,,reminds,,reminding,,,,,reminded,reminded,,,,,,,,,,,, +sectarianize,,,sectarianizes,,sectarianizing,,,,,sectarianized,sectarianized,,,,,,,,,,,, +prologue,,,prologues,,prologuing,,,,,prologued,prologued,,,,,,,,,,,, +right,,,rights,,righting,,,,,righted,righted,,,,,,,,,,,, +crowd,,,crowds,,crowding,,,,,crowded,crowded,,,,,,,,,,,, +people,,,peoples,,peopling,,,,,peopled,peopled,,,,,,,,,,,, +scathe,,,scathes,,scathing,,,,,scathed,scathed,,,,,,,,,,,, +crown,,,crowns,,crowning,,,,,crowned,crowned,,,,,,,,,,,, +outgeneral,,,outgenerals,,outgeneralling,,,,,outgeneralled,outgeneralled,,,,,,,,,,,, +mishit,,,mishits,,mishitting,,,,,mishit,mishit,,,,,,,,,,,, +desensitize,,,desensitizes,,desensitizing,,,,,desensitized,desensitized,,,,,,,,,,,, +demineralize,,,demineralizes,,demineralizing,,,,,demineralized,demineralized,,,,,,,,,,,, +prick,,,pricks,,pricking,,,,,pricked,pricked,,,,,,,,,,,, +animate,,,animates,,animating,,,,,animated,animated,,,,,,,,,,,, +creep,,,creeps,,creeping,,,,,crept,crept,,,,,,,,,,,, +chorus,,,choruses,,chorusing,,,,,chorused,chorused,,,,,,,,,,,, +blackleg,,,blacklegs,,blacklegging,,,,,blacklegged,blacklegged,,,,,,,,,,,, +rehearse,,,rehearses,,rehearsing,,,,,rehearsed,rehearsed,,,,,,,,,,,, +fox,,,foxes,,foxing,,,,,foxed,foxed,,,,,,,,,,,, +subclass,,,subclasses,,subclassing,,,,,subclassed,subclassed,,,,,,,,,,,, +fog,,,fogs,,fogging,,,,,fogged,fogged,,,,,,,,,,,, +fob,,,fobs,,fobbing,,,,,fobbed,fobbed,,,,,,,,,,,, +germinate,,,germinates,,germinating,,,,,germinated,germinated,,,,,,,,,,,, +preside,,,presides,,presiding,,,,,presided,presided,,,,,,,,,,,, +collet,,,collets,,colleting,,,,,colleted,colleted,,,,,,,,,,,, +trampoline,,,trampolines,,trampolining,,,,,trampolined,trampolined,,,,,,,,,,,, +regorge,,,regorges,,regorging,,,,,regorged,regorged,,,,,,,,,,,, +yoke,,,yokes,,yoking,,,,,yoked,yoked,,,,,,,,,,,, +digitalize,,,digitalizes,,digitalizing,,,,,digitalized,digitalized,,,,,,,,,,,, +intenerate,,,intenerates,,intenerating,,,,,intenerated,intenerated,,,,,,,,,,,, +slither,,,slithers,,slithering,,,,,slithered,slithered,,,,,,,,,,,, +lackey,,,lackeys,,lackeying,,,,,lackeyed,lackeyed,,,,,,,,,,,, +autotomize,,,autotomizes,,autotomizing,,,,,autotomized,autotomized,,,,,,,,,,,, +recollect,,,recollects,,recollecting,,,,,recollected,recollected,,,,,,,,,,,, +reticulate,,,reticulates,,reticulating,,,,,reticulated,reticulated,,,,,,,,,,,, +Platonize,,,Platonizes,,Platonizing,,,,,Platonized,Platonized,,,,,,,,,,,, +meddle,,,meddles,,meddling,,,,,meddled,meddled,,,,,,,,,,,, +sob,,,sobs,,sobbing,,,,,sobbed,sobbed,,,,,,,,,,,, +overshadow,,,overshadows,,overshadowing,,,,,overshadowed,overshadowed,,,,,,,,,,,, +honeymoon,,,honeymoons,,honeymooning,,,,,honeymooned,honeymooned,,,,,,,,,,,, +overgrow,,,overgrows,,overgrowing,,,,,overgrew,overgrown,,,,,,,,,,,, +administer,,,administers,,administering,,,,,administered,administered,,,,,,,,,,,, +multiply,,,multiplies,,multiplying,,,,,multiplied,multiplied,,,,,,,,,,,, +inhume,,,inhumes,,inhuming,,,,,inhumed,inhumed,,,,,,,,,,,, +swelter,,,swelters,,sweltering,,,,,sweltered,sweltered,,,,,,,,,,,, +sow,,,sows,,sowing,,,,,sowed,sown,,,,,,,,,,,, +mambo,,,mambos,,mamboing,,,,,mamboed,mamboed,,,,,,,,,,,, +resile,,,resiles,,resiling,,,,,resiled,resiled,,,,,,,,,,,, +nid-nod,,,nid-nods,,nid-nodding,,,,,nid-nodded,nid-nodded,,,,,,,,,,,, +hallo,,,hallos,,,,,,,,,,,,,,,,,,,, +suffice,,,suffices,,sufficing,,,,,sufficed,sufficed,,,,,,,,,,,, +decussate,,,decussates,,decussating,,,,,decussated,decussated,,,,,,,,,,,, +tame,,,tames,,taming,,,,,tamed,tamed,,,,,,,,,,,, +avail,,,avails,,availing,,,,,availed,availed,,,,,,,,,,,, +furcate,,,furcates,,furcating,,,,,furcated,furcated,,,,,,,,,,,, +tamp,,,tamps,,tamping,,,,,tamped,tamped,,,,,,,,,,,, +overhand,,,overhands,,overhanding,,,,,overhanded,overhanded,,,,,,,,,,,, +overhang,,,overhangs,,overhanging,,,,,overhung,overhung,,,,,,,,,,,, +subtend,,,subtends,,subtending,,,,,subtended,subtended,,,,,,,,,,,, +bowse,,,bowses,,bowsing,,,,,bowsed,bowsed,,,,,,,,,,,, +offer,,,offers,,offering,,,,,offered,offered,,,,,,,,,,,, +unroot,,,unroots,,unrooting,,,,,unrooted,unrooted,,,,,,,,,,,, +straggle,,,straggles,,straggling,,,,,straggled,straggled,,,,,,,,,,,, +safeguard,,,safeguards,,safeguarding,,,,,safeguarded,safeguarded,,,,,,,,,,,, +duel,,,duels,,duelling,,,,,duelled,duelled,,,,,,,,,,,, +misinform,,,misinforms,,misinforming,,,,,misinformed,misinformed,,,,,,,,,,,, +transliterate,,,transliterates,,transliterating,,,,,transliterated,transliterated,,,,,,,,,,,, +pontificate,,,pontificates,,pontificating,,,,,pontificated,pontificated,,,,,,,,,,,, +communize,,,communizes,,communizing,,,,,communized,communized,,,,,,,,,,,, +discountenance,,,discountenances,,discountenancing,,,,,discountenanced,discountenanced,,,,,,,,,,,, +disgrace,,,disgraces,,disgracing,,,,,disgraced,disgraced,,,,,,,,,,,, +sight,,,sights,,sighting,,,,,sighted,sighted,,,,,,,,,,,, +suborn,,,suborns,,suborning,,,,,suborned,suborned,,,,,,,,,,,, +unnerve,,,unnerves,,unnerving,,,,,unnerved,unnerved,,,,,,,,,,,, +grabble,,,grabbles,,grabbling,,,,,grabbled,grabbled,,,,,,,,,,,, +crumble,,,crumbles,,crumbling,,,,,crumbled,crumbled,,,,,,,,,,,, +soothe,,,soothes,,soothing,,,,,soothed,soothed,,,,,,,,,,,, +exist,,,exists,,existing,,,,,existed,existed,,,,,,,,,,,, +splotch,,,splotches,,splotching,,,,,splotched,splotched,,,,,,,,,,,, +blackmarket,,,blackmarkets,,blackmarketing,,,,,blackmarketed,blackmarketed,,,,,,,,,,,, +leer,,,leers,,leering,,,,,leered,leered,,,,,,,,,,,, +floor,,,floors,,flooring,,,,,floored,floored,,,,,,,,,,,, +canonize,,,canonizes,,canonizing,,,,,canonized,canonized,,,,,,,,,,,, +relax,,,relaxes,,relaxing,,,,,relaxed,relaxed,,,,,,,,,,,, +flood,,,floods,,flooding,,,,,flooded,flooded,,,,,,,,,,,, +desecrate,,,desecrates,,desecrating,,,,,desecrated,desecrated,,,,,,,,,,,, +plasmolyze,,,plasmolyzes,,plasmolyzing,,,,,plasmolyzed,plasmolyzed,,,,,,,,,,,, +snick,,,snicks,,snicking,,,,,snicked,snicked,,,,,,,,,,,, +smell,,,smells,,smelling,,,,,smelt,smelled,,,,,,,,,,,, +circumcise,,,circumcises,,circumcising,,,,,circumcised,circumcised,,,,,,,,,,,, +'s,,,,,,,,'s,,'s,,,,,,,,,,,,, +gettogether,,,,,,,,,,,,,,,,,,,,,,, +valuate,,,valuates,,valuating,,,,,valuated,valuated,,,,,,,,,,,, +asterisk,,,asterisks,,asterisking,,,,,asterisked,asterisked,,,,,,,,,,,, +superadd,,,superadds,,superadding,,,,,superadded,superadded,,,,,,,,,,,, +substract,,,substracts,,substracting,,,,,substracted,substracted,,,,,,,,,,,, +foxhunt,,,foxhunts,,foxhunting,,,,,foxhunted,foxhunted,,,,,,,,,,,, +objectify,,,objectifies,,objectifying,,,,,objectified,objectified,,,,,,,,,,,, +snooze,,,snoozes,,snoozing,,,,,snoozed,snoozed,,,,,,,,,,,, +intrust,,,intrusts,,intrusting,,,,,intrusted,intrusted,,,,,,,,,,,, +hurt,,,hurts,,hurting,,,,,hurt,hurt,,,,,,,,,,,, +warn,,,warns,,warning,,,,,warned,warned,,,,,,,,,,,, +diadem,,,diadems,,diademing,,,,,diademed,diademed,,,,,,,,,,,, +time,,,times,,timing,,,,,timed,timed,,,,,,,,,,,, +push,,,pushes,,pushing,,,,,pushed,pushed,,,,,,,,,,,, +frenzy,,,frenzies,,frenzying,,,,,frenzied,frenzied,,,,,,,,,,,, +gown,,,gowns,,gowning,,,,,gowned,gowned,,,,,,,,,,,, +moither,,,moithers,,moithering,,,,,moithered,moithered,,,,,,,,,,,, +chain,,,chains,,chaining,,,,,chained,chained,,,,,,,,,,,, +interspace,,,interspaces,,interspacing,,,,,interspaced,interspaced,,,,,,,,,,,, +ruddle,,,ruddles,,ruddling,,,,,ruddled,ruddled,,,,,,,,,,,, +avalanche,,,avalanches,,avalanching,,,,,avalanched,avalanched,,,,,,,,,,,, +peninsulate,,,peninsulates,,peninsulating,,,,,peninsulated,peninsulated,,,,,,,,,,,, +convoy,,,convoys,,convoying,,,,,convoyed,convoyed,,,,,,,,,,,, +chair,,,chairs,,chairing,,,,,chaired,chaired,,,,,,,,,,,, +retrofit,,,retrofits,,retrofitting,,,,,retrofitted,retrofitted,,,,,,,,,,,, +vet,,,vets,,vetting,,,,,vetted,vetted,,,,,,,,,,,, +freelance,,,freelances,,freelancing,,,,,freelanced,freelanced,,,,,,,,,,,, +vex,,,vexes,,vexing,,,,,vexed,vexed,,,,,,,,,,,, +crater,,,craters,,cratering,,,,,cratered,cratered,,,,,,,,,,,, +syllogize,,,syllogizes,,syllogizing,,,,,syllogized,syllogized,,,,,,,,,,,, +splutter,,,splutters,,spluttering,,,,,spluttered,spluttered,,,,,,,,,,,, +persevere,,,perseveres,,persevering,,,,,persevered,persevered,,,,,,,,,,,, +ingather,,,ingathers,,ingathering,,,,,ingathered,ingathered,,,,,,,,,,,, +jerk,,,jerks,,jerking,,,,,jerked,jerked,,,,,,,,,,,, +argufy,,,argufies,,argufying,,,,,argufied,argufied,,,,,,,,,,,, +refinance,,,refinances,,refinancing,,,,,refinanced,refinanced,,,,,,,,,,,, +embark,,,embarks,,embarking,,,,,embarked,embarked,,,,,,,,,,,, +rook,,,rooks,,rooking,,,,,rooked,rooked,,,,,,,,,,,, +mourn,,,mourns,,mourning,,,,,mourned,mourned,,,,,,,,,,,, +bustle,,,bustles,,bustling,,,,,bustled,bustled,,,,,,,,,,,, +exact,,,exacts,,exacting,,,,,exacted,exacted,,,,,,,,,,,, +overstock,,,overstocks,,overstocking,,,,,overstocked,overstocked,,,,,,,,,,,, +giftwrap,,,giftwraps,,giftwrapping,,,,,giftwrapped,giftwrapped,,,,,,,,,,,, +disembody,,,disembodies,,disembodying,,,,,disembodied,disembodied,,,,,,,,,,,, +re-cede,,,re-cedes,,re-ceding,,,,,receded,re-ceded,,,,,,,,,,,, +tricycle,,,tricycles,,tricycling,,,,,tricycled,tricycled,,,,,,,,,,,, +tear,,,tears,,tearing,,,,,tore,torn,,,,,,,,,,,, +folk-dance,,,folk-dances,,folk-dancing,,,,,folk-danced,folk-danced,,,,,,,,,,,, +overarch,,,overarches,,overarching,,,,,overarched,overarched,,,,,,,,,,,, +larn,,,larns,,larning,,,,,larned,larned,,,,,,,,,,,, +leave,,,leaves,,leaving,,,,,leaved,leaved,,,,,,,,,,,, +settle,,,settles,,settling,,,,,settled,settled,,,,,,,,,,,, +stockade,,,stockades,,stockading,,,,,stockaded,stockaded,,,,,,,,,,,, +insufflate,,,insufflates,,insufflating,,,,,insufflated,insufflated,,,,,,,,,,,, +skewer,,,skewers,,skewering,,,,,skewered,skewered,,,,,,,,,,,, +gasify,,,gasifies,,gasifying,,,,,gasified,gasified,,,,,,,,,,,, +re-join,,,re-joins,,re-joining,,,,,rejoined,re-joined,,,,,,,,,,,, +torrify,,,torrifies,,torrifying,,,,,torrified,torrified,,,,,,,,,,,, +sigh,,,sighs,,sighing,,,,,sighed,sighed,,,,,,,,,,,, +sign,,,signs,,signing,,,,,signed,signed,,,,,,,,,,,, +Islamize,,,Islamizes,,Islamizing,,,,,Islamized,Islamized,,,,,,,,,,,, +educate,,,educates,,educating,,,,,educated,educated,,,,,,,,,,,, +sequestrate,,,sequestrates,,sequestrating,,,,,sequestrated,sequestrated,,,,,,,,,,,, +convulse,,,convulses,,convulsing,,,,,convulsed,convulsed,,,,,,,,,,,, +melt,,,melts,,melting,,,,,melted,molten,,,,,,,,,,,, +wriggle,,,wriggles,,wriggling,,,,,wriggled,wriggled,,,,,,,,,,,, +jog-trot,,,jog-trots,,jog-trotting,,,,,jog-trotted,jog-trotted,,,,,,,,,,,, +boost,,,boosts,,boosting,,,,,boosted,boosted,,,,,,,,,,,, +accoutre,,,accoutres,,accoutring,,,,,accoutred,accoutred,,,,,,,,,,,, +osmose,,,osmoses,,osmosing,,,,,osmosed,osmosed,,,,,,,,,,,, +abscond,,,absconds,,absconding,,,,,absconded,absconded,,,,,,,,,,,, +honour,,,honours,,honouring,,,,,honoured,honoured,,,,,,,,,,,, +contemplate,,,contemplates,,contemplating,,,,,contemplated,contemplated,,,,,,,,,,,, +snack,,,snacks,,snacking,,,,,snacked,snacked,,,,,,,,,,,, +splice,,,splices,,splicing,,,,,spliced,spliced,,,,,,,,,,,, +address,,,addresses,,addressing,,,,,addrest,addrest,,,,,,,,,,,, +sublease,,,subleases,,subleasing,,,,,subleased,subleased,,,,,,,,,,,, +enroll,,,enrols,,enrolling,,,,,enrolled,enrolled,,,,,,,,,,,, +halogenate,,,halogenates,,halogenating,,,,,halogenated,halogenated,,,,,,,,,,,, +fledge,,,fledges,,fledging,,,,,fledged,fledged,,,,,,,,,,,, +root,,,roots,,rooting,,,,,rooted,rooted,,,,,,,,,,,, +queue,,,queues,,queueing,,,,,queueed,queueed,,,,,,,,,,,, +coextend,,,coextends,,coextending,,,,,coextended,coextended,,,,,,,,,,,, +solarize,,,solarizes,,solarizing,,,,,solarized,solarized,,,,,,,,,,,, +roughdry,,,roughdries,,roughdrying,,,,,roughdried,roughdried,,,,,,,,,,,, +etherify,,,etherifies,,etherifying,,,,,etherified,etherified,,,,,,,,,,,, +respite,,,respites,,respiting,,,,,respited,respited,,,,,,,,,,,, +love,,,loves,,loving,,,,,loved,loved,,,,,,,,,,,, +proportion,,,proportions,,proportioning,,,,,proportioned,proportioned,,,,,,,,,,,, +prefer,,,prefers,,preferring,,,,,preferred,preferred,,,,,,,,,,,, +bloody,,,bloodies,,bloodying,,,,,bloodied,bloodied,,,,,,,,,,,, +abash,,,abashes,,abashing,,,,,abashed,abashed,,,,,,,,,,,, +fake,,,fakes,,faking,,,,,faked,faked,,,,,,,,,,,, +encyst,,,encysts,,encysting,,,,,encysted,encysted,,,,,,,,,,,, +unlash,,,unlashes,,unlashing,,,,,unlashed,unlashed,,,,,,,,,,,, +abase,,,abases,,abasing,,,,,abased,abased,,,,,,,,,,,, +engrail,,,engrails,,engrailing,,,,,engrailed,engrailed,,,,,,,,,,,, +dangle,,,dangles,,dangling,,,,,dangled,dangled,,,,,,,,,,,, +crash-dive,,,crash-dives',,crash-diving,,,,,crash-dived,crash-dived,,,,,,,,,,,, +annunciate,,,annunciates,,annunciating,,,,,annunciated,annunciated,,,,,,,,,,,, +afford,,,affords,,affording,,,,,afforded,afforded,,,,,,,,,,,, +reprise,,,reprises,,reprising,,,,,reprised,reprised,,,,,,,,,,,, +refrain,,,refrains,,refraining,,,,,refrained,refrained,,,,,,,,,,,, +degrade,,,degrades,,degrading,,,,,degraded,degraded,,,,,,,,,,,, +involve,,,involves,,involving,,,,,involved,involved,,,,,,,,,,,, +embower,,,embowers,,embowering,,,,,embowered,embowered,,,,,,,,,,,, +pretend,,,pretends,,pretending,,,,,pretended,pretended,,,,,,,,,,,, +strain,,,strains,,straining,,,,,strained,strained,,,,,,,,,,,, +dissimilate,,,dissimilates,,dissimilating,,,,,dissimilated,dissimilated,,,,,,,,,,,, +dispossess,,,dispossesses,,dispossessing,,,,,dispossessed,dispossessed,,,,,,,,,,,, +circumambulate,,,circumambulates,,circumambulating,,,,,circumambulated,circumambulated,,,,,,,,,,,, +reforest,,,reforests,,reforesting,,,,,reforested,reforested,,,,,,,,,,,, +deschool,,,deschools,,deschooling,,,,,deschooled,deschooled,,,,,,,,,,,, +parachute,,,parachutes,,parachuting,,,,,parachuted,parachuted,,,,,,,,,,,, +reestablish,,,reestablishes,,reestablishing,,,,,reestablished,reestablished,,,,,,,,,,,, +evite,,,evites,,eviting,,,,,evited,evited,,,,,,,,,,,, +emotionalize,,,emotionalizes,,emotionalizing,,,,,emotionalized,emotionalized,,,,,,,,,,,, +disprize,,,disprizes,,disprizing,,,,,disprized,disprized,,,,,,,,,,,, +winter,,,winters,,wintering,,,,,wintered,wintered,,,,,,,,,,,, +ambush,,,ambushes,,ambushing,,,,,ambushed,ambushed,,,,,,,,,,,, +crossrefer,,,crossrefers,,crossrefering,,,,,crossrefered,crossrefered,,,,,,,,,,,, +splodge,,,splodges,,splodging,,,,,splodged,splodged,,,,,,,,,,,, +cavil,,,cavils,,cavilling,,,,,cavilled,cavilled,,,,,,,,,,,, +overissue,,,overissues,,overissuing,,,,,overissued,overissued,,,,,,,,,,,, +spot,,,spots,,spotting,,,,,spotted,spotcheck,,,,,,,,,,,, +rehabilitate,,,rehabilitates,,rehabilitating,,,,,rehabilitated,rehabilitated,,,,,,,,,,,, +dropkick,,,dropkicks,,dropkicking,,,,,dropkicked,dropkicked,,,,,,,,,,,, +outthink,,,outthinks,,outthinking,,,,,outthought,outthought,,,,,,,,,,,, +date,,,dates,,dating,,,,,dated,dated,,,,,,,,,,,, +suck,,,sucks,,sucking,,,,,sucked,sucked,,,,,,,,,,,, +journalize,,,journalizes,,journalizing,,,,,journalized,journalized,,,,,,,,,,,, +stress,,,stresses,,stressing,,,,,stressed,stressed,,,,,,,,,,,, +correlate,,,correlates,,correlating,,,,,correlated,correlated,,,,,,,,,,,, +truck,,,trucks,,trucking,,,,,trucked,trucked,,,,,,,,,,,, +skirmish,,,skirmishes,,skirmishing,,,,,skirmished,skirmished,,,,,,,,,,,, +feature,,,features,,featuring,,,,,featured,featured,,,,,,,,,,,, +course,,,courses,,coursing,,,,,coursed,coursed,,,,,,,,,,,, +yearn,,,yearns,,yearning,,,,,yearned,yearned,,,,,,,,,,,, +bastardize,,,bastardizes,,bastardizing,,,,,bastardized,bastardized,,,,,,,,,,,, +horrify,,,horrifies,,horrifying,,,,,horrified,horrified,,,,,,,,,,,, +mishear,,,mishears,,mishearing,,,,,misheard,misheard,,,,,,,,,,,, +bulldoze,,,bulldozes,,bulldozing,,,,,bulldozed,bulldozed,,,,,,,,,,,, +jig,,,jigs,,jigging,,,,,jigged,jigged,,,,,,,,,,,, +derive,,,derives,,deriving,,,,,derived,derived,,,,,,,,,,,, +disconnect,,,disconnects,,disconnecting,,,,,disconnected,disconnected,,,,,,,,,,,, +solace,,,solaces,,solacing,,,,,solaced,solaced,,,,,,,,,,,, +stroll,,,strolls,,strolling,,,,,strolled,strolled,,,,,,,,,,,, +thump,,,thumps,,thumping,,,,,thumped,thumped,,,,,,,,,,,, +petition,,,petitions,,petitioning,,,,,petitioned,petitioned,,,,,,,,,,,, +apron,,,aprons,,aproning,,,,,aproned,aproned,,,,,,,,,,,, +smarten,,,smartens,,smartening,,,,,smartened,smartened,,,,,,,,,,,, +babysit,,,babysits,,babysitting,,,,,babysat,babysat,,,,,,,,,,,, +bedevil,,,bedevils,,bedevilling,,,,,bedevilled,bedevilled,,,,,,,,,,,, +sublimate,,,sublimates,,sublimating,,,,,sublimated,sublimated,,,,,,,,,,,, +hiccough,,,hiccoughs,,hiccoughing,,,,,hiccoughed,hiccoughed,,,,,,,,,,,, +plunk,,,plunks,,plunking,,,,,plunked,plunked,,,,,,,,,,,, +revert,,,reverts,,reverting,,,,,reverted,reverted,,,,,,,,,,,, +englut,,,engluts,,englutting,,,,,englutted,englutted,,,,,,,,,,,, +amnesty,,,amnesties,,amnestying,,,,,amnestied,amnestied,,,,,,,,,,,, +quarter,,,quarters,,quartering,,,,,quartered,quartered,,,,,,,,,,,, +revere,,,reveres,,revering,,,,,revered,revered,,,,,,,,,,,, +turtle,,,turtles,,turtling,,,,,turtled,turtled,,,,,,,,,,,, +concertina,,,concertinas,,concertinaing,,,,,concertinaed,concertinaed,,,,,,,,,,,, +square,,,squares,,squaring,,,,,squared,squared,,,,,,,,,,,, +retrieve,,,retrieves,,retrieving,,,,,retrieved,retrieved,,,,,,,,,,,, +edify,,,edifies,,edifying,,,,,edified,edified,,,,,,,,,,,, +receipt,,,receipts,,receipting,,,,,receipted,receipted,,,,,,,,,,,, +fireproof,,,fireproofs,,fireproofing,,,,,fireproofed,fireproofed,,,,,,,,,,,, +asseverate,,,asseverates,,asseverating,,,,,asseverated,asseverated,,,,,,,,,,,, +inhere,,,inheres,,inhering,,,,,inhered,inhered,,,,,,,,,,,, +beetle,,,beetles,,beetling,,,,,beetled,beetled,,,,,,,,,,,, +propitiate,,,propitiates,,propitiating,,,,,propitiated,propitiated,,,,,,,,,,,, +troll,,,trolls,,trolling,,,,,trolled,trolled,,,,,,,,,,,, +jounce,,,jounces,,jouncing,,,,,jounced,jounced,,,,,,,,,,,, +besprinkle,,,besprinkles,,besprinkling,,,,,besprinkled,besprinkled,,,,,,,,,,,, +abide,,,abides,,abiding,,,,,abode,abode,,,,,,,,,,,, +spur,,,spurs,,spurring,,,,,spurred,spurred,,,,,,,,,,,, +intermix,,,intermixes,,intermixing,,,,,intermixed,intermixed,,,,,,,,,,,, +intermit,,,intermits,,intermitting,,,,,intermitted,intermitted,,,,,,,,,,,, +hibernate,,,hibernates,,hibernating,,,,,hibernated,hibernated,,,,,,,,,,,, +dumfound,,,dumfounds,,dumfounding,,,,,dumfounded,dumfounded,,,,,,,,,,,, +Braille,,,Brailles,,Brailling,,,,,Brailled,Brailled,,,,,,,,,,,, +envelop,,,envelops,,enveloping,,,,,enveloped,enveloped,,,,,,,,,,,, +reshuffle,,,reshuffles,,reshuffling,,,,,reshuffled,reshuffled,,,,,,,,,,,, +disrespect,,,disrespects,,disrespecting,,,,,disrespected,disrespected,,,,,,,,,,,, +snooker,,,snookers,,snookering,,,,,snookered,snookered,,,,,,,,,,,, +jockey,,,jockeys,,jockeying,,,,,jockeyed,jockeyed,,,,,,,,,,,, +mime,,,mimes,,miming,,,,,mimed,mimed,,,,,,,,,,,, +remainder,,,remainders,,remaindering,,,,,remaindered,remaindered,,,,,,,,,,,, +dog-paddle,,,dog-paddles,,dog-paddling,,,,,dog-paddled,dog-paddled,,,,,,,,,,,, +gaff,,,gaffs,,gaffing,,,,,gaffed,gaffed,,,,,,,,,,,, +bluepencil,,,bluepencils,,bluepenciling,,,,,bluepenciled,bluepenciled,,,,,,,,,,,, +chevy,,,chevies,,chevying,,,,,chevied,chevied,,,,,,,,,,,, +initiate,,,initiates,,initiating,,,,,initiated,initiated,,,,,,,,,,,, +enkindle,,,enkindles,,enkindling,,,,,enkindled,enkindled,,,,,,,,,,,, +punt,,,punts,,punting,,,,,punted,punted,,,,,,,,,,,, +calque,,,calques,,calquing,,,,,calqued,calqued,,,,,,,,,,,, +solubilize,,,solubilizes,,solubilizing,,,,,solubilized,solubilized,,,,,,,,,,,, +neglect,,,neglects,,neglecting,,,,,neglected,neglected,,,,,,,,,,,, +sock,,,socks,,socking,,,,,socked,socked,,,,,,,,,,,, +unloosen,,,unlooses,,unloosing,,,,,unloosened,unloosened,,,,,,,,,,,, +potter,,,potters,,pottering,,,,,pottered,pottered,,,,,,,,,,,, +reopen,,,reopens,,reopening,,,,,reopened,reopened,,,,,,,,,,,, +sjambok,,,sjamboks,,sjamboking,,,,,sjamboked,sjamboked,,,,,,,,,,,, +submit,,,submits,,submitting,,,,,submitted,submitted,,,,,,,,,,,, +croup,,,croups,,crouping,,,,,crouped,crouped,,,,,,,,,,,, +open,,,opens,,opening,,,,,opened,opened,,,,,,,,,,,, +summarize,,,summarizes,,summarizing,,,,,summarized,summarized,,,,,,,,,,,, +languish,,,languishes,,languishing,,,,,languished,languished,,,,,,,,,,,, +bite,,,bites,,biting,,,,,bited,bitten,,,,,,,,,,,, +dandify,,,dandifies,,dandifying,,,,,dandified,dandified,,,,,,,,,,,, +indicate,,,indicates,,indicating,,,,,indicated,indicated,,,,,,,,,,,, +shiver,,,shivers,,shivering,,,,,shivered,shivered,,,,,,,,,,,, +draft,,,,,drafting,,,,,drafted,drafted,,,,,,,,,,,, +dissipate,,,dissipates,,dissipating,,,,,dissipated,dissipated,,,,,,,,,,,, +convene,,,convenes,,convening,,,,,convened,convened,,,,,,,,,,,, +bitt,,,bitts,,,,,,,,,,,,,,,,,,,, +cite,,,cites,,citing,,,,,cited,cited,,,,,,,,,,,, +unmoor,,,unmoors,,unmooring,,,,,unmoored,unmoored,,,,,,,,,,,, +demonetize,,,demonetizes,,demonetizing,,,,,demonetized,demonetized,,,,,,,,,,,, +blazon,,,blazons,,blazoning,,,,,blazoned,blazoned,,,,,,,,,,,, +bump-start,,,bump-starts,,bump-starting,,,,,bump-started,bump-started,,,,,,,,,,,, +re-act,,,re-acts,,re-acting,,,,,reacted,re-acted,,,,,,,,,,,, +snatch,,,snatches,,snatching,,,,,snatched,snatched,,,,,,,,,,,, +indwell,,,indwells,,indwelling,,,,,indwelt,indwelt,,,,,,,,,,,, +poultice,,,poultices,,poulticing,,,,,poulticed,poulticed,,,,,,,,,,,, +carbonize,,,carbonizes,,carbonizing,,,,,carbonized,carbonized,,,,,,,,,,,, +translate,,,translates,,translating,,,,,translated,translated,,,,,,,,,,,, +cower,,,cowers,,cowering,,,,,cowered,cowered,,,,,,,,,,,, +stammer,,,stammers,,stammering,,,,,stammered,stammered,,,,,,,,,,,, +winkle,,,winkles,,winkling,,,,,winkled,winkled,,,,,,,,,,,, +Africanize,,,Africanizes,,Africanizing,,,,,Africanized,Africanized,,,,,,,,,,,, +prospect,,,prospects,,prospecting,,,,,prospected,prospected,,,,,,,,,,,, +smutch,,,smutches,,smutching,,,,,smutched,smutched,,,,,,,,,,,, +sag,,,sags,,sagging,,,,,sagged,sagged,,,,,,,,,,,, +necrose,,,necroses,,necrosing,,,,,necrosed,necrosed,,,,,,,,,,,, +say,,,says,,saying,,,,,said,said,,,,,,,,,,,, +sap,,,saps,,sapping,,,,,sapped,sapped,,,,,,,,,,,, +saw,,,saws,,sawing,,,,,sawed,sawn,,,,,,,,,,,, +perplex,,,perplexes,,perplexing,,,,,perplexed,perplexed,,,,,,,,,,,, +aspirate,,,aspirates,,aspirating,,,,,aspirated,aspirated,,,,,,,,,,,, +knead,,,kneads,,kneading,,,,,kneaded,kneaded,,,,,,,,,,,, +retroact,,,retroacts,,retroacting,,,,,retroacted,retroacted,,,,,,,,,,,, +note,,,notes,,noting,,,,,noted,noted,,,,,,,,,,,, +unlearn,,,unlearns,,unlearning,,,,,unlearnt,unlearnt,,,,,,,,,,,, +maintain,,,maintains,,maintaining,,,,,maintained,maintained,,,,,,,,,,,, +take,,,takes,,taking,,,,,took,taken,,,,,,,,,,,, +destroy,,,destroys,,destroying,,,,,destroyed,destroyed,,,,,,,,,,,, +coincide,,,coincides,,coinciding,,,,,coincided,coincided,,,,,,,,,,,, +unfix,,,unfixes,,unfixing,,,,,unfixed,unfixed,,,,,,,,,,,, +buffer,,,buffers,,buffering,,,,,buffered,buffered,,,,,,,,,,,, +slump,,,slumps,,slumping,,,,,slumped,slumped,,,,,,,,,,,, +compress,,,compresses,,compressing,,,,,compressed,compressed,,,,,,,,,,,, +buffet,,,buffets,,buffeting,,,,,buffeted,buffeted,,,,,,,,,,,, +abut,,,abuts,,abutting,,,,,abutted,abutted,,,,,,,,,,,, +crochet,,,crochets,,crocheting,,,,,crocheted,crocheted,,,,,,,,,,,, +putput,,,putputs,,putputting,,,,,putputted,putputted,,,,,,,,,,,, +hot-press,,,hot-presses,,hot-pressing,,,,,hot-pressed,hot-pressed,,,,,,,,,,,, +chomp,,,chomps,,chomping,,,,,chomped,chomped,,,,,,,,,,,, +illuse,,,illuses,,illusing,,,,,illused,illused,,,,,,,,,,,, +operate,,,operates,,operating,,,,,operated,operated,,,,,,,,,,,, +enamel,,,enamels,,enamelling,,,,,enamelled,enamelled,,,,,,,,,,,, +energize,,,energizes,,energizing,,,,,energized,energized,,,,,,,,,,,, +average,,,averages,,averaging,,,,,averaged,averaged,,,,,,,,,,,, +drive,,,drives,,driving,,,,,drove,driven,,,,,,,,,,,, +wind,,,winds,,winding,,,,,wound,wound,,,,,,,,,,,, +axe,,,axes,,axing,,,,,axed,axed,,,,,,,,,,,, +salt,,,salts,,salting,,,,,salted,salted,,,,,,,,,,,, +intoxicate,,,intoxicates,,intoxicating,,,,,intoxicated,intoxicated,,,,,,,,,,,, +tumefy,,,tumefies,,tumefying,,,,,tumefied,tumefied,,,,,,,,,,,, +infuriate,,,infuriates,,infuriating,,,,,infuriated,infuriated,,,,,,,,,,,, +mince,,,minces,,mincing,,,,,minced,minced,,,,,,,,,,,, +merit,,,merits,,meriting,,,,,merited,merited,,,,,,,,,,,, +underlet,,,underlets,,underletting,,,,,underlet,underlet,,,,,,,,,,,, +dialogize,,,dialogizes,,dialogizing,,,,,dialogized,dialogized,,,,,,,,,,,, +slot,,,slots,,slotting,,,,,slotted,slotted,,,,,,,,,,,, +outspan,,,outspans,,outspanning,,,,,outspanned,outspanned,,,,,,,,,,,, +slop,,,slops,,slopping,,,,,slopped,slopped,,,,,,,,,,,, +transact,,,transacts,,transacting,,,,,transacted,transacted,,,,,,,,,,,, +cloak,,,cloaks,,cloaking,,,,,cloaked,cloaked,,,,,,,,,,,, +short,,,shorts,,shorting,,,,,shorted,shorted,,,,,,,,,,,, +debunk,,,debunks,,debunking,,,,,debunked,debunked,,,,,,,,,,,, +slog,,,slogs,,slogging,,,,,slogged,slogged,,,,,,,,,,,, +outrage,,,outrages,,outraging,,,,,outraged,outraged,,,,,,,,,,,, +robe,,,robes,,robing,,,,,robed,robed,,,,,,,,,,,, +dispute,,,disputes,,disputing,,,,,disputed,disputed,,,,,,,,,,,, +clank,,,clanks,,clanking,,,,,clanked,clanked,,,,,,,,,,,, +digitize,,,digitizes,,digitizing,,,,,digitized,digitized,,,,,,,,,,,, +clang,,,clangs,,clanging,,,,,clanged,clanged,,,,,,,,,,,, +submerse,,,submerses,,submersing,,,,,submersed,submersed,,,,,,,,,,,, +yammer,,,yammers,,yammering,,,,,yammered,yammered,,,,,,,,,,,, +prime,,,primes,,priming,,,,,primed,primed,,,,,,,,,,,, +disrate,,,disrates,,disrating,,,,,disrated,disrated,,,,,,,,,,,, +pimp,,,pimps,,pimping,,,,,pimped,pimped,,,,,,,,,,,, +assimilate,,,assimilates,,assimilating,,,,,assimilated,assimilated,,,,,,,,,,,, +brominate,,,brominates,,brominating,,,,,brominated,brominated,,,,,,,,,,,, +borrow,,,borrows,,borrowing,,,,,borrowed,borrowed,,,,,,,,,,,, +batfowl,,,batfowls,,batfowling,,,,,batfowled,batfowled,,,,,,,,,,,, +spancel,,,spancels,,spancelling,,,,,spancelled,spancelled,,,,,,,,,,,, +primp,,,primps,,primping,,,,,primped,primped,,,,,,,,,,,, +fortify,,,fortifies,,fortifying,,,,,fortified,fortified,,,,,,,,,,,, +disparage,,,disparages,,disparaging,,,,,disparaged,disparaged,,,,,,,,,,,, +vision,,,visions,,visioning,,,,,visioned,visioned,,,,,,,,,,,, +keyboard,,,keyboards,,keyboarding,,,,,keyboarded,keyboarded,,,,,,,,,,,, +espy,,,espies,,espying,,,,,espied,espied,,,,,,,,,,,, +expiate,,,expiates,,expiating,,,,,expiated,expiated,,,,,,,,,,,, +plummet,,,plummets,,plummeting,,,,,plummeted,plummeted,,,,,,,,,,,, +interpellate,,,interpellates,,interpellating,,,,,interpellated,interpellated,,,,,,,,,,,, +diddle,,,diddles,,diddling,,,,,diddled,diddled,,,,,,,,,,,, +bootleg,,,bootlegs,,bootlegging,,,,,bootlegged,bootlegged,,,,,,,,,,,, +denizen,,,denizens,,denizening,,,,,denizened,denizened,,,,,,,,,,,, +heterodyne,,,heterodynes,,heterodyning,,,,,heterodyned,heterodyned,,,,,,,,,,,, +mope,,,mopes,,moping,,,,,moped,moped,,,,,,,,,,,, +presage,,,presages,,presaging,,,,,presaged,presaged,,,,,,,,,,,, +forsake,,,forsakes,,forsaking,,,,,forsook,forsaken,,,,,,,,,,,, +gutturalize,,,gutturalizes,,gutturalizing,,,,,gutturalized,gutturalized,,,,,,,,,,,, +distrain,,,distrains,,distraining,,,,,distrained,distrained,,,,,,,,,,,, +screen,,,screens,,screening,,,,,screened,screened,,,,,,,,,,,, +dome,,,domes,,doming,,,,,domed,domed,,,,,,,,,,,, +concentrate,,,concentrates,,concentrating,,,,,concentrated,concentrated,,,,,,,,,,,, +spare,,,spares,,sparing,,,,,spared,spared,,,,,,,,,,,, +spark,,,sparks,,sparking,,,,,sparked,sparked,,,,,,,,,,,, +undermine,,,undermines,,undermining,,,,,undermined,undermined,,,,,,,,,,,, +quack,,,quacks,,quacking,,,,,quacked,quacked,,,,,,,,,,,, +oust,,,ousts,,ousting,,,,,ousted,ousted,,,,,,,,,,,, +fit,,,fits,,fitting,,,,,fitted,fitted,,,,,,,,,,,, +belie,,,belies,,belying,,,,,belied,belied,,,,,,,,,,,, +checkrow,,,checkrows,,checkrowing,,,,,checkrowed,checkrowed,,,,,,,,,,,, +calumniate,,,calumniates,,calumniating,,,,,calumniated,calumniated,,,,,,,,,,,, +allowance,,,allowances,,allowancing,,,,,allowanced,allowanced,,,,,,,,,,,, +riddle,,,riddles,,riddling,,,,,riddled,riddled,,,,,,,,,,,, +twit,,,twits,,twitting,,,,,twitted,twitted,,,,,,,,,,,, +eternize,,,eternizes,,eternizing,,,,,eternized,eternized,,,,,,,,,,,, +twin,,,twins,,twinning,,,,,twinned,twinned,,,,,,,,,,,, +article,,,articles,,articling,,,,,articled,articled,,,,,,,,,,,, +ante,,,antes,,anteing,,,,,anteed,anteed,,,,,,,,,,,, +false-card,,,false-cards,,false-carding,,,,,false-carded,false-carded,,,,,,,,,,,, +twig,,,twigs,,twigging,,,,,twigged,twigged,,,,,,,,,,,, +boat,,,boats,,boating,,,,,boated,boated,,,,,,,,,,,, +airmail,,,airmails,,airmailing,,,,,airmailed,airmailed,,,,,,,,,,,, +stretch,,,stretches,,stretching,,,,,stretched,stretched,,,,,,,,,,,, +vacation,,,vacations,,vacationing,,,,,vacationed,vacationed,,,,,,,,,,,, +concede,,,concedes,,conceding,,,,,conceded,conceded,,,,,,,,,,,, +cupel,,,cupels,,cupeling,,,,,cupeled,cupeled,,,,,,,,,,,, +luff,,,luffs,,luffing,,,,,luffed,luffed,,,,,,,,,,,, +enable,,,enables,,enabling,,,,,enabled,enabled,,,,,,,,,,,, +hunger,,,,,,,,,,,,,,,,,,,,,,, +disaccredit,,,disaccredits,,disaccrediting,,,,,disaccredited,disaccredited,,,,,,,,,,,, +observe,,,observes,,observing,,,,,observed,observed,,,,,,,,,,,, +transmogrify,,,transmogrifies,,transmogrifying,,,,,transmogrified,transmogrified,,,,,,,,,,,, +stalemate,,,stalemates,,stalemating,,,,,stalemated,stalemated,,,,,,,,,,,, +diffuse,,,diffuses,,diffusing,,,,,diffused,diffused,,,,,,,,,,,, +infold,,,infolds,,infolding,,,,,infolded,infolded,,,,,,,,,,,, +maladminister,,,maladministers,,maladministering,,,,,maladministered,maladministered,,,,,,,,,,,, +trepan,,,trepans,,trepanning,,,,,trepanned,trepanned,,,,,,,,,,,, +single,,,singles,,singling,,,,,singled,singled,,,,,,,,,,,, +hypertrophy,,,hypertrophies,,hypertrophying,,,,,hypertrophied,hypertrophied,,,,,,,,,,,, +coextrude,,,coextrudes,,coextruding,,,,,coextruded,coextruded,,,,,,,,,,,, +hawse,,,hawses,,hawsing,,,,,hawsed,hawsed,,,,,,,,,,,, +chamois,,,chamoises,,chamoising,,,,,chamoised,chamoised,,,,,,,,,,,, +girth,,,girths,,girthing,,,,,girthed,girthed,,,,,,,,,,,, +discolour,,,discolours,,discolouring,,,,,discoloured,discoloured,,,,,,,,,,,, +canoe,,,canoes,,canoeing,,,,,canoed,canoed,,,,,,,,,,,, +purse,,,purses,,pursing,,,,,pursed,pursed,,,,,,,,,,,, +blat,,,blats,,blatting,,,,,blatted,blatted,,,,,,,,,,,, +blah,,,blahs,,blahing,,,,,blahed,blahed,,,,,,,,,,,, +cagmag,,,cagmags,,cagmaging,,,,,cagmaged,cagmaged,,,,,,,,,,,, +imbricate,,,imbricates,,imbricating,,,,,imbricated,imbricated,,,,,,,,,,,, +blab,,,blabs,,blabbing,,,,,blabbed,blabbed,,,,,,,,,,,, +fame,,,fames,,faming,,,,,famed,famed,,,,,,,,,,,, +gemmate,,,gemmates,,gemmating,,,,,gemmated,gemmated,,,,,,,,,,,, +reanimate,,,reanimates,,reanimating,,,,,reanimated,reanimated,,,,,,,,,,,, +excogitate,,,excogitates,,excogitating,,,,,excogitated,excogitated,,,,,,,,,,,, +furbelow,,,furbelows,,furbelowing,,,,,furbelowed,furbelowed,,,,,,,,,,,, +geminate,,,geminates,,geminating,,,,,geminated,geminated,,,,,,,,,,,, +unionize,,,unionizes,,unionizing,,,,,unionized,unionized,,,,,,,,,,,, +nuzzle,,,nuzzles,,nuzzling,,,,,nuzzled,nuzzled,,,,,,,,,,,, +defy,,,defies,,defying,,,,,defied,defied,,,,,,,,,,,, +deflate,,,deflates,,deflating,,,,,deflated,deflated,,,,,,,,,,,, +bulletproof,,,bulletproofs,,bulletproofing,,,,,bulletproofed,bulletproofed,,,,,,,,,,,, +barber,,,barbers,,barbering,,,,,barbered,barbered,,,,,,,,,,,, +disown,,,disowns,,disowning,,,,,disowned,disowned,,,,,,,,,,,, +microfilm,,,microfilms,,microfilming,,,,,microfilmed,microfilmed,,,,,,,,,,,, +recapture,,,recaptures,,recapturing,,,,,recaptured,recaptured,,,,,,,,,,,, +tuft,,,tufts,,tufting,,,,,tufted,tufted,,,,,,,,,,,, +clobber,,,clobbers,,clobbering,,,,,clobbered,clobbered,,,,,,,,,,,, +dimension,,,dimensions,,dimensioning,,,,,dimensioned,dimensioned,,,,,,,,,,,, +summer,,,summers,,summering,,,,,summered,summered,,,,,,,,,,,, +manifold,,,manifolds,,manifolding,,,,,manifolded,manifolded,,,,,,,,,,,, +poach,,,poaches,,poaching,,,,,poached,poached,,,,,,,,,,,, +sceptre,,,sceptres,,sceptring,,,,,sceptred,sceptred,,,,,,,,,,,, +disconcert,,,disconcerts,,disconcerting,,,,,disconcerted,disconcerted,,,,,,,,,,,, +slime,,,slimes,,sliming,,,,,slimed,slimed,,,,,,,,,,,, +rest,,,rests,,resting,,,,,rested,rested,,,,,,,,,,,, +amalgamate,,,amalgamates,,amalgamating,,,,,amalgamated,amalgamated,,,,,,,,,,,, +apostatize,,,apostatizes,,apostatizing,,,,,apostatized,apostatized,,,,,,,,,,,, +disperse,,,disperses,,dispersing,,,,,dispersed,dispersed,,,,,,,,,,,, +vamp,,,vamps,,vamping,,,,,vamped,vamped,,,,,,,,,,,, +jitter,,,jitters,,jittering,,,,,jittered,jittered,,,,,,,,,,,, +parlay,,,parlays,,parlaying,,,,,parlayed,parlayed,,,,,,,,,,,, +underline,,,underlines,,underlining,,,,,underlined,underlined,,,,,,,,,,,, +uncap,,,uncaps,,uncapping,,,,,uncapped,uncapped,,,,,,,,,,,, +forebode,,,forebodes,,foreboding,,,,,foreboded,foreboded,,,,,,,,,,,, +overthrow,,,overthrows,,overthrowing,,,,,overthrew,overthrown,,,,,,,,,,,, +overcompensate,,,overcompensates,,overcompensating,,,,,overcompensated,overcompensated,,,,,,,,,,,, +cerebrate,,,cerebrates,,cerebrating,,,,,cerebrated,cerebrated,,,,,,,,,,,, +rejoin,,,rejoins,,rejoining,,,,,rejoined,rejoined,,,,,,,,,,,, +dart,,,darts,,darting,,,,,darted,darted,,,,,,,,,,,, +dark,,,darks,,darking,,,,,darked,darked,,,,,,,,,,,, +drydock,,,drydocks,,drydocking,,,,,drydocked,drydocked,,,,,,,,,,,, +snarl,,,snarls,,snarling,,,,,snarled,snarled,,,,,,,,,,,, +traffic,,,traffics,,trafficking,,,,,trafficked,trafficked,,,,,,,,,,,, +bandage,,,bandages,,bandaging,,,,,bandaged,bandaged,,,,,,,,,,,, +vacuum,,,vacuums,,vacuuming,,,,,vacuumed,vacuumed,,,,,,,,,,,, +snare,,,snares,,snaring,,,,,snared,snared,,,,,,,,,,,, +dare,,,dares,,daring,,,,,dared,dared,daren't,,,,,,,,,,, +clam,,,clams,,clamming,,,,,clammed,clammed,,,,,,,,,,,, +expunge,,,expunges,,expunging,,,,,expunged,expunged,,,,,,,,,,,, +clad,,,clads,,cladding,,,,,clad,clad,,,,,,,,,,,, +shutter,,,shutters,,shuttering,,,,,shuttered,shuttered,,,,,,,,,,,, +gimme,,,gimmes,,gimming,,,,,gimmed,gimmed,,,,,,,,,,,, +immolate,,,immolates,,immolating,,,,,immolated,immolated,,,,,,,,,,,, +clay,,,clays,,claying,,,,,clayed,clayed,,,,,,,,,,,, +claw,,,claws,,clawing,,,,,clawed,clawed,,,,,,,,,,,, +inter,,,inters,,interring,,,,,interred,interred,,,,,,,,,,,, +kennel,,,kennels,,kennelling,,,,,kennelled,kennelled,,,,,,,,,,,, +clap,,,claps,,clapping,,,,,clapped,clapped,,,,,,,,,,,, +obstruct,,,obstructs,,obstructing,,,,,obstructed,obstructed,,,,,,,,,,,, +sulphuret,,,sulphurets,,sulphuretting,,,,,sulphuretted,sulphuretted,,,,,,,,,,,, +grub,,,grubs,,grubbing,,,,,grubbed,grubbed,,,,,,,,,,,, +gaggle,,,gaggles,,gaggling,,,,,gaggled,gaggled,,,,,,,,,,,, +wattle,,,wattles,,wattling,,,,,wattled,wattled,,,,,,,,,,,, +winch,,,winches,,winching,,,,,winched,winched,,,,,,,,,,,, +asperse,,,asperses,,aspersing,,,,,aspersed,aspersed,,,,,,,,,,,, +vivisect,,,vivisects,,vivisecting,,,,,vivisected,vivisected,,,,,,,,,,,, +surtax,,,surtaxes,,surtaxing,,,,,surtaxed,surtaxed,,,,,,,,,,,, +divine,,,divines,,divining,,,,,divined,divined,,,,,,,,,,,, +about-ship,,,about-ships,,about-shipping,,,,,about-shipped,about-shipped,,,,,,,,,,,, +authenticate,,,authenticates,,authenticating,,,,,authenticated,authenticated,,,,,,,,,,,, +tote,,,totes,,toting,,,,,toted,toted,,,,,,,,,,,, +stanchion,,,stanchions,,stanchioning,,,,,stanchioned,stanchioned,,,,,,,,,,,, +tube,,,tubes,,tubing,,,,,tubed,tubed,,,,,,,,,,,, +exit,,,exits,,exiting,,,,,exited,exited,,,,,,,,,,,, +crenellate,,,crenellates,,crenellating,,,,,crenellated,crenellated,,,,,,,,,,,, +situate,,,situates,,situating,,,,,situated,situated,,,,,,,,,,,, +outfoot,,,outfoots,,outfooting,,,,,outfooted,outfooted,,,,,,,,,,,, +squabble,,,squabbles,,squabbling,,,,,squabbled,squabbled,,,,,,,,,,,, +power,,,powers,,powering,,,,,powered,powered,,,,,,,,,,,, +intimate,,,intimates,,intimating,,,,,intimated,intimated,,,,,,,,,,,, +ration,,,rations,,rationing,,,,,rationed,rationed,,,,,,,,,,,, +poise,,,poises,,poising,,,,,poised,poised,,,,,,,,,,,, +throwback,,,throwbacks,,throwbacking,,,,,throwbacked,throwbacked,,,,,,,,,,,, +stone,,,stones,,stoning,,,,,stoned,stoned,,,,,,,,,,,, +package,,,packages,,packaging,,,,,packaged,packaged,,,,,,,,,,,, +mediate,,,mediates,,mediating,,,,,mediated,mediated,,,,,,,,,,,, +fishtail,,,fishtails,,fishtailing,,,,,fishtailed,fishtailed,,,,,,,,,,,, +municipalize,,,municipalizes,,municipalizing,,,,,municipalized,municipalized,,,,,,,,,,,, +act,,,acts,,acting,,,,,acted,acted,,,,,,,,,,,, +mean,,,means,,meaning,,,,,meant,meant,,,,,,,,,,,, +individualize,,,individualizes,,individualizing,,,,,individualized,individualized,,,,,,,,,,,, +rebuild,,,rebuilds,,rebuilding,,,,,rebuilt,rebuilt,,,,,,,,,,,, +impregnate,,,impregnates,,impregnating,,,,,impregnated,impregnated,,,,,,,,,,,, +yabber,,,yabbers,,yabbering,,,,,yabbered,yabbered,,,,,,,,,,,, +potentiate,,,potentiates,,potentiating,,,,,potentiated,potentiated,,,,,,,,,,,, +image,,,images,,imaging,,,,,imaged,imaged,,,,,,,,,,,, +acuminate,,,acuminates,,acuminating,,,,,acuminated,acuminated,,,,,,,,,,,, +inculcate,,,inculcates,,inculcating,,,,,inculcated,inculcated,,,,,,,,,,,, +bodycheck,,,bodychecks,,bodychecking,,,,,bodychecked,bodychecked,,,,,,,,,,,, +carbonado,,,carbonados,,carbonadoing,,,,,carbonadoed,carbonadoed,,,,,,,,,,,, +apologize,,,apologizes,,apologizing,,,,,apologized,apologized,,,,,,,,,,,, +pivot,,,pivots,,pivoting,,,,,pivoted,pivoted,,,,,,,,,,,, +overtrade,,,overtrades,,overtrading,,,,,overtraded,overtraded,,,,,,,,,,,, +hew,,,hews,,hewing,,,,,hewed,hewn,,,,,,,,,,,, +gleam,,,gleams,,gleaming,,,,,gleamed,gleamed,,,,,,,,,,,, +glean,,,gleans,,gleaning,,,,,gleaned,gleaned,,,,,,,,,,,, +hex,,,hexes,,hexing,,,,,hexed,hexed,,,,,,,,,,,, +sken,,,skens,,skenning,,,,,skenned,skenned,,,,,,,,,,,, +mollify,,,mollifies,,mollifying,,,,,mollified,mollified,,,,,,,,,,,, +bubble,,,bubbles,,bubbling,,,,,bubbled,bubbled,,,,,,,,,,,, +complete,,,completes,,completing,,,,,completed,completed,,,,,,,,,,,, +outcrop,,,outcrops,,outcropping,,,,,outcropped,outcropped,,,,,,,,,,,, +defrost,,,defrosts,,defrosting,,,,,defrosted,defrosted,,,,,,,,,,,, +kotow,,,kotows,,kotowing,,,,,kotowed,kotowed,,,,,,,,,,,, +pasteurize,,,pasteurizes,,pasteurizing,,,,,pasteurized,pasteurized,,,,,,,,,,,, +whinny,,,whinnies,,whinnying,,,,,whinnied,whinnied,,,,,,,,,,,, +amplify,,,amplifies,,amplifying,,,,,amplified,amplified,,,,,,,,,,,, +pull,,,pulls,,pulling,,,,,pulled,pulled,,,,,,,,,,,, +rush,,,rushes,,rushing,,,,,rushed,rushed,,,,,,,,,,,, +darken,,,darkens,,darkening,,,,,darkened,darkened,,,,,,,,,,,, +rage,,,rages,,raging,,,,,raged,raged,,,,,,,,,,,, +pule,,,pules,,puling,,,,,puled,puled,,,,,,,,,,,, +attenuate,,,attenuates,,attenuating,,,,,attenuated,attenuated,,,,,,,,,,,, +flirt,,,flirts,,flirting,,,,,flirted,flirted,,,,,,,,,,,, +impute,,,imputes,,imputing,,,,,imputed,imputed,,,,,,,,,,,, +dirty,,,dirties,,dirtying,,,,,dirtied,dirtied,,,,,,,,,,,, +reprimand,,,reprimands,,reprimanding,,,,,reprimanded,reprimanded,,,,,,,,,,,, +suppurate,,,suppurates,,suppurating,,,,,suppurated,suppurated,,,,,,,,,,,, +agree,,,agrees,,agreeing,,,,,agreed,agreed,,,,,,,,,,,, +rust,,,rusts,,rusting,,,,,rusted,rusted,,,,,,,,,,,, +naturalize,,,naturalizes,,naturalizing,,,,,naturalized,naturalized,,,,,,,,,,,, +migrate,,,migrates,,migrating,,,,,migrated,migrated,,,,,,,,,,,, +impugn,,,impugns,,impugning,,,,,impugned,impugned,,,,,,,,,,,, +creak,,,creaks,,creaking,,,,,creaked,creaked,,,,,,,,,,,, +jargon,,,jargons,,jargoning,,,,,jargoned,jargoned,,,,,,,,,,,, +reddle,,,reddles,,reddling,,,,,reddled,reddled,,,,,,,,,,,, +dawn,,,dawns,,dawning,,,,,dawned,dawned,,,,,,,,,,,, +enplane,,,enplanes,,enplaning,,,,,enplaned,enplaned,,,,,,,,,,,, +cream,,,creams,,creaming,,,,,creamed,creamed,,,,,,,,,,,, +exasperate,,,exasperates,,exasperating,,,,,exasperated,exasperated,,,,,,,,,,,, +rumple,,,rumples,,rumpling,,,,,rumpled,rumpled,,,,,,,,,,,, +substantivize,,,substantivizes,,substantivizing,,,,,substantivized,substantivized,,,,,,,,,,,, +abolish,,,abolishes,,abolishing,,,,,abolished,abolished,,,,,,,,,,,, +whip,,,whips,,whipping,,,,,whipped,whipped,,,,,,,,,,,, +leister,,,leisters,,leistering,,,,,leistered,leistered,,,,,,,,,,,, +indemnify,,,indemnifies,,indemnifying,,,,,indemnified,indemnified,,,,,,,,,,,, +annex,,,annexes,,annexing,,,,,annexed,annexed,,,,,,,,,,,, +objurgate,,,objurgates,,objurgating,,,,,objurgated,objurgated,,,,,,,,,,,, +slant,,,slants,,slanting,,,,,slanted,slanted,,,,,,,,,,,, +ankylose,,,ankyloses,,ankylosing,,,,,ankylosed,ankylosed,,,,,,,,,,,, +snitch,,,snitches,,snitching,,,,,snitched,snitched,,,,,,,,,,,, +resell,,,resells,,reselling,,,,,resold,resold,,,,,,,,,,,, +slang,,,slangs,,slanging,,,,,slanged,slanged,,,,,,,,,,,, +explant,,,explants,,explanting,,,,,explanted,explanted,,,,,,,,,,,, +neuter,,,neuters,,neutering,,,,,neutered,neutered,,,,,,,,,,,, +groom,,,grooms,,grooming,,,,,groomed,groomed,,,,,,,,,,,, +mask,,,masks,,masking,,,,,masked,masked,,,,,,,,,,,, +mash,,,mashes,,mashing,,,,,mashed,mashed,,,,,,,,,,,, +mimic,,,mimics,,mimicking,,,,,mimicked,mimicked,,,,,,,,,,,, +mast,,,masts,,masting,,,,,masted,masted,,,,,,,,,,,, +mass,,,masses,,massing,,,,,massed,massed,,,,,,,,,,,, +quantify,,,quantifies,,quantifying,,,,,quantified,quantified,,,,,,,,,,,, +repone,,,repones,,reponing,,,,,reponed,reponed,,,,,,,,,,,, +retch,,,retches,,retching,,,,,retched,retched,,,,,,,,,,,, +metastasize,,,metastasizes,,metastasizing,,,,,metastasized,metastasized,,,,,,,,,,,, +consider,,,considers,,considering,,,,,considered,considered,,,,,,,,,,,, +degas,,,degasses,,degassing,,,,,degassed,degassed,,,,,,,,,,,, +beware,,,bewares,,bewaring,,,,,bewared,bewared,,,,,,,,,,,, +neigh,,,neighs,,neighing,,,,,neighed,neighed,,,,,,,,,,,, +importune,,,importunes,,importuning,,,,,importuned,importuned,,,,,,,,,,,, +detruncate,,,detruncates,,detruncating,,,,,detruncated,detruncated,,,,,,,,,,,, +territorialize,,,territorializes,,territorializing,,,,,territorialized,territorialized,,,,,,,,,,,, +misfile,,,misfiles,,misfiling,,,,,misfiled,misfiled,,,,,,,,,,,, +tinsel,,,tinsels,,tinselling,,,,,tinselled,tinselled,,,,,,,,,,,, +Hellenize,,,Hellenizes,,Hellenizing,,,,,Hellenized,Hellenized,,,,,,,,,,,, +overexpose,,,overexposes,,overexposing,,,,,overexposed,overexposed,,,,,,,,,,,, +taway,,,taways,,tawaying,,,,,tawayed,tawayed,,,,,,,,,,,, +redpencil,,,redpencils,,redpencilling,,,,,redpencilled,redpencilled,,,,,,,,,,,, +fine-draw,,,fine-draws,,fine-drawing,,,,,fine-drew,fine-drawn,,,,,,,,,,,, +smile,,,smiles,,smiling,,,,,smiled,smiled,,,,,,,,,,,, +tatter,,,tatters,,tattering,,,,,tattered,tattered,,,,,,,,,,,, +bechance,,,bechances,,bechancing,,,,,bechanced,bechanced,,,,,,,,,,,, +blockade,,,blockades,,blockading,,,,,blockaded,blockaded,,,,,,,,,,,, +amerce,,,amerces,,amercing,,,,,amerced,amerced,,,,,,,,,,,, +condition,,,conditions,,conditioning,,,,,conditioned,conditioned,,,,,,,,,,,, +cable,,,cables,,cabling,,,,,cabled,cabled,,,,,,,,,,,, +recommit,,,recommits,,recommitting,,,,,recommitted,recommitted,,,,,,,,,,,, +heist,,,heists,,heisting,,,,,heisted,heisted,,,,,,,,,,,, +laud,,,lauds,,lauding,,,,,lauded,lauded,,,,,,,,,,,, +sand,,,sands,,sanding,,,,,sanded,sanded,,,,,,,,,,,, +adjust,,,adjusts,,adjusting,,,,,adjusted,adjusted,,,,,,,,,,,, +exsiccate,,,exsiccates,,exsiccating,,,,,exsiccated,exsiccated,,,,,,,,,,,, +harry,,,harries,,harrying,,,,,harried,harried,,,,,,,,,,,, +conceptualize,,,conceptualizes,,conceptualizing,,,,,conceptualized,conceptualized,,,,,,,,,,,, +enclasp,,,enclasps,,enclasping,,,,,enclasped,enclasped,,,,,,,,,,,, +overpersuade,,,overpersuades,,overpersuading,,,,,overpersuaded,overpersuaded,,,,,,,,,,,, +overspill,,,overspills,,overspilling,,,,,overspilt,overspilt,,,,,,,,,,,, +decern,,,decerns,,decerning,,,,,decerned,decerned,,,,,,,,,,,, +pash,,,pashes,,pashing,,,,,pashed,pashed,,,,,,,,,,,, +sync,,,syncs,,syncing,,,,,synced,synced,,,,,,,,,,,, +tongue-lash,,,tongue-lashes,,tongue-lashing,,,,,tongue-lashed,tongue-lashed,,,,,,,,,,,, +past,,,pasts,,pasting,,,,,pasted,pasted,,,,,,,,,,,, +burnish,,,burnishes,,burnishing,,,,,burnished,burnished,,,,,,,,,,,, +pass,,,passes,,passing,,,,,passed,passed,,,,,,,,,,,, +canvass,,,canvasses,,canvassing,,,,,canvassed,canvassed,,,,,,,,,,,, +recalculate,,,recalculates,,recalculating,,,,,recalculated,recalculated,,,,,,,,,,,, +quicken,,,quickens,,quickening,,,,,quickened,quickened,,,,,,,,,,,, +scupper,,,scuppers,,scuppering,,,,,scuppered,scuppered,,,,,,,,,,,, +clock,,,clocks,,clocking,,,,,clocked,clocked,,,,,,,,,,,, +declass,,,declasses,,declassing,,,,,declassed,declassed,,,,,,,,,,,, +forestall,,,forestalls,,forestalling,,,,,forestalled,forestalled,,,,,,,,,,,, +section,,,sections,,sectioning,,,,,sectioned,sectioned,,,,,,,,,,,, +whiff,,,whiffs,,whiffing,,,,,whiffed,whiffed,,,,,,,,,,,, +nurse,,,nurses,,nursing,,,,,nursed,nursed,,,,,,,,,,,, +perforate,,,perforates,,perforating,,,,,perforated,perforated,,,,,,,,,,,, +LHlike,,,LHlikes,,LHliking,,,,,LHliked,LHliked,,,,,,,,,,,, +contrast,,,contrasts,,contrasting,,,,,contrasted,contrasted,,,,,,,,,,,, +fuller,,,fulls,,fulling,,,,,fulled,fulled,,,,,,,,,,,, +hash,,,hashes,,hashing,,,,,hashed,hashed,,,,,,,,,,,, +empower,,,empowers,,empowering,,,,,empowered,empowered,,,,,,,,,,,, +compose,,,composes,,composing,,,,,composed,composed,,,,,,,,,,,, +hasp,,,hasps,,hasping,,,,,hasped,hasped,,,,,,,,,,,, +overawe,,,overawes,,overawing,,,,,overawed,overawed,,,,,,,,,,,, +razz,,,razzes,,razzing,,,,,razzed,razzed,,,,,,,,,,,, +schuss,,,schusses,,schussing,,,,,schussed,schussed,,,,,,,,,,,, +experience,,,experiences,,experiencing,,,,,experienced,experienced,,,,,,,,,,,, +photoengrave,,,photoengraves,,photoengraving,,,,,photoengraved,photoengraved,,,,,,,,,,,, +entoil,,,entoils,,entoiling,,,,,entoiled,entoiled,,,,,,,,,,,, +skyrocket,,,skyrockets,,skyrocketing,,,,,skyrocketed,skyrocketed,,,,,,,,,,,, +pick,,,picks,,picking,,,,,picked,picked,,,,,,,,,,,, +luck,,,lucks,,lucking,,,,,lucked,lucked,,,,,,,,,,,, +raze,,,razes,,razing,,,,,razed,razed,,,,,,,,,,,, +smuggle,,,smuggles,,smuggling,,,,,smuggled,smuggled,,,,,,,,,,,, +re-present,,,re-presents,,re-presenting,,,,,represented,re-presented,,,,,,,,,,,, +discommend,,,discommends,,discommending,,,,,discommended,discommended,,,,,,,,,,,, +depart,,,departs,,departing,,,,,departed,departed,,,,,,,,,,,, +vie,,,vies,,vying,,,,,vied,vied,,,,,,,,,,,, +uprise,,,uprises,,uprising,,,,,uprose,uprisen,,,,,,,,,,,, +regiment,,,regiments,,regimenting,,,,,regimented,regimented,,,,,,,,,,,, +estimate,,,estimates,,estimating,,,,,estimated,estimated,,,,,,,,,,,, +select,,,selects,,selecting,,,,,selected,selected,,,,,,,,,,,, +subculture,,,subcultures,,subculturing,,,,,subcultured,subcultured,,,,,,,,,,,, +palliate,,,palliates,,palliating,,,,,palliated,palliated,,,,,,,,,,,, +decribe,,,decribes,,decribing,,,,,decribed,decribed,,,,,,,,,,,, +enliven,,,enlivens,,enlivening,,,,,enlivened,enlivened,,,,,,,,,,,, +indispose,,,indisposes,,indisposing,,,,,indisposed,indisposed,,,,,,,,,,,, +maltreat,,,maltreats,,maltreating,,,,,maltreated,maltreated,,,,,,,,,,,, +implore,,,implores,,imploring,,,,,implored,implored,,,,,,,,,,,, +automate,,,automates,,automating,,,,,automated,automated,,,,,,,,,,,, +adjoin,,,adjoins,,adjoining,,,,,adjoined,adjoined,,,,,,,,,,,, +teem,,,teems,,teeming,,,,,teemed,teemed,,,,,,,,,,,, +depersonalize,,,depersonalizes,,depersonalizing,,,,,depersonalized,depersonalized,,,,,,,,,,,, +company,,,companies,,companying,,,,,companied,companied,,,,,,,,,,,, +nitrify,,,nitrifies,,nitrifying,,,,,nitrified,nitrified,,,,,,,,,,,, +pressure-cook,,,pressure-cooks,,pressure-cooking,,,,,pressure-cooked,pressure-cooked,,,,,,,,,,,, +doom,,,dooms,,dooming,,,,,doomed,doomed,,,,,,,,,,,, +unhinge,,,unhinges,,unhinging,,,,,unhinged,unhinged,,,,,,,,,,,, +kibosh,,,kiboshes,,kiboshing,,,,,kiboshed,kiboshed,,,,,,,,,,,, +fleece,,,fleeces,,fleecing,,,,,fleeced,fleeced,,,,,,,,,,,, +apportion,,,apportions,,apportioning,,,,,apportioned,apportioned,,,,,,,,,,,, +malt,,,malts,,malting,,,,,malted,malted,,,,,,,,,,,, +chisel,,,chisels,,chiselling,,,,,chiselled,chiselled,,,,,,,,,,,, +learn,,,learns,,learning,,,,,learnt,learnt,,,,,,,,,,,, +grope,,,gropes,,groping,,,,,groped,groped,,,,,,,,,,,, +changeover,,,changeovers,,changeovering,,,,,changeovered,changeovered,,,,,,,,,,,, +scramble,,,scrambles,,scrambling,,,,,scrambled,scrambled,,,,,,,,,,,, +desquamate,,,desquamates,,desquamating,,,,,desquamated,desquamated,,,,,,,,,,,, +interflow,,,interflows,,interflowing,,,,,interflowed,interflowed,,,,,,,,,,,, +lixiviate,,,lixiviates,,lixiviating,,,,,lixiviated,lixiviated,,,,,,,,,,,, +gallop,,,gallops,,galloping,,,,,galloped,galloped,,,,,,,,,,,, +scab,,,scabs,,scabbing,,,,,scabbed,scabbed,,,,,,,,,,,, +dillydally,,,dillydallies,,dillydallying,,,,,dillydallied,dillydallied,,,,,,,,,,,, +accept,,,accepts,,accepting,,,,,accepted,accepted,,,,,,,,,,,, +pubcrawl,,,pubcrawls,,pubcrawling,,,,,pubcrawled,pubcrawled,,,,,,,,,,,, +unzip,,,unzips,,unzipping,,,,,unzipped,unzipped,,,,,,,,,,,, +ethicize,,,ethicizes,,ethicizing,,,,,ethicized,ethicized,,,,,,,,,,,, +spore,,,spores,,sporing,,,,,spored,spored,,,,,,,,,,,, +sense,,,senses,,sensing,,,,,sensed,sensed,,,,,,,,,,,, +scar,,,scars,,scarring,,,,,scarred,scarred,,,,,,,,,,,, +dress,,,dresses,,dressing,,,,,dressed,dressed,,,,,,,,,,,, +scat,,,scats,,scatting,,,,,scatted,scatted,,,,,,,,,,,, +condemn,,,condemns,,condemning,,,,,condemned,condemned,,,,,,,,,,,, +dazzle,,,dazzles,,dazzling,,,,,dazzled,dazzled,,,,,,,,,,,, +treadle,,,treadles,,treadling,,,,,treadled,treadled,,,,,,,,,,,, +peptonize,,,peptonizes,,peptonizing,,,,,peptonized,peptonized,,,,,,,,,,,, +enlarge,,,enlarges,,enlarging,,,,,enlarged,enlarged,,,,,,,,,,,, +topdress,,,topdresses,,topdressing,,,,,topdressed,topdressed,,,,,,,,,,,, +cling,,,clings,,clinging,,,,,clung,clung,,,,,,,,,,,, +clink,,,clinks,,clinking,,,,,clinked,clinked,,,,,,,,,,,, +plant,,,plants,,planting,,,,,planted,planted,,,,,,,,,,,, +anoint,,,anoints,,anointing,,,,,anointed,anointed,,,,,,,,,,,, +brachiate,,,brachiates,,brachiating,,,,,brachiated,brachiated,,,,,,,,,,,, +domesticize,,,domesticizes,,domesticizing,,,,,domesticized,domesticized,,,,,,,,,,,, +sympathize,,,sympathizes,,sympathizing,,,,,sympathized,sympathized,,,,,,,,,,,, +polymerize,,,polymerizes,,polymerizing,,,,,polymerized,polymerized,,,,,,,,,,,, +volatilize,,,volatilizes,,volatilizing,,,,,volatilized,volatilized,,,,,,,,,,,, +plane,,,planes,,planing,,,,,planed,planed,,,,,,,,,,,, +waver,,,wavers,,wavering,,,,,wavered,wavered,,,,,,,,,,,, +underseal,,,underseals,,undersealing,,,,,undersealed,undersealed,,,,,,,,,,,, +develop,,,develops,,developing,,,,,developed,developed,,,,,,,,,,,, +flutter,,,flutters,,fluttering,,,,,fluttered,fluttered,,,,,,,,,,,, +misapprehend,,,misapprehends,,misapprehending,,,,,misapprehended,misapprehended,,,,,,,,,,,, +refuse,,,refuses,,refusing,,,,,refused,refused,,,,,,,,,,,, +resemble,,,resembles,,resembling,,,,,resembled,resembled,,,,,,,,,,,, +syphon,,,syphons,,syphoning,,,,,syphoned,syphoned,,,,,,,,,,,, +register,,,registers,,registering,,,,,registered,registered,,,,,,,,,,,, +pucker,,,puckers,,puckering,,,,,puckered,puckered,,,,,,,,,,,, +denude,,,denudes,,denuding,,,,,denuded,denuded,,,,,,,,,,,, +wrench,,,wrenches,,wrenching,,,,,wrenched,wrenched,,,,,,,,,,,, +trellis,,,trellises,,trellising,,,,,trellised,trellised,,,,,,,,,,,, +pant,,,pants,,panting,,,,,panted,panted,,,,,,,,,,,, +parboil,,,parboils,,parboiling,,,,,parboiled,parboiled,,,,,,,,,,,, +televise,,,televises,,televising,,,,,televised,televised,,,,,,,,,,,, +trichinize,,,trichinizes,,trichinizing,,,,,trichinized,trichinized,,,,,,,,,,,, +trade,,,trades,,trading,,,,,traded,traded,,,,,,,,,,,, +wester,,,westers,,westering,,,,,westered,westered,,,,,,,,,,,, +paper,,,papers,,papering,,,,,papered,papered,,,,,,,,,,,, +brim,,,brims,,brimming,,,,,brimmed,brimmed,,,,,,,,,,,, +kibble,,,kibbles,,kibbling,,,,,kibbled,kibbled,,,,,,,,,,,, +wetnurse,,,wetnurses,,wetnursing,,,,,wetnursed,wetnursed,,,,,,,,,,,, +mamaguy,,,mamaguys,,mamaguying,,,,,mamaguyed,mamaguyed,,,,,,,,,,,, +commeasure,,,commeasures,,commeasuring,,,,,commeasured,commeasured,,,,,,,,,,,, +coarsen,,,coarsens,,coarsening,,,,,coarsened,coarsened,,,,,,,,,,,, +bypass,,,bypasses,,bypassing,,,,,bypassed,bypassed,,,,,,,,,,,, +Judaize,,,Judaizes,,Judaizing,,,,,Judaized,Judaized,,,,,,,,,,,, +sauce,,,sauces,,saucing,,,,,sauced,sauced,,,,,,,,,,,, +ally,,,allies,,allying,,,,,allied,allied,,,,,,,,,,,, +wry,,,wries,,wrying,,,,,wried,wried,,,,,,,,,,,, +propose,,,proposes,,proposing,,,,,proposed,proposed,,,,,,,,,,,, +consign,,,consigns,,consigning,,,,,consigned,consigned,,,,,,,,,,,, +respire,,,respires,,respiring,,,,,respired,respired,,,,,,,,,,,, +imperil,,,imperils,,imperiling,,,,,imperiled,imperiled,,,,,,,,,,,, +skipper,,,skippers,,skippering,,,,,skippered,skippered,,,,,,,,,,,, +misuse,,,misuses,,misusing,,,,,misused,misused,,,,,,,,,,,, +speculate,,,speculates,,speculating,,,,,speculated,speculated,,,,,,,,,,,, +harrow,,,harrows,,harrowing,,,,,harrowed,harrowed,,,,,,,,,,,, +resurface,,,resurfaces,,resurfacing,,,,,resurfaced,resurfaced,,,,,,,,,,,, +founder,,,founds,,founding,,,,,founded,founded,,,,,,,,,,,, +mump,,,mumps,,mumping,,,,,mumped,mumped,,,,,,,,,,,, +reduce,,,reduces,,reducing,,,,,reduced,reduced,,,,,,,,,,,, +police,,,polices,,policing,,,,,policed,policed,,,,,,,,,,,, +unhair,,,unhairs,,unhairing,,,,,unhaired,unhaired,,,,,,,,,,,, +scribe,,,scribes,,scribing,,,,,scribed,scribed,,,,,,,,,,,, +terrify,,,terrifies,,terrifying,,,,,terrified,terrified,,,,,,,,,,,, +markup,,,,,,,,,,,,,,,,,,,,,,, +research,,,researches,,researching,,,,,researched,researched,,,,,,,,,,,, +vowelize,,,vowelizes,,vowelizing,,,,,vowelized,vowelized,,,,,,,,,,,, +Gothicize,,,Gothicizes,,Gothicizing,,,,,Gothicized,Gothicized,,,,,,,,,,,, +salute,,,salutes,,saluting,,,,,saluted,saluted,,,,,,,,,,,, +desulphurize,,,desulphurizes,,desulphurizing,,,,,desulphurized,desulphurized,,,,,,,,,,,, +unbuckle,,,unbuckles,,unbuckling,,,,,unbuckled,unbuckled,,,,,,,,,,,, +disfigure,,,disfigures,,disfiguring,,,,,disfigured,disfigured,,,,,,,,,,,, +palter,,,palters,,paltering,,,,,paltered,paltered,,,,,,,,,,,, +pickaxe,,,pickaxes,,pickaxing,,,,,pickaxed,pickaxed,,,,,,,,,,,, +murmur,,,murmurs,,murmuring,,,,,murmured,murmured,,,,,,,,,,,, +imagine,,,imagines,,imagining,,,,,imagined,imagined,,,,,,,,,,,, +dehorn,,,dehorns,,dehorning,,,,,dehorned,dehorned,,,,,,,,,,,, +reproach,,,reproaches,,reproaching,,,,,reproached,reproached,,,,,,,,,,,, +lucubrate,,,lucubrates,,lucubrating,,,,,lucubrated,lucubrated,,,,,,,,,,,, +fadge,,,fadges,,fadging,,,,,fadged,fadged,,,,,,,,,,,, +sicken,,,sickens,,sickening,,,,,sickened,sickened,,,,,,,,,,,, +bumper,,,bumpers,,bumpering,,,,,bumpered,bumpered,,,,,,,,,,,, +constringe,,,constringes,,constringing,,,,,constringed,constringed,,,,,,,,,,,, +clump,,,clumps,,clumping,,,,,clumped,clumped,,,,,,,,,,,, +adduct,,,adducts,,adducting,,,,,adducted,adducted,,,,,,,,,,,, +major,,,majors,,majoring,,,,,majored,majored,,,,,,,,,,,, +besteaded,,,besteads,,besteading,,,,,besteadeded,besteadeded,,,,,,,,,,,, +purport,,,purports,,purporting,,,,,purported,purported,,,,,,,,,,,, +mercurialize,,,mercurializes,,mercurializing,,,,,mercurialized,mercurialized,,,,,,,,,,,, +number,,,numbers,,numbering,,,,,numbered,numbered,,,,,,,,,,,, +adduce,,,adduces,,adducing,,,,,adduced,adduced,,,,,,,,,,,, +sequester,,,sequesters,,sequestering,,,,,sequestered,sequestered,,,,,,,,,,,, +tango,,,tangoes,,tangoing,,,,,tangoed,tangoed,,,,,,,,,,,, +glitter,,,glitters,,glittering,,,,,glittered,glittered,,,,,,,,,,,, +guess,,,guesses,,guessing,,,,,guessed,guessed,,,,,,,,,,,, +fuller,,,fullers,,fullering,,,,,fullered,fullered,,,,,,,,,,,, +guest,,,guests,,guesting,,,,,guested,guested,,,,,,,,,,,, +jet,,,jets,,jetting,,,,,jetted,jetted,,,,,,,,,,,, +swipe,,,swipes,,swiping,,,,,swiped,swiped,,,,,,,,,,,, +saint,,,saints,,sainting,,,,,sainted,sainted,,,,,,,,,,,, +aver,,,avers,,averring,,,,,averred,averred,,,,,,,,,,,, +unbolt,,,unbolts,,unbolting,,,,,unbolted,unbolted,,,,,,,,,,,, +gnash,,,gnashes,,gnashing,,,,,gnashed,gnashed,,,,,,,,,,,, +discombobulate,,,discombobulates,,discombobulating,,,,,discombobulated,discombobulated,,,,,,,,,,,, +embattle,,,embattles,,embattling,,,,,embattled,embattled,,,,,,,,,,,, +decarburize,,,decarburizes,,decarburizing,,,,,decarburized,decarburized,,,,,,,,,,,, +ingurgitate,,,ingurgitates,,ingurgitating,,,,,ingurgitated,ingurgitated,,,,,,,,,,,, +consult,,,consults,,consulting,,,,,consulted,consulted,,,,,,,,,,,, +stifle,,,stifles,,stifling,,,,,stifled,stifled,,,,,,,,,,,, +grace,,,graces,,gracing,,,,,graced,graced,,,,,,,,,,,, +truckle,,,truckles,,truckling,,,,,truckled,truckled,,,,,,,,,,,, +frock,,,frocks,,frocking,,,,,frocked,frocked,,,,,,,,,,,, +double-declutch,,,double-declutches,,double-declutching,,,,,double-declutched,double-declutched,,,,,,,,,,,, +postdate,,,postdates,,postdating,,,,,postdated,postdated,,,,,,,,,,,, +defect,,,defects,,defecting,,,,,defected,defected,,,,,,,,,,,, +waft,,,wafts,,wafting,,,,,wafted,wafted,,,,,,,,,,,, +unsnarl,,,unsnarls,,unsnarling,,,,,unsnarled,unsnarled,,,,,,,,,,,, +caress,,,caresses,,caressing,,,,,caressed,caressed,,,,,,,,,,,, +conjugate,,,conjugates,,conjugating,,,,,conjugated,conjugated,,,,,,,,,,,, +waff,,,waffs,,waffing,,,,,waffed,waffed,,,,,,,,,,,, +collapse,,,collapses,,collapsing,,,,,collapsed,collapsed,,,,,,,,,,,, +sell,,,sells,,selling,,,,,sold,sold,,,,,,,,,,,, +shrivel,,,shrivels,,shrivelling,,,,,shrivelled,shrivelled,,,,,,,,,,,, +ratiocinate,,,ratiocinates,,ratiocinating,,,,,ratiocinated,ratiocinated,,,,,,,,,,,, +tarnish,,,tarnishes,,tarnishing,,,,,tarnished,tarnished,,,,,,,,,,,, +jeopardize,,,jeopardizes,,jeopardizing,,,,,jeopardized,jeopardized,,,,,,,,,,,, +trowel,,,trowels,,trowelling,,,,,trowelled,trowelled,,,,,,,,,,,, +distemper,,,distempers,,distempering,,,,,distempered,distempered,,,,,,,,,,,, +kraal,,,kraals,,kraaling,,,,,kraaled,kraaled,,,,,,,,,,,, +justle,,,justles,,justling,,,,,justled,justled,,,,,,,,,,,, +brace,,,braces,,bracing,,,,,braced,braced,,,,,,,,,,,, +coff,,,coffs,,coffing,,,,,coffed,coffed,,,,,,,,,,,, +pother,,,pothers,,pothering,,,,,pothered,pothered,,,,,,,,,,,, +play,,,plays,,playing,,,,,played,played,,,,,,,,,,,, +homologate,,,homologates,,homologating,,,,,homologated,homologated,,,,,,,,,,,, +hurtle,,,hurtles,,hurtling,,,,,hurtled,hurtled,,,,,,,,,,,, +die-cast,,,die-casts,,die-casting,,,,,die-cast,die-cast,,,,,,,,,,,, +cinematograph,,,cinematographs,,cinematographing,,,,,cinematographed,cinematographed,,,,,,,,,,,, +yawn,,,yawns,,yawning,,,,,yawned,yawned,,,,,,,,,,,, +yawl,,,yawls,,yawling,,,,,yawled,yawled,,,,,,,,,,,, +plan,,,plans,,planning,,,,,planned,planned,,,,,,,,,,,, +wive,,,wives,,wiving,,,,,wived,wived,,,,,,,,,,,, +mythologize,,,mythologizes,,mythologizing,,,,,mythologized,mythologized,,,,,,,,,,,, +oyster,,,oysters,,oystering,,,,,oystered,oystered,,,,,,,,,,,, +enigmatize,,,enigmatizes,,enigmatizing,,,,,enigmatized,enigmatized,,,,,,,,,,,, +double-stop,,,double-stops,,double-stopping,,,,,double-stopped,double-stopped,,,,,,,,,,,, +flite,,,flites,,fliting,,,,,flited,flited,,,,,,,,,,,, +covet,,,covets,,coveting,,,,,coveted,coveted,,,,,,,,,,,, +cover,,,covers,,covering,,,,,covered,covered,,,,,,,,,,,, +institutionalize,,,institutionalizes,,institutionalizing,,,,,institutionalized,institutionalized,,,,,,,,,,,, +dramatize,,,dramatizes,,dramatizing,,,,,dramatized,dramatized,,,,,,,,,,,, +re-proof,,,re-proofs,,reproofing,,,,,reproofed,reproofed,,,,,,,,,,,, +administrate,,,administrates,,administrating,,,,,administrated,administrated,,,,,,,,,,,, +barrel,,,barrels,,barrelling,,,,,barrelled,barrelled,,,,,,,,,,,, +reheat,,,reheats,,reheating,,,,,reheated,reheated,,,,,,,,,,,, +bulletin,,,bulletins,,bulletining,,,,,bulletined,bulletined,,,,,,,,,,,, +despise,,,despises,,despising,,,,,despised,despised,,,,,,,,,,,, +ovulate,,,ovulates,,ovulating,,,,,ovulated,ovulated,,,,,,,,,,,, +agonize,,,agonizes,,agonizing,,,,,agonized,agonized,,,,,,,,,,,, +affix,,,affixes,,affixing,,,,,affixed,affixed,,,,,,,,,,,, +misdate,,,misdates,,misdating,,,,,misdated,misdated,,,,,,,,,,,, +desolate,,,desolates,,desolating,,,,,desolated,desolated,,,,,,,,,,,, +freight,,,freights,,freighting,,,,,freighted,freighted,,,,,,,,,,,, +impact,,,impacts,,impacting,,,,,impacted,impacted,,,,,,,,,,,, +fadein,,,,,,,,,,,,,,,,,,,,,,, +shouldst,,,shouldsts,,shouldsting,,,,,shouldsted,shouldsted,,,,,,,,,,,, +surcease,,,surceases,,surceasing,,,,,surceased,surceased,,,,,,,,,,,, +factor,,,factors,,factoring,,,,,factored,factored,,,,,,,,,,,, +foreordain,,,foreordains,,foreordaining,,,,,foreordained,foreordained,,,,,,,,,,,, +scuff,,,scuffs,,scuffing,,,,,scuffed,scuffed,,,,,,,,,,,, +de-horn,,,de-horns,,de-horning,,,,,dehorned,de-horned,,,,,,,,,,,, +resent,,,resents,,resenting,,,,,resented,resented,,,,,,,,,,,, +remedy,,,remedies,,remedying,,,,,remedied,remedied,,,,,,,,,,,, +twill,,,twills,,twilling,,,,,twilled,twilled,,,,,,,,,,,, +granulate,,,granulates,,granulating,,,,,granulated,granulated,,,,,,,,,,,, +compass,,,compasses,,compassing,,,,,compassed,compassed,,,,,,,,,,,, +ulcerate,,,ulcerates,,ulcerating,,,,,ulcerated,ulcerated,,,,,,,,,,,, +transubstantiate,,,transubstantiates,,transubstantiating,,,,,transubstantiated,transubstantiated,,,,,,,,,,,, +sleeve,,,sleeves,,sleeving,,,,,sleeved,sleeved,,,,,,,,,,,, +transship,,,transships,,transshipping,,,,,transshipped,transshipped,,,,,,,,,,,, +cry,,,cries,,crying,,,,,cried,cried,,,,,,,,,,,, +proclaim,,,proclaims,,proclaiming,,,,,proclaimed,proclaimed,,,,,,,,,,,, +cease,,,ceases,,ceasing,,,,,ceased,ceased,,,,,,,,,,,, +obscure,,,obscures,,obscuring,,,,,obscured,obscured,,,,,,,,,,,, +rivet,,,rivets,,riveting,,,,,riveted,riveted,,,,,,,,,,,, +weathercock,,,weathercocks,,weathercocking,,,,,weathercocked,weathercocked,,,,,,,,,,,, +sew,,,sews,,sewing,,,,,sewed,sewn,,,,,,,,,,,, +set,,,sets,,setting,,,,,set,set,,,,,,,,,,,, +unpick,,,unpicks,,unpicking,,,,,unpicked,unpicked,,,,,,,,,,,, +overwhelm,,,overwhelms,,overwhelming,,,,,overwhelmed,overwhelmed,,,,,,,,,,,, +jade,,,jades,,jading,,,,,jaded,jaded,,,,,,,,,,,, +nibble,,,nibbles,,nibbling,,,,,nibbled,nibbled,,,,,,,,,,,, +sex,,,sexes,,sexing,,,,,sexed,sexed,,,,,,,,,,,, +see,,,sees,,seeing,,,,,saw,seen,,,,,,,,,,,, +backfire,,,backfires,,backfiring,,,,,backfired,backfired,,,,,,,,,,,, +winterfeed,,,winterfeeds,,winterfeeding,,,,,winterfed,winterfed,,,,,,,,,,,, +contour,,,contours,,contouring,,,,,contoured,contoured,,,,,,,,,,,, +electioneer,,,electioneers,,electioneering,,,,,electioneered,electioneered,,,,,,,,,,,, +shower,,,showers,,showering,,,,,showered,showered,,,,,,,,,,,, +outbreed,,,outbreeds,,outbreeding,,,,,outbred,outbred,,,,,,,,,,,, +phosphatize,,,phosphatizes,,phosphatizing,,,,,phosphatized,phosphatized,,,,,,,,,,,, +deactivate,,,deactivates,,deactivating,,,,,deactivated,deactivated,,,,,,,,,,,, +overindulge,,,overindulges,,overindulging,,,,,overindulged,overindulged,,,,,,,,,,,, +jerrybuild,,,jerrybuilds,,jerrybuilding,,,,,jerrybuilt,jerrybuilt,,,,,,,,,,,, +schematize,,,schematizes,,schematizing,,,,,schematized,schematized,,,,,,,,,,,, +knap,,,knaps,,knapping,,,,,knapped,knapped,,,,,,,,,,,, +motorize,,,motorizes,,motorizing,,,,,motorized,motorized,,,,,,,,,,,, +beatify,,,beatifies,,beatifying,,,,,beatified,beatified,,,,,,,,,,,, +kneel,,,kneels,,kneeling,,,,,knelt,knelt,,,,,,,,,,,, +oxidize,,,oxidizes,,oxidizing,,,,,oxidized,oxidized,,,,,,,,,,,, +mildew,,,mildews,,mildewing,,,,,mildewed,mildewed,,,,,,,,,,,, +superimpose,,,superimposes,,superimposing,,,,,superimposed,superimposed,,,,,,,,,,,, +loiter,,,loiters,,loitering,,,,,loitered,loitered,,,,,,,,,,,, +disallow,,,disallows,,disallowing,,,,,disallowed,disallowed,,,,,,,,,,,, +samba,,,sambas,,sambaing,,,,,sambaed,sambaed,,,,,,,,,,,, +deracinate,,,deracinates,,deracinating,,,,,deracinated,deracinated,,,,,,,,,,,, +milden,,,mildens,,mildening,,,,,mildened,mildened,,,,,,,,,,,, +last,,,lasts,,lasting,,,,,lasted,lasted,,,,,,,,,,,, +exscind,,,exscinds,,exscinding,,,,,exscinded,exscinded,,,,,,,,,,,, +lase,,,lases,,lasing,,,,,lased,lased,,,,,,,,,,,, +lash,,,lashes,,lashing,,,,,lashed,lashed,,,,,,,,,,,, +approve,,,approves,,approving,,,,,approved,approved,,,,,,,,,,,, +vesiculate,,,vesiculates,,vesiculating,,,,,vesiculated,vesiculated,,,,,,,,,,,, +load,,,loads,,loading,,,,,loaded,loaded,,,,,,,,,,,, +loaf,,,loafs,,loafing,,,,,loafed,loafed,,,,,,,,,,,, +dizen,,,dizens,,dizening,,,,,dizened,dizened,,,,,,,,,,,, +bell,,,bells,,belling,,,,,belled,belled,,,,,,,,,,,, +loam,,,loams,,loaming,,,,,loamed,loamed,,,,,,,,,,,, +loan,,,loans,,loaning,,,,,loaned,loaned,,,,,,,,,,,, +gold-plate,,,gold-plates,,gold-plating,,,,,gold-plated,gold-plated,,,,,,,,,,,, +scallop,,,scallops,,scalloping,,,,,scalloped,scalloped,,,,,,,,,,,, +church,,,churches,,churching,,,,,churched,churched,,,,,,,,,,,, +underlay,,,underlays,,underlaying,,,,,underlaid,underlaid,,,,,,,,,,,, +entail,,,entails,,entailing,,,,,entailed,entailed,,,,,,,,,,,, +devil,,,devils,,deviling,,,,,deviled,deviled,,,,,,,,,,,, +seep,,,seeps,,seeping,,,,,seeped,seeped,,,,,,,,,,,, +rattle,,,rattles,,rattling,,,,,rattled,rattled,,,,,,,,,,,, +Mace,,,Maces,,Maceing,,,,,Maced,Maced,,,,,,,,,,,, +veneer,,,veneers,,veneering,,,,,veneered,veneered,,,,,,,,,,,, +firm,,,firms,,firming,,,,,firmed,firmed,,,,,,,,,,,, +champion,,,champions,,championing,,,,,championed,championed,,,,,,,,,,,, +fire,,,fires,,firing,,,,,fired,fired,,,,,,,,,,,, +infect,,,infects,,infecting,,,,,infected,infected,,,,,,,,,,,, +upstart,,,upstarts,,upstarting,,,,,upstarted,upstarted,,,,,,,,,,,, +remark,,,remarks,,remarking,,,,,remarked,remarked,,,,,,,,,,,, +reassert,,,reasserts,,reasserting,,,,,reasserted,reasserted,,,,,,,,,,,, +fund,,,funds,,funding,,,,,funded,funded,,,,,,,,,,,, +revile,,,reviles,,reviling,,,,,reviled,reviled,,,,,,,,,,,, +awake,,,awakes,,awaking,,,,,awoke,awoken,,,,,,,,,,,, +deport,,,deports,,deporting,,,,,deported,deported,,,,,,,,,,,, +funk,,,funks,,funking,,,,,funked,funked,,,,,,,,,,,, +budget,,,budgets,,budgeting,,,,,budgeted,budgeted,,,,,,,,,,,, +admire,,,admires,,admiring,,,,,admired,admired,,,,,,,,,,,, +harrumph,,,harrumphs,,harrumphing,,,,,harrumphed,harrumphed,,,,,,,,,,,, +swim,,,swims,,swimming,,,,,swam,swum,,,,,,,,,,,, +pound,,,pounds,,pounding,,,,,pounded,pounded,,,,,,,,,,,, +screech,,,screeches,,screeching,,,,,screeched,screeched,,,,,,,,,,,, +comport,,,comports,,comporting,,,,,comported,comported,,,,,,,,,,,, +Mimeograph,,,Mimeographes,,Mimeographing,,,,,Mimeographed,Mimeographed,,,,,,,,,,,, +caramelize,,,caramelizes,,caramelizing,,,,,caramelized,caramelized,,,,,,,,,,,, +swage,,,swages,,swaging,,,,,swaged,swaged,,,,,,,,,,,, +hover,,,hovers,,hovering,,,,,hovered,hovered,,,,,,,,,,,, +enlace,,,enlaces,,enlacing,,,,,enlaced,enlaced,,,,,,,,,,,, +vanish,,,vanishes,,vanishing,,,,,vanished,vanished,,,,,,,,,,,, +exult,,,exults,,exulting,,,,,exulted,exulted,,,,,,,,,,,, +seel,,,seels,,seeling,,,,,seeled,seeled,,,,,,,,,,,, +decoy,,,decoys,,decoying,,,,,decoyed,decoyed,,,,,,,,,,,, +transmigrate,,,transmigrates,,transmigrating,,,,,transmigrated,transmigrated,,,,,,,,,,,, +shorten,,,shortens,,shortening,,,,,shortened,shortened,,,,,,,,,,,, +survey,,,surveys,,surveying,,,,,surveyed,surveyed,,,,,,,,,,,, +educe,,,educes,,educing,,,,,educed,educed,,,,,,,,,,,, +holystone,,,holystones,,holystoning,,,,,holystoned,holystoned,,,,,,,,,,,, +commune,,,communes,,communing,,,,,communed,communed,,,,,,,,,,,, +bestrew,,,bestrews,,bestrewing,,,,,bestrewed,bestrewn,,,,,,,,,,,, +ingot,,,ingots,,ingoting,,,,,ingoted,ingoted,,,,,,,,,,,, +discontinue,,,discontinues,,discontinuing,,,,,discontinued,discontinued,,,,,,,,,,,, +alert,,,alerts,,alerting,,,,,alerted,alerted,,,,,,,,,,,, +exsect,,,exsects,,exsecting,,,,,exsected,exsected,,,,,,,,,,,, +decolour,,,decolours,,decolouring,,,,,decoloured,decoloured,,,,,,,,,,,, +volplane,,,volplanes,,volplaning,,,,,volplaned,volplaned,,,,,,,,,,,, +uncoil,,,uncoils,,uncoiling,,,,,uncoiled,uncoiled,,,,,,,,,,,, +shrive,,,shrives,,shriving,,,,,shrove,shriven,,,,,,,,,,,, +nickname,,,nicknames,,nicknaming,,,,,nicknamed,nicknamed,,,,,,,,,,,, +climb,,,climbs,,climbing,,,,,climbed,climbed,,,,,,,,,,,, +expend,,,expends,,expending,,,,,expended,expended,,,,,,,,,,,, +surrogate,,,surrogates,,surrogating,,,,,surrogated,surrogated,,,,,,,,,,,, +azotize,,,azotizes,,azotizing,,,,,azotized,azotized,,,,,,,,,,,, +concrete,,,concretes,,concreting,,,,,concreted,concreted,,,,,,,,,,,, +obtest,,,obtests,,obtesting,,,,,obtested,obtested,,,,,,,,,,,, +comprise,,,comprises,,comprising,,,,,comprised,comprised,,,,,,,,,,,, +rejuvenesce,,,rejuvenesces,,rejuvenescing,,,,,rejuvenesced,rejuvenesced,,,,,,,,,,,, +emblazon,,,emblazons,,emblazoning,,,,,emblazoned,emblazoned,,,,,,,,,,,, +fluoresce,,,fluoresces,,fluorescing,,,,,fluoresced,fluoresced,,,,,,,,,,,, +salve,,,salves,,salving,,,,,salved,salved,,,,,,,,,,,, +house-train,,,house-trains,,house-training,,,,,house-trained,house-trained,,,,,,,,,,,, +derange,,,deranges,,deranging,,,,,deranged,deranged,,,,,,,,,,,, +cuckold,,,cuckolds,,cuckolding,,,,,cuckolded,cuckolded,,,,,,,,,,,, +cordon,,,cordons,,cordoning,,,,,cordoned,cordoned,,,,,,,,,,,, +format,,,formats,,formatting,,,,,formatted,formatted,,,,,,,,,,,, +couple,,,couples,,coupling,,,,,coupled,coupled,,,,,,,,,,,, +intuit,,,intuits,,intuiting,,,,,intuited,intuited,,,,,,,,,,,, +flareup,,,,,,,,,,,,,,,,,,,,,,, +quest,,,quests,,questing,,,,,quested,quested,,,,,,,,,,,, +blackjack,,,blackjacks,,blackjacking,,,,,blackjacked,blackjacked,,,,,,,,,,,, +outstay,,,outstays,,outstaying,,,,,outstayed,outstayed,,,,,,,,,,,, +towel,,,towels,,towelling,,,,,towelled,towelled,,,,,,,,,,,, +abduct,,,abducts,,abducting,,,,,abducted,abducted,,,,,,,,,,,, +flannel,,,flannels,,flannelling,,,,,flannelled,flannelled,,,,,,,,,,,, +bruit,,,bruits,,bruiting,,,,,bruited,bruited,,,,,,,,,,,, +constipate,,,constipates,,constipating,,,,,constipated,constipated,,,,,,,,,,,, +continue,,,continues,,continuing,,,,,continued,continued,,,,,,,,,,,, +scape,,,scapes,,scaping,,,,,scaped,scaped,,,,,,,,,,,, +sugarcoat,,,sugarcoats,,sugarcoating,,,,,sugarcoated,sugarcoated,,,,,,,,,,,, +decrease,,,decreases,,decreasing,,,,,decreased,decreased,,,,,,,,,,,, +disorder,,,disorders,,disordering,,,,,disordered,disordered,,,,,,,,,,,, +sensitize,,,sensitizes,,sensitizing,,,,,sensitized,sensitized,,,,,,,,,,,, +silence,,,silences,,silencing,,,,,silenced,silenced,,,,,,,,,,,, +crescendo,,,crescendoes,,crescendoing,,,,,crescendoed,crescendoed,,,,,,,,,,,, +gargle,,,gargles,,gargling,,,,,gargled,gargled,,,,,,,,,,,, +spring,,,springs,,springing,,,,,sprung,,,,,,,,,,,,, +comp`ere,,,comp`eres,,comp`ering,,,,,comp`ered,comp`ered,,,,,,,,,,,, +bounce,,,bounces,,bouncing,,,,,bounced,bounced,,,,,,,,,,,, +beckon,,,beckons,,beckoning,,,,,beckoned,beckoned,,,,,,,,,,,, +palm,,,palms,,palming,,,,,palmed,palmed,,,,,,,,,,,, +pall,,,palls,,,,,,,,,,,,,,,,,,,, +peptize,,,peptizes,,peptizing,,,,,peptized,peptized,,,,,,,,,,,, +sprint,,,sprints,,sprinting,,,,,sprinted,sprinted,,,,,,,,,,,, +impanel,,,impanels,,impanelling,,,,,impanelled,impanelled,,,,,,,,,,,, +pale,,,pales,,paling,,,,,paled,paled,,,,,,,,,,,, +etymologize,,,etymologizes,,etymologizing,,,,,etymologized,etymologized,,,,,,,,,,,, +untangle,,,untangles,,untangling,,,,,untangled,untangled,,,,,,,,,,,, +disinfest,,,disinfests,,disinfesting,,,,,disinfested,disinfested,,,,,,,,,,,, +twinkle,,,twinkles,,twinkling,,,,,twinkled,twinkled,,,,,,,,,,,, +behave,,,behaves,,behaving,,,,,behaved,behaved,,,,,,,,,,,, +osculate,,,osculates,,osculating,,,,,osculated,osculated,,,,,,,,,,,, +be,am,are,is,are,being,was,were,was,were,were,been,,am not,aren't,isn't,aren't,,wasn't,weren't,wasn't,weren't,weren't, +suburbanize,,,suburbanizes,,suburbanizing,,,,,suburbanized,suburbanized,,,,,,,,,,,, +hachure,,,hachures,,hachuring,,,,,hachured,hachured,,,,,,,,,,,, +carol,,,carols,,carolling,,,,,carolled,carolled,,,,,,,,,,,, +ward,,,wards,,warding,,,,,warded,warded,,,,,,,,,,,, +zip,,,zips,,zipping,,,,,zipped,zipped,,,,,,,,,,,, +coexist,,,coexists,,coexisting,,,,,coexisted,coexisted,,,,,,,,,,,, +hatchel,,,hatchels,,hatcheling,,,,,hatcheled,hatcheled,,,,,,,,,,,, +frizzle,,,frizzles,,frizzling,,,,,frizzled,frizzled,,,,,,,,,,,, +filagree,,,filagrees,,filagreeing,,,,,filagreed,filagreed,,,,,,,,,,,, +upswell,,,upswells,,upswelling,,,,,upswelled,upswelled,,,,,,,,,,,, +repair,,,repairs,,repairing,,,,,repaired,repaired,,,,,,,,,,,, +reverence,,,reverences,,reverencing,,,,,reverenced,reverenced,,,,,,,,,,,, +noddle,,,noddles,,noddling,,,,,noddled,noddled,,,,,,,,,,,, +recreate,,,recreates,,recreating,,,,,recreated,recreated,,,,,,,,,,,, +appropriate,,,appropriates,,appropriating,,,,,appropriated,appropriated,,,,,,,,,,,, +blench,,,blenches,,blenching,,,,,blenched,blenched,,,,,,,,,,,, +span,,,spans,,spanning,,,,,spanned,spanned,,,,,,,,,,,, +traduce,,,traduces,,traducing,,,,,traduced,traduced,,,,,,,,,,,, +phosphorate,,,phosphorates,,phosphorating,,,,,phosphorated,phosphorated,,,,,,,,,,,, +spag,,,spags,,spagging,,,,,spagged,spagged,,,,,,,,,,,, +chide,,,chides,,chiding,,,,,chided,chided,,,,,,,,,,,, +spae,,,spaes,,spaeing,,,,,spaed,spaed,,,,,,,,,,,, +occupy,,,occupies,,occupying,,,,,occupied,occupied,,,,,,,,,,,, +spay,,,spays,,spaying,,,,,spayed,spayed,,,,,,,,,,,, +mishandle,,,mishandles,,mishandling,,,,,mishandled,mishandled,,,,,,,,,,,, +suit,,,suits,,suiting,,,,,suited,suited,,,,,,,,,,,, +spar,,,spars,,sparring,,,,,sparred,sparred,,,,,,,,,,,, +blueprint,,,blueprints,,blueprinting,,,,,blueprinted,blueprinted,,,,,,,,,,,, +expound,,,expounds,,expounding,,,,,expounded,expounded,,,,,,,,,,,, +litigate,,,litigates,,litigating,,,,,litigated,litigated,,,,,,,,,,,, +fidge,,,fidges,,fidging,,,,,fidged,fidged,,,,,,,,,,,, +tally,,,tallies,,tallying,,,,,tallied,tallied,,,,,,,,,,,, +coedit,,,coedits,,coediting,,,,,coedited,coedited,,,,,,,,,,,, +link,,,links,,linking,,,,,linked,linked,,,,,,,,,,,, +don,,,dons,,donning,,,,,donned,donned,,,,,,,,,,,, +line,,,lines,,lining,,,,,lined,lined,,,,,,,,,,,, +photosynthesize,,,photosynthesizes,,photosynthesizing,,,,,photosynthesized,photosynthesized,,,,,,,,,,,, +angle-park,,,angle-parks,,angle-parking,,,,,angle-parked,angle-parked,,,,,,,,,,,, +harangue,,,harangues,,haranguing,,,,,harangued,harangued,,,,,,,,,,,, +up,,,,,upping,,,,,upped,upped,,,,,,,,,,,, +slander,,,slanders,,slandering,,,,,slandered,slandered,,,,,,,,,,,, +mature,,,matures,,maturing,,,,,matured,matured,,,,,,,,,,,, +readdress,,,readdresses,,readdressing,,,,,readdressed,readdressed,,,,,,,,,,,, +dehumidify,,,dehumidifies,,dehumidifying,,,,,dehumidified,dehumidified,,,,,,,,,,,, +reconcile,,,reconciles,,reconciling,,,,,reconciled,reconciled,,,,,,,,,,,, +confiscate,,,confiscates,,confiscating,,,,,confiscated,confiscated,,,,,,,,,,,, +overland,,,overlands,,overlanding,,,,,overlanded,overlanded,,,,,,,,,,,, +influence,,,influences,,influencing,,,,,influenced,influenced,,,,,,,,,,,, +haunt,,,haunts,,haunting,,,,,haunted,haunted,,,,,,,,,,,, +snaffle,,,snaffles,,snaffling,,,,,snaffled,snaffled,,,,,,,,,,,, +char,,,chars,,charring,,,,,charred,charred,,,,,,,,,,,, +chap,,,chaps,,chapping,,,,,chapped,chapped,,,,,,,,,,,, +muckrake,,,muckrakes,,muckraking,,,,,muckraked,muckraked,,,,,,,,,,,, +chaw,,,chaws,,chawing,,,,,chawed,chawed,,,,,,,,,,,, +chat,,,chats,,chatting,,,,,chatted,chatted,,,,,,,,,,,, +disremember,,,disremembers,,disremembering,,,,,disremembered,disremembered,,,,,,,,,,,, +touzle,,,touzles,,touzling,,,,,touzled,touzled,,,,,,,,,,,, +copulate,,,copulates,,copulating,,,,,copulated,copulated,,,,,,,,,,,, +retrace,,,retraces,,retracing,,,,,retraced,retraced,,,,,,,,,,,, +metaphrase,,,metaphrases,,metaphrasing,,,,,metaphrased,metaphrased,,,,,,,,,,,, +invalid,,,invalids,,invaliding,,,,,invalided,invalided,,,,,,,,,,,, +mistime,,,mistimes,,mistiming,,,,,mistimed,mistimed,,,,,,,,,,,, +glair,,,glairs,,glairing,,,,,glaired,glaired,,,,,,,,,,,, +victual,,,victuals,,victualling,,,,,victualled,victualled,,,,,,,,,,,, +stillhunt,,,stillhunts,,stillhunting,,,,,stillhunted,stillhunted,,,,,,,,,,,, +retract,,,retracts,,retracting,,,,,retracted,retracted,,,,,,,,,,,, +deviate,,,deviates,,deviating,,,,,deviated,deviated,,,,,,,,,,,, +remilitarize,,,remilitarizes,,remilitarizing,,,,,remilitarized,remilitarized,,,,,,,,,,,, +scrub,,,scrubs,,scrubbing,,,,,scrubbed,scrubbed,,,,,,,,,,,, +besiege,,,besieges,,besieging,,,,,besieged,besieged,,,,,,,,,,,, +oblige,,,obliges,,obliging,,,,,obliged,obliged,,,,,,,,,,,, +kerfuffle,,,kerfuffles,,kerfuffling,,,,,kerfuffled,kerfuffled,,,,,,,,,,,, +scrum,,,scrums,,scrumming,,,,,scrummed,scrummed,,,,,,,,,,,, +worm,,,worms,,worming,,,,,wormed,wormed,,,,,,,,,,,, +hackney,,,hackneys,,hackneying,,,,,hackneyed,hackneyed,,,,,,,,,,,, +land,,,lands,,landing,,,,,landed,landed,,,,,,,,,,,, +wafer,,,wafers,,wafering,,,,,wafered,wafered,,,,,,,,,,,, +overtop,,,overtops,,overtopping,,,,,overtopped,overtopped,,,,,,,,,,,, +metabolize,,,metabolizes,,metabolizing,,,,,metabolized,metabolized,,,,,,,,,,,, +crease,,,creases,,creasing,,,,,creased,creased,,,,,,,,,,,, +feud,,,feuds,,feuding,,,,,feuded,feuded,,,,,,,,,,,, +disencumber,,,disencumbers,,disencumbering,,,,,disencumbered,disencumbered,,,,,,,,,,,, +crinkle,,,crinkles,,crinkling,,,,,crinkled,crinkled,,,,,,,,,,,, +fresh,,,freshes,,freshing,,,,,freshed,freshed,,,,,,,,,,,, +menace,,,menaces,,menacing,,,,,menaced,menaced,,,,,,,,,,,, +essay,,,essays,,essaying,,,,,essayed,essayed,,,,,,,,,,,, +code,,,codes,,coding,,,,,coded,coded,,,,,,,,,,,, +piddle,,,piddles,,piddling,,,,,piddled,piddled,,,,,,,,,,,, +scratch,,,scratches,,scratching,,,,,scratched,scratched,,,,,,,,,,,, +broaden,,,broadens,,broadening,,,,,broadened,broadened,,,,,,,,,,,, +guerdon,,,guerdons,,guerdoning,,,,,guerdoned,guerdoned,,,,,,,,,,,, +soften,,,softens,,softening,,,,,softened,softened,,,,,,,,,,,, +toggle,,,toggles,,toggling,,,,,toggled,toggled,,,,,,,,,,,, +euhemerize,,,euhemerizes,,euhemerizing,,,,,euhemerized,euhemerized,,,,,,,,,,,, +gossip,,,gossips,,gossipping,,,,,gossipped,gossipped,,,,,,,,,,,, +resonate,,,resonates,,resonating,,,,,resonated,resonated,,,,,,,,,,,, +incrust,,,incrusts,,incrusting,,,,,incrusted,incrusted,,,,,,,,,,,, +send,,,sends,,sending,,,,,sent,sent,,,,,,,,,,,, +mimeograph,,,mimeographs,,mimeographing,,,,,mimeographed,mimeographed,,,,,,,,,,,, +niello,,,niellos,,nielloing,,,,,nielloed,nielloed,,,,,,,,,,,, +dislike,,,dislikes,,disliking,,,,,disliked,disliked,,,,,,,,,,,, +retire,,,retires,,retiring,,,,,retired,retired,,,,,,,,,,,, +garden,,,gardens,,gardening,,,,,gardened,gardened,,,,,,,,,,,, +torture,,,tortures,,torturing,,,,,tortured,tortured,,,,,,,,,,,, +nonplus,,,nonplusses,,nonplussing,,,,,nonplussed,nonplussed,,,,,,,,,,,, +snowshoe,,,snowshoes,,snowshoeing,,,,,snowshoed,snowshoed,,,,,,,,,,,, +promise,,,promises,,promising,,,,,promised,promised,,,,,,,,,,,, +wipe,,,wipes,,wiping,,,,,wiped,wiped,,,,,,,,,,,, +marry,,,marries,,marrying,,,,,married,married,,,,,,,,,,,, +try,,,tries,,trying,,,,,tried,tried,,,,,,,,,,,, +threat,,,threats,,threating,,,,,threated,threated,,,,,,,,,,,, +race,,,races,,racing,,,,,raced,raced,,,,,,,,,,,, +gauge,,,gauges,,gauging,,,,,gauged,gauged,,,,,,,,,,,, +stodge,,,stodges,,stodging,,,,,stodged,stodged,,,,,,,,,,,, +sextuplicate,,,sextuplicates,,sextuplicating,,,,,sextuplicated,sextuplicated,,,,,,,,,,,, +abet,,,abets,,abetting,,,,,abetted,abetted,,,,,,,,,,,, +wrack,,,wracks,,wracking,,,,,wracked,wracked,,,,,,,,,,,, +pledge,,,pledges,,pledging,,,,,pledged,pledged,,,,,,,,,,,, +ligate,,,ligates,,ligating,,,,,ligated,ligated,,,,,,,,,,,, +tittup,,,tittups,,tittupping,,,,,tittupped,tittupped,,,,,,,,,,,, +crook,,,crooks,,crooking,,,,,crooked,crooked,,,,,,,,,,,, +imply,,,implies,,implying,,,,,implied,implied,,,,,,,,,,,, +croon,,,croons,,crooning,,,,,crooned,crooned,,,,,,,,,,,, +pour,,,pours,,pouring,,,,,poured,poured,,,,,,,,,,,, +carillon,,,carillons,,carillonning,,,,,carillonned,carillonned,,,,,,,,,,,, +index,,,indexes,,indexing,,,,,indexed,indexed,,,,,,,,,,,, +twine,,,twines,,twining,,,,,twined,twined,,,,,,,,,,,, +randomize,,,randomizes,,randomizing,,,,,randomized,randomized,,,,,,,,,,,, +birr,,,birrs,,birring,,,,,birred,birred,,,,,,,,,,,, +glissade,,,glissades,,glissading,,,,,glissaded,glissaded,,,,,,,,,,,, +throb,,,throbs,,throbbing,,,,,throbbed,throbbed,,,,,,,,,,,, +birl,,,birls,,birling,,,,,birled,birled,,,,,,,,,,,, +proffer,,,proffers,,proffering,,,,,proffered,proffered,,,,,,,,,,,, +punce,,,punces,,puncing,,,,,punced,punced,,,,,,,,,,,, +unmask,,,unmasks,,unmasking,,,,,unmasked,unmasked,,,,,,,,,,,, +leer,,,,,leing,,,,,leed,leed,,,,,,,,,,,, +leg,,,legs,,legging,,,,,legged,legged,,,,,,,,,,,, +cosset,,,cossets,,cosseting,,,,,cosseted,cosseted,,,,,,,,,,,, +let,,,lets,,letting,,,,,let,let,,,,,,,,,,,, +reduplicate,,,reduplicates,,reduplicating,,,,,reduplicated,reduplicated,,,,,,,,,,,, +licence,,,licences,,licencing,,,,,licenced,licenced,,,,,,,,,,,, +denitrify,,,denitrifies,,denitrifying,,,,,denitrified,denitrified,,,,,,,,,,,, +vinegar,,,vinegars,,vinegaring,,,,,vinegared,vinegared,,,,,,,,,,,, +engage,,,engages,,engaging,,,,,engaged,engaged,,,,,,,,,,,, +coopt,,,coopts,,coopting,,,,,coopted,coopted,,,,,,,,,,,, +receive,,,receives,,receiving,,,,,received,received,,,,,,,,,,,, +cartelize,,,cartelizes,,cartelizing,,,,,cartelized,cartelized,,,,,,,,,,,, +fetch,,,fetches,,fetching,,,,,fetched,fetched,,,,,,,,,,,, +disenfranchise,,,disenfranchises,,disenfranchising,,,,,disenfranchised,disenfranchised,,,,,,,,,,,, +defeat,,,defeats,,defeating,,,,,defeated,defeated,,,,,,,,,,,, +atomize,,,atomizes,,atomizing,,,,,atomized,atomized,,,,,,,,,,,, +rive,,,rives,,riving,,,,,rived,riven,,,,,,,,,,,, +recriminate,,,recriminates,,recriminating,,,,,recriminated,recriminated,,,,,,,,,,,, +countervail,,,countervails,,countervailing,,,,,countervailed,countervailed,,,,,,,,,,,, +sire,,,sires,,siring,,,,,sired,sired,,,,,,,,,,,, +disobey,,,disobeys,,disobeying,,,,,disobeyed,disobeyed,,,,,,,,,,,, +extricate,,,extricates,,extricating,,,,,extricated,extricated,,,,,,,,,,,, +repugn,,,repugns,,repugning,,,,,repugned,repugned,,,,,,,,,,,, +reckon,,,reckons,,reckoning,,,,,reckoned,reckoned,,,,,,,,,,,, +extirpate,,,extirpates,,extirpating,,,,,extirpated,extirpated,,,,,,,,,,,, +clype,,,clypes,,clyping,,,,,clyped,clyped,,,,,,,,,,,, +mortify,,,mortifies,,mortifying,,,,,mortified,mortified,,,,,,,,,,,, +soliloquize,,,soliloquizes,,soliloquizing,,,,,soliloquized,soliloquized,,,,,,,,,,,, +mutch,,,mutches,,mutching,,,,,mutched,mutched,,,,,,,,,,,, +certificate,,,certificates,,certificating,,,,,certificated,certificated,,,,,,,,,,,, +vocalize,,,vocalizes,,vocalizing,,,,,vocalized,vocalized,,,,,,,,,,,, +levant,,,levants,,levanting,,,,,levanted,levanted,,,,,,,,,,,, +process,,,processes,,processing,,,,,processed,processed,,,,,,,,,,,, +duplicate,,,duplicates,,duplicating,,,,,duplicated,duplicated,,,,,,,,,,,, +doubt,,,doubts,,doubting,,,,,doubted,doubted,,,,,,,,,,,, +intend,,,intends,,intending,,,,,intended,intended,,,,,,,,,,,, +pencil,,,pencils,,pencilling,,,,,pencilled,pencilled,,,,,,,,,,,, +shipwreck,,,shipwrecks,,shipwrecking,,,,,shipwrecked,shipwrecked,,,,,,,,,,,, +unplug,,,unplugs,,unplugging,,,,,unplugged,unplugged,,,,,,,,,,,, +Aryanize,,,Aryanizes,,Aryanizing,,,,,Aryanized,Aryanized,,,,,,,,,,,, +rubbish,,,rubbishes,,rubbishing,,,,,rubbished,rubbished,,,,,,,,,,,, +baby,,,babies,,babying,,,,,babied,babied,,,,,,,,,,,, +ok,,,oks,,oking,,,,,oked,oked,,,,,,,,,,,, +getter,,,getters,,gettering,,,,,gettered,gettered,,,,,,,,,,,, +casserole,,,casseroles,,casseroling,,,,,casseroled,casseroled,,,,,,,,,,,, +entangle,,,entangles,,entangling,,,,,entangled,entangled,,,,,,,,,,,, +forelock,,,forelocks,,forelocking,,,,,forelocked,forelocked,,,,,,,,,,,, +pout,,,pouts,,pouting,,,,,pouted,pouted,,,,,,,,,,,, +challenge,,,challenges,,challenging,,,,,challenged,challenged,,,,,,,,,,,, +weed,,,wees,,weeing,,,,,weed,weed,,,,,,,,,,,, +inculpate,,,inculpates,,inculpating,,,,,inculpated,inculpated,,,,,,,,,,,, +reproduce,,,reproduces,,reproducing,,,,,reproduced,reproduced,,,,,,,,,,,, +retell,,,retells,,retelling,,,,,retold,retold,,,,,,,,,,,, +thin,,,thins,,thinning,,,,,thinned,thinned,,,,,,,,,,,, +drill,,,drills,,drilling,,,,,drilled,drilled,,,,,,,,,,,, +fulfill,,,fulfils,,fulfilling,,,,,fulfilled,fulfilled,,,,,,,,,,,, +plug,,,plugs,,pluging,,,,,pluged,pluged,,,,,,,,,,,, +wedge,,,wedges,,wedging,,,,,wedged,wedged,,,,,,,,,,,, +anglify,,,anglifies,,anglifying,,,,,anglified,anglified,,,,,,,,,,,, +pawn,,,pawns,,pawning,,,,,pawned,pawned,,,,,,,,,,,, +diabolize,,,diabolizes,,diabolizing,,,,,diabolized,diabolized,,,,,,,,,,,, +lock,,,locks,,locking,,,,,locked,locked,,,,,,,,,,,, +slim,,,slims,,sliming,,,,,slimed,slimed,,,,,,,,,,,, +loco,,,locos,,locoing,,,,,locoed,locoed,,,,,,,,,,,, +spruce,,,spruces,,sprucing,,,,,spruced,spruced,,,,,,,,,,,, +slit,,,slits,,slitting,,,,,slit,slit,,,,,,,,,,,, +bend,,,bends,,bending,,,,,bent,bent,,,,,,,,,,,, +slip,,,slips,,slipping,,,,,slipped,slipped,,,,,,,,,,,, +martyr,,,martyrs,,martyring,,,,,martyred,martyred,,,,,,,,,,,, +trumpet,,,trumpets,,trumpeting,,,,,trumpeted,trumpeted,,,,,,,,,,,, +workharden,,,workhardens,,work-hardening,,,,,workhardened,workhardened,,,,,,,,,,,, +weaken,,,weakens,,weakening,,,,,weakened,weakened,,,,,,,,,,,, +rhubarb,,,rhubarbs,,rhubarbing,,,,,rhubarbed,rhubarbed,,,,,,,,,,,, +portage,,,portages,,portaging,,,,,portaged,portaged,,,,,,,,,,,, +delay,,,delays,,delaying,,,,,delayed,delayed,,,,,,,,,,,, +belly-laugh,,,belly-laughs',,belly-laughing,,,,,belly-laughed,belly-laughed,,,,,,,,,,,, +opine,,,opines,,opining,,,,,opined,opined,,,,,,,,,,,, +smut,,,smuts,,smutting,,,,,smutted,smutted,,,,,,,,,,,, +stang,,,stangs,,stanging,,,,,stanged,stanged,,,,,,,,,,,, +halter,,,halters,,haltering,,,,,haltered,haltered,,,,,,,,,,,, +await,,,awaits,,awaiting,,,,,awaited,awaited,,,,,,,,,,,, +electroform,,,electroforms,,electroforming,,,,,electroformed,electroformed,,,,,,,,,,,, +ozonize,,,ozonizes,,ozonizing,,,,,ozonized,ozonized,,,,,,,,,,,, +tier,,,tiers,,tiering,,,,,tiered,tiered,,,,,,,,,,,, +cabbage,,,cabbages,,cabbaging,,,,,cabbaged,cabbaged,,,,,,,,,,,, +hawk,,,hawks,,hawking,,,,,hawked,hawked,,,,,,,,,,,, +autograph,,,autographs,,autographing,,,,,autographed,autographed,,,,,,,,,,,, +counter,,,counters,,countering,,,,,countered,countered,,,,,,,,,,,, +roughcast,,,rough-casts,,rough-casting,,,,,roughcast,roughcast,,,,,,,,,,,, +writ,,,writs,,writing,,,,,writed,writed,,,,,,,,,,,, +allot,,,allots,,allotting,,,,,allotted,allotted,,,,,,,,,,,, +allow,,,allows,,allowing,,,,,allowed,allowed,,,,,,,,,,,, +lactate,,,lactates,,lactating,,,,,lactated,lactated,,,,,,,,,,,, +alloy,,,alloys,,alloying,,,,,alloyed,alloyed,,,,,,,,,,,, +presuppose,,,presupposes,,presupposing,,,,,presupposed,presupposed,,,,,,,,,,,, +incandesce,,,incandesces,,incandescing,,,,,incandesced,incandesced,,,,,,,,,,,, +interstratify,,,interstratifies,,interstratifying,,,,,interstratified,interstratified,,,,,,,,,,,, +mute,,,mutes,,muting,,,,,muted,muted,,,,,,,,,,,, +move,,,moves,,moving,,,,,moved,moved,,,,,,,,,,,, +parleyvoo,,,parleyvoos,,parleyvooing,,,,,parleyvooed,parleyvooed,,,,,,,,,,,, +phenolate,,,phenolates,,phenolating,,,,,phenolated,phenolated,,,,,,,,,,,, +perfect,,,perfects,,perfecting,,,,,perfected,perfected,,,,,,,,,,,, +interlineate,,,interlines,,interlining,,,,,interlined,interlined,,,,,,,,,,,, +decay,,,decays,,decaying,,,,,decayed,decayed,,,,,,,,,,,, +hypothesize,,,hypothesizes,,hypothesizing,,,,,hypothesized,hypothesized,,,,,,,,,,,, +dispose,,,disposes,,disposing,,,,,disposed,disposed,,,,,,,,,,,, +interlink,,,interlinks,,interlinking,,,,,interlinked,interlinked,,,,,,,,,,,, +shudder,,,shudders,,shuddering,,,,,shuddered,shuddered,,,,,,,,,,,, +decal,,,decals,,decaling,,,,,decaled,decaled,,,,,,,,,,,, +cosponsor,,,cosponsors,,cosponsoring,,,,,cosponsored,cosponsored,,,,,,,,,,,, +prosper,,,prospers,,prospering,,,,,prospered,prospered,,,,,,,,,,,, +impetrate,,,impetrates,,impetrating,,,,,impetrated,impetrated,,,,,,,,,,,, +garb,,,garbs,,garbing,,,,,garbed,garbed,,,,,,,,,,,, +Hebraize,,,Hebraizes,,Hebraizing,,,,,Hebraized,Hebraized,,,,,,,,,,,, +earn,,,earns,,earning,,,,,earned,earned,,,,,,,,,,,, +launder,,,launders,,laundering,,,,,laundered,laundered,,,,,,,,,,,, +dock,,,docks,,docking,,,,,docked,docked,,,,,,,,,,,, +sandpaper,,,sandpapers,,sandpapering,,,,,sandpapered,sandpapered,,,,,,,,,,,, +kiss,,,kisses,,kissing,,,,,kissed,kissed,,,,,,,,,,,, +cage,,,cages,,caging,,,,,caged,caged,,,,,,,,,,,, +realize,,,realizes,,realizing,,,,,realized,realized,,,,,,,,,,,, +annotate,,,annotates,,annotating,,,,,annotated,annotated,,,,,,,,,,,, +vernalize,,,vernalizes,,vernalizing,,,,,vernalized,vernalized,,,,,,,,,,,, +concave,,,concaves,,concaving,,,,,concaved,concaved,,,,,,,,,,,, +feminize,,,feminizes,,feminizing,,,,,feminized,feminized,,,,,,,,,,,, +colonize,,,colonizes,,colonizing,,,,,colonized,colonized,,,,,,,,,,,, +effuse,,,effuses,,effusing,,,,,effused,effused,,,,,,,,,,,, +scorch,,,scorches,,scorching,,,,,scorched,scorched,,,,,,,,,,,, +bump,,,bumps,,bumping,,,,,bumped,bumped,,,,,,,,,,,, +variegate,,,variegates,,variegating,,,,,variegated,variegated,,,,,,,,,,,, +tack,,,tacks,,tacking,,,,,tacked,tacked,,,,,,,,,,,, +xylograph,,,xylographs,,xylographing,,,,,xylographed,xylographed,,,,,,,,,,,, +castigate,,,castigates,,castigating,,,,,castigated,castigated,,,,,,,,,,,, +mete,,,metes,,meting,,,,,meted,meted,,,,,,,,,,,, +differ,,,differs,,differing,,,,,differed,differed,,,,,,,,,,,, +hackle,,,hackles,,hackling,,,,,hackled,hackled,,,,,,,,,,,, +wander,,,wanders,,wandering,,,,,wandered,wandered,,,,,,,,,,,, +witness,,,witnesses,,witnessing,,,,,witnessed,witnessed,,,,,,,,,,,, +cess,,,cesses,,cessing,,,,,cessed,cessed,,,,,,,,,,,, +burke,,,burkes,,burking,,,,,burked,burked,,,,,,,,,,,, +stare,,,stares,,staring,,,,,stared,stared,,,,,,,,,,,, +shut,,,shuts,,shutting,,,,,shut,shut,,,,,,,,,,,, +wallpaper,,,wallpapers,,wallpapering,,,,,wallpapered,wallpapered,,,,,,,,,,,, +perish,,,perishes,,perishing,,,,,perished,perished,,,,,,,,,,,, +hydrogenize,,,hydrogenizes,,hydrogenizing,,,,,hydrogenized,hydrogenized,,,,,,,,,,,, +expurgate,,,expurgates,,expurgating,,,,,expurgated,expurgated,,,,,,,,,,,, +decoct,,,decocts,,decocting,,,,,decocted,decocted,,,,,,,,,,,, +graze,,,grazes,,grazing,,,,,grazed,grazed,,,,,,,,,,,, +tempt,,,tempts,,tempting,,,,,tempted,tempted,,,,,,,,,,,, +initialize,,,initializes,,initializing,,,,,initialized,initialized,,,,,,,,,,,, +embarrass,,,embarrasses,,embarrassing,,,,,embarrassed,embarrassed,,,,,,,,,,,, +gusset,,,gussets,,gusseting,,,,,gusseted,gusseted,,,,,,,,,,,, +prepare,,,prepares,,preparing,,,,,prepared,prepared,,,,,,,,,,,, +spill,,,spills,,spilling,,,,,spilt,spilt,,,,,,,,,,,, +scarp,,,scarps,,scarping,,,,,scarped,scarped,,,,,,,,,,,, +put,,,puts,,putting,,,,,put,put,,,,,,,,,,,, +spile,,,spiles,,spiling,,,,,spiled,spiled,,,,,,,,,,,, +scare,,,scares,,scaring,,,,,scared,scared,,,,,,,,,,,, +cannonball,,,cannonballs,,cannonballing,,,,,cannonballed,cannonballed,,,,,,,,,,,, +scend,,,scends,,scending,,,,,sended,sended,,,,,,,,,,,, +dogmatize,,,dogmatizes,,dogmatizing,,,,,dogmatized,dogmatized,,,,,,,,,,,, +scent,,,scents,,scenting,,,,,scented,scented,,,,,,,,,,,, +badmouth,,,badmouths,,badmouthing,,,,,badmouthed,badmouthed,,,,,,,,,,,, +prank,,,pranks,,pranking,,,,,pranked,pranked,,,,,,,,,,,, +impulse-buy,,,impulse-buys,,impulse-buying,,,,,impulse-bought,impulse-bought,,,,,,,,,,,, +dilapidate,,,dilapidates,,dilapidating,,,,,dilapidated,dilapidated,,,,,,,,,,,, +fray,,,frays,,fraying,,,,,frayed,frayed,,,,,,,,,,,, +haver,,,havers,,havering,,,,,havered,havered,,,,,,,,,,,, +accompany,,,accompanies,,accompanying,,,,,accompanied,accompanied,,,,,,,,,,,, +aerate,,,aerates,,aerating,,,,,aerated,aerated,,,,,,,,,,,, +chagrin,,,chagrins,,chagrining,,,,,chagrined,chagrined,,,,,,,,,,,, +barnstorm,,,barnstorms,,barnstorming,,,,,barnstormed,barnstormed,,,,,,,,,,,, +burlesque,,,burlesques,,burlesquing,,,,,burlesqued,burlesqued,,,,,,,,,,,, +nebulize,,,nebulizes,,nebulizing,,,,,nebulized,nebulized,,,,,,,,,,,, +thresh,,,threshes,,threshing,,,,,threshed,threshed,,,,,,,,,,,, +haven,,,havens,,havening,,,,,havened,havened,,,,,,,,,,,, +steel,,,steels,,steeling,,,,,steeled,steeled,,,,,,,,,,,, +copyread,,,copyreads,,copyreading,,,,,copyread,copyread,,,,,,,,,,,, +wet,,,wets,,wetting,,,,,wetted,wetted,,,,,,,,,,,, +dower,,,dowers,,dowering,,,,,dowered,dowered,,,,,,,,,,,, +caponize,,,caponizes,,caponizing,,,,,caponized,caponized,,,,,,,,,,,, +traipse,,,traipses,,traipsing,,,,,traipsed,traipsed,,,,,,,,,,,, +intertwine,,,intertwines,,intertwining,,,,,intertwined,intertwined,,,,,,,,,,,, +disband,,,disbands,,disbanding,,,,,disbanded,disbanded,,,,,,,,,,,, +unman,,,unmans,,unmanning,,,,,unmanned,unmanned,,,,,,,,,,,, +amble,,,ambles,,ambling,,,,,ambled,ambled,,,,,,,,,,,, +misunderstand,,,misunderstands,,misunderstanding,,,,,misunderstood,misunderstood,,,,,,,,,,,, +prefabricate,,,prefabricates,,prefabricating,,,,,prefabricated,prefabricated,,,,,,,,,,,, +beggar,,,beggars,,beggaring,,,,,beggared,beggared,,,,,,,,,,,, +leach,,,leaches,,leaching,,,,,leached,leached,,,,,,,,,,,, +gentle,,,gentles,,gentling,,,,,gentled,gentled,,,,,,,,,,,, +skinnydip,,,skinnydips,,skinnydipping,,,,,skinnydipped,skinnydipped,,,,,,,,,,,, +delaminate,,,delaminates,,delaminating,,,,,delaminated,delaminated,,,,,,,,,,,, +outplay,,,outplays,,outplaying,,,,,outplayed,outplayed,,,,,,,,,,,, +heft,,,hefts,,hefting,,,,,hefted,hefted,,,,,,,,,,,, +soak,,,soaks,,soaking,,,,,soaked,soaked,,,,,,,,,,,, +photolithograph,,,photolithographs,,photolithographing,,,,,photolithographed,photolithographed,,,,,,,,,,,, +apprize,,,apprizes,,apprizing,,,,,apprized,apprized,,,,,,,,,,,, +lilt,,,lilts,,lilting,,,,,lilted,lilted,,,,,,,,,,,, +cozen,,,cozens,,cozening,,,,,cozened,cozened,,,,,,,,,,,, +soap,,,soaps,,soaping,,,,,soaped,soaped,,,,,,,,,,,, +soar,,,soars,,soaring,,,,,soared,soared,,,,,,,,,,,, +voyage,,,voyages,,voyaging,,,,,voyaged,voyaged,,,,,,,,,,,, +cipher,,,ciphers,,ciphering,,,,,ciphered,ciphered,,,,,,,,,,,, +vise,,,vises,,vising,,,,,vised,vised,,,,,,,,,,,, +medal,,,medals,,medalling,,,,,medalled,medalled,,,,,,,,,,,, +tergiversate,,,tergiversates,,tergiversating,,,,,tergiversated,tergiversated,,,,,,,,,,,, +duff,,,duffs,,duffing,,,,,duffed,duffed,,,,,,,,,,,, +underset,,,undersets,,undersetting,,,,,underset,underset,,,,,,,,,,,, +amortize,,,amortizes,,amortizing,,,,,amortized,amortized,,,,,,,,,,,, +brey,,,breys,,breying,,,,,breyed,breyed,,,,,,,,,,,, +reignite,,,reignites,,reigniting,,,,,reignited,reignited,,,,,,,,,,,, +enlist,,,enlists,,enlisting,,,,,enlisted,enlisted,,,,,,,,,,,, +unscramble,,,unscrambles,,unscrambling,,,,,unscrambled,unscrambled,,,,,,,,,,,, +sideslip,,,sideslips,,sideslipping,,,,,sideslipped,sideslipped,,,,,,,,,,,, +brew,,,brews,,brewing,,,,,brewed,brewed,,,,,,,,,,,, +overrate,,,overrates,,overrating,,,,,overrated,overrated,,,,,,,,,,,, +terminate,,,terminates,,terminating,,,,,terminated,terminated,,,,,,,,,,,, +dissociate,,,dissociates,,dissociating,,,,,dissociated,dissociated,,,,,,,,,,,, +crimple,,,crimples,,crimpling,,,,,crimpled,crimpled,,,,,,,,,,,, +brine,,,brines,,brining,,,,,brined,brined,,,,,,,,,,,, +rouge,,,rouges,,rouging,,,,,rouged,rouged,,,,,,,,,,,, +rough,,,roughs,,roughing,,,,,roughed,roughed,,,,,,,,,,,, +miniaturize,,,miniaturizes,,miniaturizing,,,,,miniaturized,miniaturized,,,,,,,,,,,, +redirect,,,redirects,,redirecting,,,,,redirected,redirected,,,,,,,,,,,, +foredoom,,,foredooms,,foredooming,,,,,foredoomed,foredoomed,,,,,,,,,,,, +disillusion,,,disillusions,,disillusioning,,,,,disillusioned,disillusioned,,,,,,,,,,,, +pause,,,pauses,,pausing,,,,,paused,paused,,,,,,,,,,,, +typewrite,,,typewrites,,typewriting,,,,,typewrote,typewritten,,,,,,,,,,,, +jaw,,,jaws,,jawing,,,,,jawed,jawed,,,,,,,,,,,, +transfix,,,transfixes,,transfixing,,,,,transfixed,transfixed,,,,,,,,,,,, +jar,,,jars,,jarring,,,,,jarred,jarred,,,,,,,,,,,, +should,,,shoulds,,shoulding,,,,,shoulded,shoulded,shouldn't,,,,,,,,,,, +cocainize,,,cocainizes,,cocainizing,,,,,cocainized,cocainized,,,,,,,,,,,, +jam,,,jams,,jamming,,,,,jammed,jammed,,,,,,,,,,,, +tape,,,tapes,,taping,,,,,taped,taped,,,,,,,,,,,, +unhallow,,,unhallows,,unhallowing,,,,,unhallowed,unhallowed,,,,,,,,,,,, +enwomb,,,enwombs,,enwombing,,,,,enwombed,enwombed,,,,,,,,,,,, +jagg,,,jags,,jagging,,,,,jagged,jagged,,,,,,,,,,,, +anneal,,,anneals,,annealing,,,,,annealed,annealed,,,,,,,,,,,, +flinch,,,flinches,,flinching,,,,,flinched,flinched,,,,,,,,,,,, +hope,,,hopes,,hoping,,,,,hoped,hoped,,,,,,,,,,,, +handle,,,handles,,handling,,,,,handled,handled,,,,,,,,,,,, +winterkill,,,winterkills,,winterkilling,,,,,winterkilled,winterkilled,,,,,,,,,,,, +scutch,,,scutches,,scutching,,,,,scutched,scutched,,,,,,,,,,,, +pearl,,,pearls,,pearling,,,,,pearled,pearled,,,,,,,,,,,, +wiggle,,,wiggles,,wiggling,,,,,wiggled,wiggled,,,,,,,,,,,, +rubricate,,,rubricates,,rubricating,,,,,rubricated,rubricated,,,,,,,,,,,, +wring,,,wrings,,wringing,,,,,wrung,wrung,,,,,,,,,,,, +smash,,,smashes,,smashing,,,,,smashed,smashed,,,,,,,,,,,, +dishearten,,,disheartens,,disheartening,,,,,disheartened,disheartened,,,,,,,,,,,, +summons,,,summons,,summoning,,,,,summoned,summoned,,,,,,,,,,,, +transpierce,,,transpierces,,transpiercing,,,,,transpierced,transpierced,,,,,,,,,,,, +rappel,,,rappels,,rappelling,,,,,rappelled,rappelled,,,,,,,,,,,, +stuff,,,stuffs,,stuffing,,,,,stuffed,stuffed,,,,,,,,,,,, +levigate,,,levigates,,levigating,,,,,levigated,levigated,,,,,,,,,,,, +rein,,,reins,,reining,,,,,reined,reined,,,,,,,,,,,, +exude,,,exudes,,exuding,,,,,exuded,exuded,,,,,,,,,,,, +preserve,,,preserves,,preserving,,,,,preserved,preserved,,,,,,,,,,,, +frame,,,frames,,framing,,,,,framed,framed,,,,,,,,,,,, +packet,,,packets,,packeting,,,,,packeted,packeted,,,,,,,,,,,, +sclaff,,,sclaffs,,sclaffing,,,,,sclaffed,sclaffed,,,,,,,,,,,, +tiptoe,,,tiptoes,,tiptoeing,,,,,tiptoed,tiptoed,,,,,,,,,,,, +wire,,,wires,,wiring,,,,,wired,wired,,,,,,,,,,,, +cense,,,censes,,censing,,,,,censed,censed,,,,,,,,,,,, +posse,,,,,possing,,,,,possed,possed,,,,,,,,,,,, +macadamize,,,macadamizes,,macadamizing,,,,,macadamized,macadamized,,,,,,,,,,,, +slack,,,slacks,,slacking,,,,,slacked,slacked,,,,,,,,,,,, +destine,,,destines,,destining,,,,,destined,destined,,,,,,,,,,,, +pistol,,,pistols,,pistolling,,,,,pistolled,pistolled,,,,,,,,,,,, +crossstitch,,,crossstitches,,crossstitching,,,,,crossstitched,crossstitched,,,,,,,,,,,, +keynote,,,keynotes,,keynoting,,,,,keynoted,keynoted,,,,,,,,,,,, +tenter,,,tenters,,tentering,,,,,tentered,tentered,,,,,,,,,,,, +interpolate,,,interpolates,,interpolating,,,,,interpolated,interpolated,,,,,,,,,,,, +weary,,,wearies,,wearying,,,,,wearied,wearied,,,,,,,,,,,, +drum,,,drums,,drumming,,,,,drummed,drummed,,,,,,,,,,,, +forcefeed,,,forcefeeds,,forcefeeding,,,,,forcefed,forcefed,,,,,,,,,,,, +drub,,,drubs,,drubbing,,,,,drubbed,drubbed,,,,,,,,,,,, +ramp,,,ramps,,ramping,,,,,ramped,ramped,,,,,,,,,,,, +drug,,,drugs,,drugging,,,,,drugged,drugged,,,,,,,,,,,, +disenthrall,,,disenthrals,,disenthralling,,,,,disenthralled,disenthralled,,,,,,,,,,,, +cinder,,,cinders,,cindering,,,,,cindered,cindered,,,,,,,,,,,, +itemize,,,itemizes,,itemizing,,,,,itemized,itemized,,,,,,,,,,,, +ticktock,,,ticktocks,,ticktocking,,,,,ticktocked,ticktocked,,,,,,,,,,,, +roughen,,,roughens,,roughening,,,,,roughened,roughened,,,,,,,,,,,, +conclude,,,concludes,,concluding,,,,,concluded,concluded,,,,,,,,,,,, +revamp,,,revamps,,revamping,,,,,revamped,revamped,,,,,,,,,,,, +distill,,,distils,,distilling,,,,,distilled,distilled,,,,,,,,,,,, +lustrate,,,lustrates,,lustrating,,,,,lustrated,lustrated,,,,,,,,,,,, +indict,,,indicts,,indicting,,,,,indicted,indicted,,,,,,,,,,,, +denitrate,,,denitrates,,denitrating,,,,,denitrated,denitrated,,,,,,,,,,,, +jubilate,,,jubilates,,jubilating,,,,,jubilated,jubilated,,,,,,,,,,,, +elute,,,elutes,,eluting,,,,,eluted,eluted,,,,,,,,,,,, +disject,,,disjects,,disjecting,,,,,disjected,disjected,,,,,,,,,,,, +quaver,,,quavers,,quavering,,,,,quavered,quavered,,,,,,,,,,,, +mismanage,,,mismanages,,mismanaging,,,,,mismanaged,mismanaged,,,,,,,,,,,, +entitle,,,entitles,,entitling,,,,,entitled,entitled,,,,,,,,,,,, +feather,,,feathers,,feathering,,,,,feathered,feathered,,,,,,,,,,,, +waste,,,wastes,,wasting,,,,,wasted,wasted,,,,,,,,,,,, +deflower,,,deflowers,,deflowering,,,,,deflowered,deflowered,,,,,,,,,,,, +ballast,,,ballasts,,ballasting,,,,,ballasted,ballasted,,,,,,,,,,,, +crisscross,,,crisscrosses,,crisscrossing,,,,,crisscrossed,crisscrossed,,,,,,,,,,,, +huggermugger,,,huggermuggers,,huggermuggering,,,,,huggermuggered,huggermuggered,,,,,,,,,,,, +neighbour,,,neighbours,,neighbouring,,,,,neighboured,neighboured,,,,,,,,,,,, +globe-trot,,,globe-trots,,globe-trotting,,,,,globe-trotted,globe-trotted,,,,,,,,,,,, +misguide,,,misguides,,misguiding,,,,,misguided,misguided,,,,,,,,,,,, +banish,,,banishes,,banishing,,,,,banished,banished,,,,,,,,,,,, +afforest,,,afforests,,afforesting,,,,,afforested,afforested,,,,,,,,,,,, +bespangle,,,bespangles,,bespangling,,,,,bespangled,bespangled,,,,,,,,,,,, +fornicate,,,fornicates,,fornicating,,,,,fornicated,fornicated,,,,,,,,,,,, +sentimentalize,,,sentimentalizes,,sentimentalizing,,,,,sentimentalized,sentimentalized,,,,,,,,,,,, +work-to-rule,,,,,work-to-ruling,,,,,work-to-ruled,work-to-ruled,,,,,,,,,,,, +maul,,,mauls,,mauling,,,,,mauled,mauled,,,,,,,,,,,, +groin,,,groins,,groining,,,,,groined,groined,,,,,,,,,,,, +inarch,,,inarches,,inarching,,,,,inarched,inarched,,,,,,,,,,,, +eyeball,,,eyeballs,,eyeballing,,,,,eyeballed,eyeballed,,,,,,,,,,,, +nictitate,,,nictitates,,nictitating,,,,,nictitated,nictitated,,,,,,,,,,,, +tenon,,,tenons,,tenoning,,,,,tenoned,tenoned,,,,,,,,,,,, +lush,,,lushes,,lushing,,,,,lushed,lushed,,,,,,,,,,,, +site,,,sites,,siting,,,,,sited,sited,,,,,,,,,,,, +lust,,,lusts,,lusting,,,,,lusted,lusted,,,,,,,,,,,, +denuclearize,,,denuclearizes,,denuclearizing,,,,,denuclearized,denuclearized,,,,,,,,,,,, +dag,,,dags,,dagging,,,,,dagged,dagged,,,,,,,,,,,, +overspend,,,overspends,,overspending,,,,,overspent,overspent,,,,,,,,,,,, +conserve,,,conserves,,conserving,,,,,conserved,conserved,,,,,,,,,,,, +ransom,,,ransoms,,ransoming,,,,,ransomed,ransomed,,,,,,,,,,,, +tattoo,,,tattoos,,tattooing,,,,,tattooed,tattooed,,,,,,,,,,,, +dilate,,,dilates,,dilating,,,,,dilated,dilated,,,,,,,,,,,, +ligature,,,ligatures,,ligaturing,,,,,ligatured,ligatured,,,,,,,,,,,, +incarnadine,,,incarnadines,,incarnadining,,,,,incarnadined,incarnadined,,,,,,,,,,,, +romance,,,romances,,romancing,,,,,romanced,romanced,,,,,,,,,,,, +belch,,,belches,,belching,,,,,belched,belched,,,,,,,,,,,, +unteach,,,unteaches,,unteaching,,,,,untaught,untaught,,,,,,,,,,,, +covenant,,,covenants,,covenanting,,,,,covenanted,covenanted,,,,,,,,,,,, +ball,,,balls,,balling,,,,,balled,balled,,,,,,,,,,,, +baulk,,,baulks,,baulking,,,,,baulked,baulked,,,,,,,,,,,, +dusk,,,dusks,,dusking,,,,,dusked,dusked,,,,,,,,,,,, +bale,,,bales,,baling,,,,,baled,baled,,,,,,,,,,,, +drink,,,drinks,,drinking,,,,,drank,drunk,,,,,,,,,,,, +tassel,,,tassels,,tasselling,,,,,tasselled,tasselled,,,,,,,,,,,, +weigh,,,weighs,,weighing,,,,,weighed,weighed,,,,,,,,,,,, +dust,,,dusts,,dusting,,,,,dusted,dusted,,,,,,,,,,,, +nidify,,,nidifies,,nidifying,,,,,nidified,nidified,,,,,,,,,,,, +expand,,,expands,,expanding,,,,,expanded,expanded,,,,,,,,,,,, +audit,,,audits,,auditing,,,,,audited,audited,,,,,,,,,,,, +dislocate,,,dislocates,,dislocating,,,,,dislocated,dislocated,,,,,,,,,,,, +offer,,,,,,,,,,,,,,,,,,,,,,, +fascinate,,,fascinates,,fascinating,,,,,fascinated,fascinated,,,,,,,,,,,, +trudge,,,trudges,,trudging,,,,,trudged,trudged,,,,,,,,,,,, +shotgun,,,shotguns,,shotgunning,,,,,shotgunned,shotgunned,,,,,,,,,,,, +colour,,,colours,,colouring,,,,,coloured,coloured,,,,,,,,,,,, +undernourish,,,undernourishes,,undernourishing,,,,,undernourished,undernourished,,,,,,,,,,,, +enrage,,,enrages,,enraging,,,,,enraged,enraged,,,,,,,,,,,, +depurate,,,depurates,,depurating,,,,,depurated,depurated,,,,,,,,,,,, +command,,,commands,,commanding,,,,,commanded,commanded,,,,,,,,,,,, +circumstantiate,,,circumstantiates,,circumstantiating,,,,,circumstantiated,circumstantiated,,,,,,,,,,,, +disrelish,,,disrelishes,,disrelishing,,,,,disrelished,disrelished,,,,,,,,,,,, +methodize,,,methodizes,,methodizing,,,,,methodized,methodized,,,,,,,,,,,, +depict,,,depicts,,depicting,,,,,depicted,depicted,,,,,,,,,,,, +snake,,,snakes,,snaking,,,,,snaked,snaked,,,,,,,,,,,, +gully,,,gullies,,gullying,,,,,gullied,gullied,,,,,,,,,,,, +deescalate,,,deescalates,,deescalating,,,,,deescalated,deescalated,,,,,,,,,,,, +flesh,,,fleshes,,fleshing,,,,,fleshed,fleshed,,,,,,,,,,,, +overcloud,,,overclouds,,overclouding,,,,,overclouded,overclouded,,,,,,,,,,,, +glut,,,gluts,,glutting,,,,,glutted,glutted,,,,,,,,,,,, +inmesh,,,inmeshes,,inmeshing,,,,,inmeshed,inmeshed,,,,,,,,,,,, +parabolize,,,parabolizes,,parabolizing,,,,,parabolized,parabolized,,,,,,,,,,,, +glue,,,glues,,gluing,,,,,glued,glued,,,,,,,,,,,, +permute,,,permutes,,permuting,,,,,permuted,permuted,,,,,,,,,,,, +web,,,webs,,webbing,,,,,webbed,webbed,,,,,,,,,,,, +doublebogey,,,doublebogeys,,doublebogeying,,,,,doublebogeyed,doublebogeyed,,,,,,,,,,,, +wed,,,weds,,wedding,,,,,wedded,wedded,,,,,,,,,,,, +upraise,,,upraises,,upraising,,,,,upraised,upraised,,,,,,,,,,,, +lattice,,,lattices,,latticing,,,,,latticed,latticed,,,,,,,,,,,, +combine,,,combines,,combining,,,,,combined,combined,,,,,,,,,,,, +exempt,,,exempts,,exempting,,,,,exempted,exempted,,,,,,,,,,,, +practise,,,practises,,practising,,,,,practised,practised,,,,,,,,,,,, +syncopate,,,syncopates,,syncopating,,,,,syncopated,syncopated,,,,,,,,,,,, +magnify,,,magnifies,,magnifying,,,,,magnified,magnified,,,,,,,,,,,, +taunt,,,taunts,,taunting,,,,,taunted,taunted,,,,,,,,,,,, +criminalize,,,criminalizes,,criminalizing,,,,,criminalized,criminalized,,,,,,,,,,,, +haul,,,hauls,,hauling,,,,,hauled,hauled,,,,,,,,,,,, +supervise,,,supervises,,supervising,,,,,supervised,supervised,,,,,,,,,,,, +atrophy,,,atrophies,,atrophying,,,,,atrophied,atrophied,,,,,,,,,,,, +tick,,,ticks,,ticking,,,,,ticked,ticked,,,,,,,,,,,, +crisp,,,crisps,,crisping,,,,,crisped,crisped,,,,,,,,,,,, +bulge,,,bulges,,bulging,,,,,bulged,bulged,,,,,,,,,,,, +resin,,,resins,,resining,,,,,resined,resined,,,,,,,,,,,, +garage,,,garages,,garaging,,,,,garaged,garaged,,,,,,,,,,,, +stagger,,,staggers,,staggering,,,,,staggered,staggered,,,,,,,,,,,, +resit,,,resits,,resitting,,,,,resat,resat,,,,,,,,,,,, +imprison,,,imprisons,,imprisoning,,,,,imprisoned,imprisoned,,,,,,,,,,,, +become,,,becomes,,becoming,,,,,became,become,,,,,,,,,,,, +sprain,,,sprains,,spraining,,,,,sprained,sprained,,,,,,,,,,,, +guaranty,,,guaranties,,guarantying,,,,,guarantied,guarantied,,,,,,,,,,,, +mure,,,mures,,muring,,,,,mured,mured,,,,,,,,,,,, +gride,,,grides,,griding,,,,,grided,grided,,,,,,,,,,,, +soothsay,,,soothsays,,soothsaying,,,,,soothsaid,soothsaid,,,,,,,,,,,, +flush,,,flushes,,flushing,,,,,flushed,flushed,,,,,,,,,,,, +wisecrack,,,wisecracks,,wisecracking,,,,,wisecracked,wisecracked,,,,,,,,,,,, +ballot,,,ballots,,balloting,,,,,balloted,balloted,,,,,,,,,,,, +transport,,,transports,,transporting,,,,,transported,transported,,,,,,,,,,,, +merge,,,merges,,merging,,,,,merged,merged,,,,,,,,,,,, +avoid,,,avoids,,avoiding,,,,,avoided,avoided,,,,,,,,,,,, +mezzotint,,,mezzotints,,mezzotinting,,,,,mezzotinted,mezzotinted,,,,,,,,,,,, +sustain,,,sustains,,sustaining,,,,,sustained,sustained,,,,,,,,,,,, +Hispanicize,,,Hispanicizes,,Hispanicizing,,,,,Hispanicized,Hispanicized,,,,,,,,,,,, +disfeature,,,disfeatures,,disfeaturing,,,,,disfeatured,disfeatured,,,,,,,,,,,, +demarcate,,,demarcates,,demarcating,,,,,demarcated,demarcated,,,,,,,,,,,, +pilfer,,,pilfers,,pilfering,,,,,pilfered,pilfered,,,,,,,,,,,, +putt,,,putts,,putting,,,,,putted,putted,,,,,,,,,,,, +electrolyze,,,electrolyzes,,electrolyzing,,,,,electrolyzed,electrolyzed,,,,,,,,,,,, +pressure,,,pressures,,pressuring,,,,,pressured,pressured,,,,,,,,,,,, +tint,,,tints,,tinting,,,,,tinted,tinted,,,,,,,,,,,, +belay,,,belays,,belaying,,,,,belayed,belayed,,,,,,,,,,,, +subsume,,,subsumes,,subsuming,,,,,subsumed,subsumed,,,,,,,,,,,, +stage,,,stages,,staging,,,,,staged,staged,,,,,,,,,,,, +disseize,,,disseizes,,disseizing,,,,,disseized,disseized,,,,,,,,,,,, +overreach,,,overreaches,,overreaching,,,,,overreached,overreached,,,,,,,,,,,, +ingest,,,ingests,,ingesting,,,,,ingested,ingested,,,,,,,,,,,, +idolize,,,idolizes,,idolizing,,,,,idolized,idolized,,,,,,,,,,,, +grangerize,,,grangerizes,,grangerizing,,,,,grangerized,grangerized,,,,,,,,,,,, +revise,,,revises,,revising,,,,,revised,revised,,,,,,,,,,,, +concretize,,,concretizes,,concretizing,,,,,concretized,concretized,,,,,,,,,,,, +rectify,,,rectifies,,rectifying,,,,,rectified,rectified,,,,,,,,,,,, +stultify,,,stultifies,,stultifying,,,,,stultified,stultified,,,,,,,,,,,, +vituperate,,,vituperates,,vituperating,,,,,vituperated,vituperated,,,,,,,,,,,, +assess,,,assesses,,assessing,,,,,assessed,assessed,,,,,,,,,,,, +saccharize,,,saccharizes,,saccharizing,,,,,saccharized,saccharized,,,,,,,,,,,, +muck,,,mucks,,mucking,,,,,mucked,mucked,,,,,,,,,,,, +copolymerize,,,copolymerizes,,copolymerizing,,,,,copolymerized,copolymerized,,,,,,,,,,,, +reactivate,,,reactivates,,reactivating,,,,,reactivated,reactivated,,,,,,,,,,,, +overestimate,,,overestimates,,overestimating,,,,,overestimated,overestimated,,,,,,,,,,,, +jumpstart,,,jumpstarts,,jumpstarting,,,,,jumpstarted,jumpstarted,,,,,,,,,,,, +divebomb,,,divebombs,,divebombing,,,,,divebombed,divebombed,,,,,,,,,,,, +discant,,,discants,,discanting,,,,,discanted,discanted,,,,,,,,,,,, +paganize,,,paganizes,,paganizing,,,,,paganized,paganized,,,,,,,,,,,, +function,,,functions,,functioning,,,,,functioned,functioned,,,,,,,,,,,, +funnel,,,funnels,,funnelling,,,,,funnelled,funnelled,,,,,,,,,,,, +frisk,,,frisks,,frisking,,,,,frisked,frisked,,,,,,,,,,,, +unbind,,,unbinds,,unbinding,,,,,unbound,unbound,,,,,,,,,,,, +unstick,,,unsticks,,unsticking,,,,,unstuck,unstuck,,,,,,,,,,,, +foretaste,,,foretastes,,foretasting,,,,,foretasted,foretasted,,,,,,,,,,,, +grate,,,grates,,grating,,,,,grated,grated,,,,,,,,,,,, +count,,,counts,,counting,,,,,counted,counted,,,,,,,,,,,, +compute,,,computes,,computing,,,,,computed,computed,,,,,,,,,,,, +shrunk,,,shrunks,,shrunking,,,,,shrunked,shrunked,,,,,,,,,,,, +smooth,,,smooths,,smoothing,,,,,smoothed,smoothed,,,,,,,,,,,, +convince,,,convinces,,convincing,,,,,convinced,convinced,,,,,,,,,,,, +freewheel,,,freewheels,,freewheeling,,,,,freewheeled,freewheeled,,,,,,,,,,,, +enthrone,,,enthrones,,enthroning,,,,,enthroned,enthroned,,,,,,,,,,,, +appraise,,,appraises,,appraising,,,,,appraised,appraised,,,,,,,,,,,, +kowtow,,,kowtows,,kowtowing,,,,,kowtowed,kowtowed,,,,,,,,,,,, +fractionate,,,fractionates,,fractionating,,,,,fractionated,fractionated,,,,,,,,,,,, +recognize,,,recognizes,,recognizing,,,,,recognized,recognized,,,,,,,,,,,, +gasconade,,,gasconades,,gasconading,,,,,gasconaded,gasconaded,,,,,,,,,,,, +contribute,,,contributes,,contributing,,,,,contributed,contributed,,,,,,,,,,,, +denote,,,denotes,,denoting,,,,,denoted,denoted,,,,,,,,,,,, +withstand,,,withstands,,withstanding,,,,,withstood,withstood,,,,,,,,,,,, +ink,,,inks,,inking,,,,,inked,inked,,,,,,,,,,,, +insolate,,,insolates,,insolating,,,,,insolated,insolated,,,,,,,,,,,, +engorge,,,engorges,,engorging,,,,,engorged,engorged,,,,,,,,,,,, +warsle,,,warsles,,warsling,,,,,warsled,warsled,,,,,,,,,,,, +flummox,,,flummoxes,,flummoxing,,,,,flummoxed,flummoxed,,,,,,,,,,,, +decarbonate,,,decarbonates,,decarbonating,,,,,decarbonated,decarbonated,,,,,,,,,,,, +stockpile,,,stockpiles,,stockpiling,,,,,stockpiled,stockpiled,,,,,,,,,,,, +disforest,,,disforests,,disforesting,,,,,disforested,disforested,,,,,,,,,,,, +behold,,,beholds,,beholding,,,,,beheld,beheld,,,,,,,,,,,, +vulgarize,,,vulgarizes,,vulgarizing,,,,,vulgarized,vulgarized,,,,,,,,,,,, +satirize,,,satirizes,,satirizing,,,,,satirized,satirized,,,,,,,,,,,, +dismiss,,,dismisses,,dismissing,,,,,dismissed,dismissed,,,,,,,,,,,, +freeboot,,,freeboots,,freebooting,,,,,freebooted,freebooted,,,,,,,,,,,, +dismantle,,,dismantles,,dismantling,,,,,dismantled,dismantled,,,,,,,,,,,, +vignette,,,vignettes,,vignetting,,,,,vignetted,vignetted,,,,,,,,,,,, +crosscut,,,crosscuts,,crosscutting,,,,,crosscut,crosscut,,,,,,,,,,,, +chance,,,chances,,chancing,,,,,chanced,chanced,,,,,,,,,,,, +pacify,,,pacifies,,pacifying,,,,,pacified,pacified,,,,,,,,,,,, +scintillate,,,scintillates,,scintillating,,,,,scintillated,scintillated,,,,,,,,,,,, +repeal,,,repeals,,repealing,,,,,repealed,repealed,,,,,,,,,,,, +mastermind,,,masterminds,,masterminding,,,,,masterminded,masterminded,,,,,,,,,,,, +vein,,,veins,,veining,,,,,veined,veined,,,,,,,,,,,, +ghost,,,ghosts,,ghosting,,,,,ghosted,ghosted,,,,,,,,,,,, +unthread,,,unthreads,,unthreading,,,,,unthreaded,unthreaded,,,,,,,,,,,, +re-sound,,,re-sounds,,re-sounding,,,,,resounded,re-sounded,,,,,,,,,,,, +rule,,,rules,,ruling,,,,,ruled,ruled,,,,,,,,,,,, +compete,,,competes,,competing,,,,,competed,competed,,,,,,,,,,,, +pension,,,pensions,,pensioning,,,,,pensioned,pensioned,,,,,,,,,,,, +upspring,,,upsprings,,upspringing,,,,,upsprung,upsprung,,,,,,,,,,,, +abhor,,,abhors,,abhorring,,,,,abhorred,abhorred,,,,,,,,,,,, +buoy,,,buoys,,buoying,,,,,buoyed,buoyed,,,,,,,,,,,, +rubefy,,,rubefies,,rubefying,,,,,rubefied,rubefied,,,,,,,,,,,, +brevet,,,brevets,,brevetting,,,,,brevetted,brevetted,,,,,,,,,,,, +divaricate,,,divaricates,,divaricating,,,,,divaricated,divaricated,,,,,,,,,,,, +rev,,,revs,,revving,,,,,revved,revved,,,,,,,,,,,, +copy,,,copies,,copying,,,,,copied,copied,,,,,,,,,,,, +precondition,,,preconditions,,preconditioning,,,,,preconditioned,preconditioned,,,,,,,,,,,, +shortchange,,,shortchanges,,shortchanging,,,,,shortchanged,shortchanged,,,,,,,,,,,, +rekindle,,,rekindles,,rekindling,,,,,rekindled,rekindled,,,,,,,,,,,, +defraud,,,defrauds,,defrauding,,,,,defrauded,defrauded,,,,,,,,,,,, +lace,,,laces,,lacing,,,,,laced,laced,,,,,,,,,,,, +aquatint,,,aquatints,,aquatinting,,,,,aquatinted,aquatinted,,,,,,,,,,,, +spew,,,spews,,spewing,,,,,spewed,spewed,,,,,,,,,,,, +automatize,,,automatizes,,automatizing,,,,,automatized,automatized,,,,,,,,,,,, +bludgeon,,,bludgeons,,bludgeoning,,,,,bludgeoned,bludgeoned,,,,,,,,,,,, +tickle,,,tickles,,tickling,,,,,tickled,tickled,,,,,,,,,,,, +bike,,,bikes,,biking,,,,,biked,biked,,,,,,,,,,,, +man-handle,,,man-handles,,man-handling,,,,,manhandled,man-handled,,,,,,,,,,,, +daze,,,dazes,,dazing,,,,,dazed,dazed,,,,,,,,,,,, +dapple,,,dapples,,dappling,,,,,dappled,dappled,,,,,,,,,,,, +wildcat,,,wildcats,,wildcatting,,,,,wildcatted,wildcatted,,,,,,,,,,,, +psychologize,,,psychologizes,,psychologizing,,,,,psychologized,psychologized,,,,,,,,,,,, +whack,,,whacks,,whacking,,,,,whacked,whacked,,,,,,,,,,,, +rainproof,,,rainproofs,,rainproofing,,,,,rainproofed,rainproofed,,,,,,,,,,,, +lack,,,lacks,,lacking,,,,,lacked,lacked,,,,,,,,,,,, +denudate,,,denudates,,denudating,,,,,denudated,denudated,,,,,,,,,,,, +thermalize,,,thermalizes,,thermalizing,,,,,thermalized,thermalized,,,,,,,,,,,, +blanket,,,blankets,,blanketing,,,,,blanketed,blanketed,,,,,,,,,,,, +distort,,,distorts,,distorting,,,,,distorted,distorted,,,,,,,,,,,, +hocuspocus,,,hocuspocuses,,hocuspocussing,,,,,hocuspocussed,hocuspocussed,,,,,,,,,,,, +begrudge,,,begrudges,,begrudging,,,,,begrudged,begrudged,,,,,,,,,,,, +retrocede,,,retrocedes,,retroceding,,,,,retroceded,retroceded,,,,,,,,,,,, +sherardize,,,sherardizes,,sherardizing,,,,,sherardized,sherardized,,,,,,,,,,,, +whish,,,whishes,,whishing,,,,,whished,whished,,,,,,,,,,,, +daydream,,,daydreams,,daydreaming,,,,,daydreamed,daydreamed,,,,,,,,,,,, +pinch,,,pinches,,pinching,,,,,pinched,pinched,,,,,,,,,,,, +affirm,,,affirms,,affirming,,,,,affirmed,affirmed,,,,,,,,,,,, +undersign,,,undersigns,,undersigning,,,,,undersigned,undersigned,,,,,,,,,,,, +generalize,,,generalizes,,generalizing,,,,,generalized,generalized,,,,,,,,,,,, +whist,,,whists,,whisting,,,,,whisted,whisted,,,,,,,,,,,, +reinvent,,,reinvents,,reinventing,,,,,reinvented,reinvented,,,,,,,,,,,, +triumph,,,triumphs,,triumphing,,,,,triumphed,triumphed,,,,,,,,,,,, +chew,,,chews,,chewing,,,,,chewed,chewed,,,,,,,,,,,, +pandy,,,pandies,,pandying,,,,,pandied,pandied,,,,,,,,,,,, +disbud,,,disbuds,,disbudding,,,,,disbudded,disbudded,,,,,,,,,,,, +horn,,,horns,,horning,,,,,horned,horned,,,,,,,,,,,, +blaspheme,,,blasphemes,,blaspheming,,,,,blasphemed,blasphemed,,,,,,,,,,,, +guillotine,,,guillotines,,guillotining,,,,,guillotined,guillotined,,,,,,,,,,,, +homologize,,,homologizes,,homologizing,,,,,homologized,homologized,,,,,,,,,,,, +levitate,,,levitates,,levitating,,,,,levitated,levitated,,,,,,,,,,,, +contemn,,,contemns,,contemning,,,,,contemned,contemned,,,,,,,,,,,, +deliberate,,,deliberates,,deliberating,,,,,deliberated,deliberated,,,,,,,,,,,, +revolutionize,,,revolutionizes,,revolutionizing,,,,,revolutionized,revolutionized,,,,,,,,,,,, +disserve,,,disserves,,disserving,,,,,disserved,disserved,,,,,,,,,,,, +bleep,,,bleeps,,bleeping,,,,,bleeped,bleeped,,,,,,,,,,,, +unhand,,,unhands,,unhanding,,,,,unhanded,unhanded,,,,,,,,,,,, +murther,,,murthers,,murthering,,,,,murthered,murthered,,,,,,,,,,,, +swive,,,swives,,swiving,,,,,swived,swived,,,,,,,,,,,, +crunch,,,crunches,,crunching,,,,,crunched,crunched,,,,,,,,,,,, +redeploy,,,redeploys,,redeploying,,,,,redeployed,redeployed,,,,,,,,,,,, +conglomerate,,,conglomerates,,conglomerating,,,,,conglomerated,conglomerated,,,,,,,,,,,, +undershot,,,,,,,,,,undershot,undershot,,,,,,,,,,,, +burgle,,,burgles,,burgling,,,,,burgled,burgled,,,,,,,,,,,, +X-ray,,,X-rays,,X-raying,,,,,X-rayed,X-rayed,,,,,,,,,,,, +overcall,,,overcalls,,overcalling,,,,,overcalled,overcalled,,,,,,,,,,,, +study,,,studies,,studying,,,,,studied,studied,,,,,,,,,,,, +reappraise,,,reappraises,,reappraising,,,,,reappraised,reappraised,,,,,,,,,,,, +displode,,,displodes,,disploding,,,,,disploded,disploded,,,,,,,,,,,, +bunker,,,bunkers,,bunkering,,,,,bunkered,bunkered,,,,,,,,,,,, +maunder,,,maunders,,maundering,,,,,maundered,maundered,,,,,,,,,,,, +Jew,,,Jews,,Jewing,,,,,Jewed,Jewed,,,,,,,,,,,, +synonymize,,,synonymizes,,synonymizing,,,,,synonymized,synonymized,,,,,,,,,,,, +federalize,,,federalizes,,federalizing,,,,,federalized,federalized,,,,,,,,,,,, +nauseate,,,nauseates,,nauseating,,,,,nauseated,nauseated,,,,,,,,,,,, +shun,,,shuns,,shunning,,,,,shunned,shunned,,,,,,,,,,,, +glance,,,glances,,glancing,,,,,glanced,glanced,,,,,,,,,,,, +total,,,totals,,totalling,,,,,totalled,totalled,,,,,,,,,,,, +plot,,,plots,,plotting,,,,,plotted,plotted,,,,,,,,,,,, +plow,,,plows,,plowing,,,,,plowed,plowed,,,,,,,,,,,, +reflate,,,reflates,,reflating,,,,,reflated,reflated,,,,,,,,,,,, +plop,,,plops,,plopping,,,,,plopped,plopped,,,,,,,,,,,, +acculturate,,,acculturates,,acculturating,,,,,acculturated,acculturated,,,,,,,,,,,, +gloss,,,glosses,,glossing,,,,,glossed,glossed,,,,,,,,,,,, +insult,,,insults,,insulting,,,,,insulted,insulted,,,,,,,,,,,, +plod,,,plods,,plodding,,,,,plodded,plodded,,,,,,,,,,,, +beeswax,,,beeswaxes,,beeswaxing,,,,,beeswaxed,beeswaxed,,,,,,,,,,,, +vegetate,,,vegetates,,vegetating,,,,,vegetated,vegetated,,,,,,,,,,,, +plagiarize,,,plagiarizes,,plagiarizing,,,,,plagiarized,plagiarized,,,,,,,,,,,, +inflect,,,inflects,,inflecting,,,,,inflected,inflected,,,,,,,,,,,, +ascribe,,,ascribes,,ascribing,,,,,ascribed,ascribed,,,,,,,,,,,, +award,,,awards,,awarding,,,,,awarded,awarded,,,,,,,,,,,, +scribble,,,scribbles,,scribbling,,,,,scribbled,scribbled,,,,,,,,,,,, +overrun,,,overruns,,overrunning,,,,,overran,overrun,,,,,,,,,,,, +word,,,words,,wording,,,,,worded,worded,,,,,,,,,,,, +err,,,errs,,erring,,,,,erred,erred,,,,,,,,,,,, +shame,,,shames,,shaming,,,,,shamed,shamed,,,,,,,,,,,, +work,,,works,,working,,,,,worked,worked,,,,,,,,,,,, +eclipse,,,eclipses,,eclipsing,,,,,eclipsed,eclipsed,,,,,,,,,,,, +grovel,,,grovels,,grovelling,,,,,grovelled,grovelled,,,,,,,,,,,, +cuddle,,,cuddles,,cuddling,,,,,cuddled,cuddled,,,,,,,,,,,, +elbow,,,elbows,,elbowing,,,,,elbowed,elbowed,,,,,,,,,,,, +versify,,,versifies,,versifying,,,,,versified,versified,,,,,,,,,,,, +quiver,,,quivers,,quivering,,,,,quivered,quivered,,,,,,,,,,,, +pollute,,,pollutes,,polluting,,,,,polluted,polluted,,,,,,,,,,,, +flunk,,,flunks,,flunking,,,,,flunked,flunked,,,,,,,,,,,, +federate,,,federates,,federating,,,,,federated,federated,,,,,,,,,,,, +repot,,,repots,,repotting,,,,,repotted,repotted,,,,,,,,,,,, +impair,,,impairs,,impairing,,,,,impaired,impaired,,,,,,,,,,,, +woman,,,womans,,womaning,,,,,womaned,womaned,,,,,,,,,,,, +radiotelegraph,,,radiotelegraphs,,radiotelegraphing,,,,,radiotelegraphed,radiotelegraphed,,,,,,,,,,,, +electrodeposit,,,electrodeposits,,electrodepositing,,,,,electrodeposited,electrodeposited,,,,,,,,,,,, +betide,,,betides,,betiding,,,,,betided,betided,,,,,,,,,,,, +secern,,,secerns,,secerning,,,,,secerned,secerned,,,,,,,,,,,, +farce,,,farces,,farcing,,,,,farced,farced,,,,,,,,,,,, +particularize,,,particularizes,,particularizing,,,,,particularized,particularized,,,,,,,,,,,, +verify,,,verifies,,verifying,,,,,verified,verified,,,,,,,,,,,, +photocopy,,,photocopies,,photocopying,,,,,photocopied,photocopied,,,,,,,,,,,, +sever,,,severs,,severing,,,,,severed,severed,,,,,,,,,,,, +rewind,,,rewinds,,rewinding,,,,,rewound,rewound,,,,,,,,,,,, +interview,,,interviews,,interviewing,,,,,interviewed,interviewed,,,,,,,,,,,, +disappoint,,,disappoints,,disappointing,,,,,disappointed,disappointed,,,,,,,,,,,, +poleax,,,poleaxes,,poleaxing,,,,,poleaxed,poleaxed,,,,,,,,,,,, +beach,,,beaches,,beaching,,,,,beached,beached,,,,,,,,,,,, +underexpose,,,underexposes,,underexposing,,,,,underexposed,underexposed,,,,,,,,,,,, +countersink,,,countersinks,,countersinking,,,,,countersank,countersunk,,,,,,,,,,,, +deliquesce,,,deliquesces,,deliquescing,,,,,deliquesced,deliquesced,,,,,,,,,,,, +lam,,,lams,,lamming,,,,,lammed,lammed,,,,,,,,,,,, +fever,,,fevers,,fevering,,,,,fevered,fevered,,,,,,,,,,,, +aggrade,,,aggrades,,aggrading,,,,,aggraded,aggraded,,,,,,,,,,,, +ladder,,,ladders,,laddering,,,,,laddered,laddered,,,,,,,,,,,, +lag,,,lags,,lagging,,,,,lagged,lagged,,,,,,,,,,,, +fat,,,fats,,fatting,,,,,fatted,fatted,,,,,,,,,,,, +disentomb,,,disentombs,,disentombing,,,,,disentombed,disentombed,,,,,,,,,,,, +unreeve,,,unreeves,,unreeving,,,,,unrove,unrove,,,,,,,,,,,, +arch,,,arches,,arching,,,,,arched,arched,,,,,,,,,,,, +scrummage,,,scrummages,,scrummaging,,,,,scrummaged,scrummaged,,,,,,,,,,,, +scull,,,sculls,,sculling,,,,,sculled,sculled,,,,,,,,,,,, +invaginate,,,invaginates,,invaginating,,,,,invaginated,invaginated,,,,,,,,,,,, +alienate,,,alienates,,alienating,,,,,alienated,alienated,,,,,,,,,,,, +appreciate,,,appreciates,,appreciating,,,,,appreciated,appreciated,,,,,,,,,,,, +greet,,,greets,,greeting,,,,,greeted,greeted,,,,,,,,,,,, +stimulate,,,stimulates,,stimulating,,,,,stimulated,stimulated,,,,,,,,,,,, +haste,,,hastes,,hasting,,,,,hasted,hasted,,,,,,,,,,,, +scarf,,,scarfs,,scarfing,,,,,scarfed,scarfed,,,,,,,,,,,, +worst,,,worsts,,worsting,,,,,worsted,worsted,,,,,,,,,,,, +remonstrate,,,remonstrates,,remonstrating,,,,,remonstrated,remonstrated,,,,,,,,,,,, +order,,,orders,,ordering,,,,,ordered,ordered,,,,,,,,,,,, +devote,,,devotes,,devoting,,,,,devoted,devoted,,,,,,,,,,,, +consent,,,consents,,consenting,,,,,consented,consented,,,,,,,,,,,, +proportionate,,,proportionates,,proportionating,,,,,proportionated,proportionated,,,,,,,,,,,, +natter,,,natters,,nattering,,,,,nattered,nattered,,,,,,,,,,,, +japan,,,japans,,japanning,,,,,japanned,japanned,,,,,,,,,,,, +estrange,,,estranges,,estranging,,,,,estranged,estranged,,,,,,,,,,,, +casefy,,,casefies,,casefying,,,,,casefied,casefied,,,,,,,,,,,, +sheaf,,,sheaves,,sheafing,,,,,sheafed,sheafed,,,,,,,,,,,, +Xerox,,,Xeroxes,,Xeroxing,,,,,Xeroxed,Xeroxed,,,,,,,,,,,, +fag,,,fags,,fagging,,,,,fagged,fagged,,,,,,,,,,,, +strafe,,,strafes,,strafing,,,,,strafed,strafed,,,,,,,,,,,, +bespeak,,,bespeaks,,bespeaking,,,,,bespoke,bespoken,,,,,,,,,,,, +precipitate,,,precipitates,,precipitating,,,,,precipitated,precipitated,,,,,,,,,,,, +savour,,,savours,,savouring,,,,,savoured,savoured,,,,,,,,,,,, +shear,,,shears,,shearing,,,,,sheared,shorn,,,,,,,,,,,, +bant,,,bants,,banting,,,,,banted,banted,,,,,,,,,,,, +swound,,,swounds,,swounding,,,,,swounded,swounded,,,,,,,,,,,, +fragment,,,fragments,,fragmenting,,,,,fragmented,fragmented,,,,,,,,,,,, +collide,,,collides,,colliding,,,,,collided,collided,,,,,,,,,,,, +break,,,breaks,,breaking,,,,,broke,broken,,,,,,,,,,,, +band,,,bands,,banding,,,,,banded,banded,,,,,,,,,,,, +bang,,,bangs,,banging,,,,,banged,banged,,,,,,,,,,,, +coffer,,,coffers,,coffering,,,,,coffered,coffered,,,,,,,,,,,, +bream,,,breams,,breaming,,,,,breamed,breamed,,,,,,,,,,,, +declutch,,,declutches,,declutching,,,,,declutched,declutched,,,,,,,,,,,, +draft,,,drafts,,banking,,,,,banked,banked,,,,,,,,,,,, +bread,,,breads,,breading,,,,,breaded,breaded,,,,,,,,,,,, +crock,,,crocks,,crocking,,,,,crocked,crocked,,,,,,,,,,,, +absolve,,,absolves,,absolving,,,,,absolved,absolved,,,,,,,,,,,, +naysay,,,naysays,,naysaying,,,,,naysayed,naysayed,,,,,,,,,,,, +misbehave,,,misbehaves,,misbehaving,,,,,misbehaved,misbehaved,,,,,,,,,,,, +outstretch,,,outstretches,,outstretching,,,,,outstretched,outstretched,,,,,,,,,,,, +pinpoint,,,pinpoints,,pin-pointing,,,,,pinpointed,pin-pointed,,,,,,,,,,,, +flock,,,flocks,,flocking,,,,,flocked,flocked,,,,,,,,,,,, +trench,,,trenches,,trenching,,,,,trenched,trenched,,,,,,,,,,,, +network,,,networks,,networking,,,,,networked,networked,,,,,,,,,,,, +engrave,,,engraves,,engraving,,,,,engraved,engraved,,,,,,,,,,,, +monotonize,,,monotonizes,,monotonizing,,,,,monotonized,monotonized,,,,,,,,,,,, +redevelop,,,redevelops,,redeveloping,,,,,redeveloped,redeveloped,,,,,,,,,,,, +veto,,,vetoes,,vetoing,,,,,vetoed,vetoed,,,,,,,,,,,, +apotheosize,,,apotheosizes,,apotheosizing,,,,,apotheosized,apotheosized,,,,,,,,,,,, +putty,,,putties,,puttying,,,,,puttied,puttied,,,,,,,,,,,, +mutilate,,,mutilates,,mutilating,,,,,mutilated,mutilated,,,,,,,,,,,, +drench,,,drenches,,drenching,,,,,drenched,drenched,,,,,,,,,,,, +renew,,,renews,,renewing,,,,,renewed,renewed,,,,,,,,,,,, +oppose,,,opposes,,opposing,,,,,opposed,opposed,,,,,,,,,,,, +recondition,,,reconditions,,reconditioning,,,,,reconditioned,reconditioned,,,,,,,,,,,, +regress,,,regresses,,regressing,,,,,regressed,regressed,,,,,,,,,,,, +disafforest,,,disafforests,,disafforesting,,,,,disafforested,disafforested,,,,,,,,,,,, +vanquish,,,vanquishes,,vanquishing,,,,,vanquished,vanquished,,,,,,,,,,,, +organize,,,organizes,,organizing,,,,,organized,organized,,,,,,,,,,,, +render,,,renders,,rendering,,,,,rendered,rendered,,,,,,,,,,,, +reenact,,,reenacts,,reenacting,,,,,reenacted,reenacted,,,,,,,,,,,, +jackknife,,,jackknifes,,jackknifing,,,,,jackknifed,jackknifed,,,,,,,,,,,, +hamstring,,,hamstrings,,hamstringing,,,,,hamstrung,hamstrung,,,,,,,,,,,, +operatize,,,operatizes,,operatizing,,,,,operatized,operatized,,,,,,,,,,,, +guzzle,,,guzzles,,guzzling,,,,,guzzled,guzzled,,,,,,,,,,,, +unsnap,,,unsnaps,,unsnapping,,,,,unsnapped,unsnapped,,,,,,,,,,,, +disembark,,,disembarks,,disembarking,,,,,disembarked,disembarked,,,,,,,,,,,, +headreach,,,headreaches,,headreaching,,,,,headreached,headreached,,,,,,,,,,,, +tangle,,,tangles,,tangling,,,,,tangled,tangled,,,,,,,,,,,, +equipoise,,,equipoises,,equipoising,,,,,equipoised,equipoised,,,,,,,,,,,, +illustrate,,,illustrates,,illustrating,,,,,illustrated,illustrated,,,,,,,,,,,, +centrifuge,,,centrifuges,,centrifuging,,,,,centrifuged,centrifuged,,,,,,,,,,,, +unfetter,,,unfetters,,unfettering,,,,,unfettered,unfettered,,,,,,,,,,,, +vibrate,,,vibrates,,vibrating,,,,,vibrated,vibrated,,,,,,,,,,,, +compromise,,,compromises,,compromising,,,,,compromised,compromised,,,,,,,,,,,, +fumble,,,fumbles,,fumbling,,,,,fumbled,fumbled,,,,,,,,,,,, +gate-crash,,,gate-crashes,,gate-crashing,,,,,gate-crashed,gate-crashed,,,,,,,,,,,, +inflate,,,inflates,,inflating,,,,,inflated,inflated,,,,,,,,,,,, +filibuster,,,filibusters,,filibustering,,,,,filibustered,filibustered,,,,,,,,,,,, +efface,,,effaces,,effacing,,,,,effaced,effaced,,,,,,,,,,,, +decentralize,,,decentralizes,,decentralizing,,,,,decentralized,decentralized,,,,,,,,,,,, +scant,,,scants,,scanting,,,,,scanted,scanted,,,,,,,,,,,, +tithe,,,tithes,,tithing,,,,,tithed,tithed,,,,,,,,,,,, +rebuff,,,rebuffs,,rebuffing,,,,,rebuffed,rebuffed,,,,,,,,,,,, +earbash,,,earbashes,,earbashing,,,,,earbashed,earbashed,,,,,,,,,,,, +septuple,,,septuples,,septupling,,,,,septupled,septupled,,,,,,,,,,,, +hike,,,hikes,,hiking,,,,,hiked,hiked,,,,,,,,,,,, +incase,,,incases,,incasing,,,,,incased,incased,,,,,,,,,,,, +iron,,,irons,,ironing,,,,,ironed,ironed,,,,,,,,,,,, +encash,,,encashes,,encashing,,,,,encashed,encashed,,,,,,,,,,,, +tritiate,,,tritiates,,tritiating,,,,,tritiated,tritiated,,,,,,,,,,,, +effectuate,,,effectuates,,effectuating,,,,,effectuated,effectuated,,,,,,,,,,,, +rewrite,,,rewrites,,rewriting,,,,,rewrote,rewritten,,,,,,,,,,,, +temporize,,,temporizes,,temporizing,,,,,temporized,temporized,,,,,,,,,,,, +navigate,,,navigates,,navigating,,,,,navigated,navigated,,,,,,,,,,,, +resound,,,resounds,,resounding,,,,,resounded,resounded,,,,,,,,,,,, +metathesize,,,metathesizes,,metathesizing,,,,,metathesized,metathesized,,,,,,,,,,,, +sconce,,,sconces,,sconcing,,,,,sconced,sconced,,,,,,,,,,,, +lull,,,lulls,,lulling,,,,,lulled,lulled,,,,,,,,,,,, +cadge,,,cadges,,cadging,,,,,cadged,cadged,,,,,,,,,,,, +ponder,,,ponders,,pondering,,,,,pondered,pondered,,,,,,,,,,,, +quarry,,,quarries,,quarrying,,,,,quarried,quarried,,,,,,,,,,,, +widen,,,widens,,widening,,,,,widened,widened,,,,,,,,,,,, +leapfrog,,,leapfrogs,,leapfrogging,,,,,leapfrogged,leapfrogged,,,,,,,,,,,, +rehouse,,,rehouses,,rehousing,,,,,rehoused,rehoused,,,,,,,,,,,, +transmit,,,transmits,,transmitting,,,,,transmitted,transmitted,,,,,,,,,,,, +pilgrimage,,,pilgrimages,,pilgrimaging,,,,,pilgrimaged,pilgrimaged,,,,,,,,,,,, +finagle,,,finagles,,finagling,,,,,finagled,finagled,,,,,,,,,,,, +quieten,,,quietens,,quietening,,,,,quietened,quietened,,,,,,,,,,,, +writhe,,,writhes,,writhing,,,,,writhed,writhed,,,,,,,,,,,, +backcross,,,backcrosses,,backcrossing,,,,,backcrossed,backcrossed,,,,,,,,,,,, +affiance,,,affiances,,affiancing,,,,,affianced,affianced,,,,,,,,,,,, +fillagree,,,fillagrees,,fillagreeing,,,,,fillagreed,fillagreed,,,,,,,,,,,, +phase,,,phases,,phasing,,,,,phased,phased,,,,,,,,,,,, +grave,,,graves,,graving,,,,,graven,graven,,,,,,,,,,,, +unship,,,unships,,unshipping,,,,,unshipped,unshipped,,,,,,,,,,,, +syllabize,,,syllabizes,,syllabizing,,,,,syllabized,syllabized,,,,,,,,,,,, +demagnetize,,,demagnetizes,,demagnetizing,,,,,demagnetized,demagnetized,,,,,,,,,,,, +vouch,,,vouches,,vouching,,,,,vouched,vouched,,,,,,,,,,,, +swamp,,,swamps,,swamping,,,,,swamped,swamped,,,,,,,,,,,, +bracket,,,brackets,,bracketing,,,,,bracketed,bracketed,,,,,,,,,,,, +oppress,,,oppresses,,oppressing,,,,,oppressed,oppressed,,,,,,,,,,,, +reserve,,,reserves,,reserving,,,,,reserved,reserved,,,,,,,,,,,, +iodate,,,iodates,,iodating,,,,,iodated,iodated,,,,,,,,,,,, +toast,,,toasts,,toasting,,,,,toasted,toasted,,,,,,,,,,,, +tauten,,,tautens,,tautening,,,,,tautened,tautened,,,,,,,,,,,, +re-dress,,,re-dresses,,re-dressing,,,,,redressed,re-dressed,,,,,,,,,,,, +do,,,does,,doing,,,,,did,done,don't,,,doesn't,,,,,,,didn't, +reorientate,,,reorientates,,reorientating,,,,,reorientated,reorientated,,,,,,,,,,,, +aestivate,,,aestivates,,aestivating,,,,,aestivated,aestivated,,,,,,,,,,,, +wham,,,whams,,whamming,,,,,whammed,whammed,,,,,,,,,,,, +photostat,,,photostats,,photostatting,,,,,photostatted,photostatted,,,,,,,,,,,, +stead,,,steads,,steading,,,,,steaded,steaded,,,,,,,,,,,, +psyche,,,psyches,,psyching,,,,,psyched,psyched,,,,,,,,,,,, +recurve,,,recurves,,recurving,,,,,recurved,recurved,,,,,,,,,,,, +disincline,,,disinclines,,disinclining,,,,,disinclined,disinclined,,,,,,,,,,,, +bother,,,bothers,,bothering,,,,,bothered,bothered,,,,,,,,,,,, +compere,,,comperes,,compering,,,,,compered,compered,,,,,,,,,,,, +reread,,,rereads,,rereading,,,,,reread,reread,,,,,,,,,,,, +misdirect,,,misdirects,,misdirecting,,,,,misdirected,misdirected,,,,,,,,,,,, +bioassay,,,bioassays,,bioassaying,,,,,bioassayed,bioassayed,,,,,,,,,,,, +misname,,,misnames,,misnaming,,,,,misnamed,misnamed,,,,,,,,,,,, +ruffle,,,ruffles,,ruffling,,,,,ruffled,ruffled,,,,,,,,,,,, +mitch,,,mitches,,mitching,,,,,mitched,mitched,,,,,,,,,,,, +begrime,,,begrimes,,begriming,,,,,begrimed,begrimed,,,,,,,,,,,, +drawl,,,drawls,,drawling,,,,,drawled,drawled,,,,,,,,,,,, +breakaway,,,breakaways,,breakawaying,,,,,breakawayed,breakawayed,,,,,,,,,,,, +disorganize,,,disorganizes,,disorganizing,,,,,disorganized,disorganized,,,,,,,,,,,, +embody,,,embodies,,embodying,,,,,embodied,embodied,,,,,,,,,,,, +emulsify,,,emulsifies,,emulsifying,,,,,emulsified,emulsified,,,,,,,,,,,, +unfold,,,unfolds,,unfolding,,,,,unfolded,unfolded,,,,,,,,,,,, +anele,,,aneles,,aneling,,,,,aneled,aneled,,,,,,,,,,,, +cop,,,cops,,copping,,,,,copped,copped,,,,,,,,,,,, +cow,,,cows,,cowing,,,,,cowed,cowed,,,,,,,,,,,, +cox,,,coxes,,coxing,,,,,coxed,coxed,,,,,,,,,,,, +bray,,,brays,,braying,,,,,brayed,brayed,,,,,,,,,,,, +cob,,,cobs,,cobbing,,,,,cobbed,cobbed,,,,,,,,,,,, +brag,,,brags,,bragging,,,,,bragged,bragged,,,,,,,,,,,, +cod,,,cods,,codding,,,,,codded,codded,,,,,,,,,,,, +cog,,,cogs,,cogging,,,,,cogged,cogged,,,,,,,,,,,, +coo,,,coos,,cooing,,,,,cooed,cooed,,,,,,,,,,,, +conn,,,cons,,conning,,,,,conned,conned,,,,,,,,,,,, +tone,,,tones,,toning,,,,,toned,toned,,,,,,,,,,,, +abbreviate,,,abbreviates,,abbreviating,,,,,abbreviated,abbreviated,,,,,,,,,,,, +spear,,,spears,,spearing,,,,,speared,speared,,,,,,,,,,,, +boxhaul,,,boxhauls,,boxhauling,,,,,boxhauled,boxhauled,,,,,,,,,,,, +refile,,,refiles,,refiling,,,,,refiled,refiled,,,,,,,,,,,, +edulcorate,,,edulcorates,,edulcorating,,,,,edulcorated,edulcorated,,,,,,,,,,,, +speak,,,speaks,,speaking,,,,,spoke,spoken,,,,,,,,,,,, +impersonalize,,,impersonalizes,,impersonalizing,,,,,impersonalized,impersonalized,,,,,,,,,,,, +revegetate,,,revegetates,,revegetating,,,,,revegetated,revegetated,,,,,,,,,,,, +accentuate,,,accentuates,,accentuating,,,,,accentuated,accentuated,,,,,,,,,,,, +backwash,,,backwashes,,backwashing,,,,,backwashed,backwashed,,,,,,,,,,,, +Christianize,,,Christianizes,,Christianizing,,,,,Christianized,Christianized,,,,,,,,,,,, +revoice,,,revoices,,revoicing,,,,,revoiced,revoiced,,,,,,,,,,,, +excite,,,excites,,exciting,,,,,excited,excited,,,,,,,,,,,, +hacksaw,,,hacksaws,,hacksawing,,,,,hacksawed,hacksawn,,,,,,,,,,,, +overtax,,,overtaxes,,overtaxing,,,,,overtaxed,overtaxed,,,,,,,,,,,, +hap,,,haps,,happing,,,,,happed,happed,,,,,,,,,,,, +hoist,,,hoists,,hoisting,,,,,hoisted,hoisted,,,,,,,,,,,, +spellbind,,,spellbinds,,spellbinding,,,,,spellbound,spellbound,,,,,,,,,,,, +disarrange,,,disarranges,,disarranging,,,,,disarranged,disarranged,,,,,,,,,,,, +nosedive,,,nosedives,,nosediving,,,,,nosedived,nosedived,,,,,,,,,,,, +inhibit,,,inhibits,,inhibiting,,,,,inhibited,inhibited,,,,,,,,,,,, +solvate,,,solvates,,solvating,,,,,solvated,solvated,,,,,,,,,,,, +sculpt,,,sculpts,,sculpting,,,,,sculpted,sculpted,,,,,,,,,,,, +air,,,airs,,airing,,,,,aired,aired,,,,,,,,,,,, +aim,,,aims,,aiming,,,,,aimed,aimed,,,,,,,,,,,, +ail,,,ails,,ailing,,,,,ailed,ailed,,,,,,,,,,,, +thrash,,,thrashes,,thrashing,,,,,thrashed,thrashed,,,,,,,,,,,, +aid,,,aids,,aiding,,,,,aided,aided,,,,,,,,,,,, +voice,,,voices,,voicing,,,,,voiced,voiced,,,,,,,,,,,, +mistake,,,mistakes,,mistaking,,,,,mistook,mistaken,,,,,,,,,,,, +souse,,,souses,,sousing,,,,,soused,soused,,,,,,,,,,,, +dislimn,,,dislimns,,dislimning,,,,,dislimned,dislimned,,,,,,,,,,,, +sting,,,stings,,stinging,,,,,stung,stung,,,,,,,,,,,, +dizzy,,,dizzies,,dizzying,,,,,dizzied,dizzied,,,,,,,,,,,, +brake,,,brakes,,braking,,,,,braked,braked,,,,,,,,,,,, +cone,,,cones,,coning,,,,,coned,coned,,,,,,,,,,,, +exile,,,exiles,,exiling,,,,,exiled,exiled,,,,,,,,,,,, +uplift,,,uplifts,,uplifting,,,,,uplifted,uplifted,,,,,,,,,,,, +conk,,,conks,,conking,,,,,conked,conked,,,,,,,,,,,, +stint,,,stints,,stinting,,,,,stinted,stinted,,,,,,,,,,,, +deadhead,,,deadheads,,deadheading,,,,,deadheaded,deadheaded,,,,,,,,,,,, +feaze,,,feazes,,feazing,,,,,feazed,feazed,,,,,,,,,,,, +perform,,,performs,,performing,,,,,performed,performed,,,,,,,,,,,, +grapple,,,grapples,,grappling,,,,,grappled,grappled,,,,,,,,,,,, +descend,,,descends,,descending,,,,,descended,descended,,,,,,,,,,,, +hank,,,hanks,,hanking,,,,,hanked,hanked,,,,,,,,,,,, +raid,,,raids,,raiding,,,,,raided,raided,,,,,,,,,,,, +fuss,,,fusses,,fussing,,,,,fussed,fussed,,,,,,,,,,,, +coproduce,,,coproduces,,coproducing,,,,,coproduced,coproduced,,,,,,,,,,,, +swell,,,swells,,swelling,,,,,swelled,swollen,,,,,,,,,,,, +hang,,,hangs,,hanging,,,,,hung,hung,,,,,,,,,,,, +rain,,,rains,,raining,,,,,rained,rained,,,,,,,,,,,, +hand,,,hands,,handing,,,,,handed,handed,,,,,,,,,,,, +larrup,,,larrups,,larruping,,,,,larruped,larruped,,,,,,,,,,,, +nix,,,nixes,,nixing,,,,,nixed,nixed,,,,,,,,,,,, +fuze,,,fuzes,,fuzing,,,,,fuzed,fuzed,,,,,,,,,,,, +descry,,,descries,,descrying,,,,,descried,descried,,,,,,,,,,,, +sweettalk,,,sweettalks,,sweettalking,,,,,sweettalked,sweettalked,,,,,,,,,,,, +deemphasize,,,deemphasizes,,deemphasizing,,,,,deemphasized,deemphasized,,,,,,,,,,,, +jangle,,,jangles,,jangling,,,,,jangled,jangled,,,,,,,,,,,, +humble,,,humbles,,humbling,,,,,humbled,humbled,,,,,,,,,,,, +drip,,,drips,,dripping,,,,,dripped,dripped,,,,,,,,,,,, +gratulate,,,gratulates,,gratulating,,,,,gratulated,gratulated,,,,,,,,,,,, +jay-walk,,,jay-walks,,jaywalking,,,,,jaywalked,jay-walked,,,,,,,,,,,, +contact,,,contacts,,contacting,,,,,contacted,contacted,,,,,,,,,,,, +snigger,,,sniggers,,sniggering,,,,,sniggered,sniggered,,,,,,,,,,,, +singlespace,,,singlespaces,,singlespacing,,,,,singlespaced,singlespaced,,,,,,,,,,,, +skivvy,,,skivvies,,skivvying,,,,,skivvied,skivvied,,,,,,,,,,,, +bereave,,,bereaves,,bereaving,,,,,bereaved,bereaved,,,,,,,,,,,, +mingle,,,mingles,,mingling,,,,,mingled,mingled,,,,,,,,,,,, +halloo,,,halloos,,hallooing,,,,,hallooed,hallooed,,,,,,,,,,,, +dignify,,,dignifies,,dignifying,,,,,dignified,dignified,,,,,,,,,,,, +repose,,,reposes,,reposing,,,,,reposed,reposed,,,,,,,,,,,, +rarify,,,rarifies,,rarifying,,,,,rarified,rarified,,,,,,,,,,,, +extoll,,,extols,,extolling,,,,,extolled,extolled,,,,,,,,,,,, +rollerskate,,,rollerskates,,rollerskating,,,,,rollerskated,rollerskated,,,,,,,,,,,, +interweave,,,interweaves,,interweaving,,,,,interwove,interwoven,,,,,,,,,,,, +varitype,,,varitypes,,varityping,,,,,varityped,varityped,,,,,,,,,,,, +attemper,,,attempers,,attempering,,,,,attempered,attempered,,,,,,,,,,,, +exalt,,,exalts,,exalting,,,,,exalted,exalted,,,,,,,,,,,, +shout,,,shouts,,shouting,,,,,shouted,shouted,,,,,,,,,,,, +spread,,,spreads,,spreading,,,,,spread,spread,,,,,,,,,,,, +board,,,boards,,boarding,,,,,boarded,boarded,,,,,,,,,,,, +basset,,,bassets,,basseting,,,,,basseted,basseted,,,,,,,,,,,, +shoulder,,,shoulders,,shouldering,,,,,shouldered,shouldered,,,,,,,,,,,, +retread,,,retreads,,retreading,,,,,retreaded,retreaded,,,,,,,,,,,, +botanize,,,botanizes,,botanizing,,,,,botanized,botanized,,,,,,,,,,,, +barge,,,barges,,barging,,,,,barged,barged,,,,,,,,,,,, +retreat,,,retreats,,retreating,,,,,retreated,retreated,,,,,,,,,,,, +disadvantage,,,disadvantages,,disadvantaging,,,,,disadvantaged,disadvantaged,,,,,,,,,,,, +rustle,,,rustles,,rustling,,,,,rustled,rustled,,,,,,,,,,,, +overfly,,,overflies,,overflying,,,,,overflew,overflown,,,,,,,,,,,, +airdrop,,,airdrops,,airdropping,,,,,airdropped,airdropped,,,,,,,,,,,, +kyanize,,,kyanizes,,kyanizing,,,,,kyanized,kyanized,,,,,,,,,,,, +snug,,,snugs,,snugging,,,,,snugged,snugged,,,,,,,,,,,, +revalorize,,,revalorizes,,revalorizing,,,,,revalorized,revalorized,,,,,,,,,,,, +grizzle,,,grizzles,,grizzling,,,,,grizzled,grizzled,,,,,,,,,,,, +reassign,,,reassigns,,reassigning,,,,,reassigned,reassigned,,,,,,,,,,,, +augur,,,augurs,,auguring,,,,,augured,augured,,,,,,,,,,,, +thole,,,tholes,,tholing,,,,,tholed,tholed,,,,,,,,,,,, +antique,,,antiques,,antiquing,,,,,antiqued,antiqued,,,,,,,,,,,, +snub,,,snubs,,snubbing,,,,,snubbed,snubbed,,,,,,,,,,,, +flatter,,,flatters,,flattering,,,,,flattered,flattered,,,,,,,,,,,, +rile,,,riles,,riling,,,,,riled,riled,,,,,,,,,,,, +hassle,,,hassles,,hassling,,,,,hassled,hassled,,,,,,,,,,,, +flatten,,,flattens,,flattening,,,,,flattened,flattened,,,,,,,,,,,, +bore,,,bores,,boring,,,,,bored,bored,,,,,,,,,,,, +glamourize,,,glamourizes,,glamourizing,,,,,glamourized,glamourized,,,,,,,,,,,, +cede,,,cedes,,ceding,,,,,ceded,ceded,,,,,,,,,,,, +matriculate,,,matriculates,,matriculating,,,,,matriculated,matriculated,,,,,,,,,,,, +vassalize,,,vassalizes,,vassalizing,,,,,vassalized,vassalized,,,,,,,,,,,, +peek,,,peeks,,peeking,,,,,peeked,peeked,,,,,,,,,,,, +peen,,,peens,,peening,,,,,peened,peened,,,,,,,,,,,, +peel,,,peels,,peeling,,,,,peeled,peeled,,,,,,,,,,,, +pulverize,,,pulverizes,,pulverizing,,,,,pulverized,pulverized,,,,,,,,,,,, +elucidate,,,elucidates,,elucidating,,,,,elucidated,elucidated,,,,,,,,,,,, +pose,,,poses,,posing,,,,,posed,posed,,,,,,,,,,,, +confer,,,confers,,conferring,,,,,conferred,conferred,,,,,,,,,,,, +ply,,,plies,,plying,,,,,plied,plied,,,,,,,,,,,, +depoliticize,,,depoliticizes,,depoliticizing,,,,,depoliticized,depoliticized,,,,,,,,,,,, +outrival,,,outrivals,,outrivalling,,,,,outrivalled,outrivalled,,,,,,,,,,,, +peep,,,peeps,,peeping,,,,,peeped,peeped,,,,,,,,,,,, +poss,,,posses,,possing,,,,,possed,possed,,,,,,,,,,,, +chafe,,,chafes,,chafing,,,,,chafed,chafed,,,,,,,,,,,, +chaff,,,chaffs,,chaffing,,,,,chaffed,chaffed,,,,,,,,,,,, +tryst,,,trysts,,trysting,,,,,trysted,trysted,,,,,,,,,,,, +visa,,,visas,,visaing,,,,,visaed,visaed,,,,,,,,,,,, +plenish,,,plenishes,,plenishing,,,,,plenished,plenished,,,,,,,,,,,, +cherish,,,cherishes,,cherishing,,,,,cherished,cherished,,,,,,,,,,,, +croak,,,croaks,,croaking,,,,,croaked,croaked,,,,,,,,,,,, +clomb,,,clombs,,clombing,,,,,clombed,clombed,,,,,,,,,,,, +mantle,,,mantles,,mantling,,,,,mantled,mantled,,,,,,,,,,,, +float,,,floats,,floating,,,,,floated,floated,,,,,,,,,,,, +bound,,,bounds,,bounding,,,,,bounded,bounded,,,,,,,,,,,, +clomp,,,clomps,,clomping,,,,,clomped,clomped,,,,,,,,,,,, +obligate,,,obligates,,obligating,,,,,obligated,obligated,,,,,,,,,,,, +wrongfoot,,,wrongfoots,,wrongfooting,,,,,wrongfooted,wrongfooted,,,,,,,,,,,, +stumble,,,stumbles,,stumbling,,,,,stumbled,stumbled,,,,,,,,,,,, +wan,,,wans,,wanning,,,,,wanned,wanned,,,,,,,,,,,, +familiarize,,,familiarizes,,familiarizing,,,,,familiarized,familiarized,,,,,,,,,,,, +connote,,,connotes,,connoting,,,,,connoted,connoted,,,,,,,,,,,, +wag,,,wags,,wagging,,,,,wagged,wagged,,,,,,,,,,,, +segment,,,segments,,segmenting,,,,,segmented,segmented,,,,,,,,,,,, +wad,,,wads,,wadding,,,,,wadded,wadded,,,,,,,,,,,, +frill,,,frills,,frilling,,,,,frilled,frilled,,,,,,,,,,,, +fight,,,fights,,fighting,,,,,fought,fought,,,,,,,,,,,, +gybe,,,gybes,,gybing,,,,,gybed,gybed,,,,,,,,,,,, +tartarize,,,tartarizes,,tartarizing,,,,,tartarized,tartarized,,,,,,,,,,,, +fizz,,,fizzes,,fizzing,,,,,fizzed,fizzed,,,,,,,,,,,, +catalyze,,,catalyzes,,catalyzing,,,,,catalyzed,catalyzed,,,,,,,,,,,, +pirouette,,,pirouettes,,pirouetting,,,,,pirouetted,pirouetted,,,,,,,,,,,, +bespatter,,,bespatters,,bespattering,,,,,bespattered,bespattered,,,,,,,,,,,, +converse,,,converses,,conversing,,,,,conversed,conversed,,,,,,,,,,,, +imparadise,,,imparadises,,imparadising,,,,,imparadised,imparadised,,,,,,,,,,,, +true,,,trues,,truing,,,,,trued,trued,,,,,,,,,,,, +muss,,,musses,,mussing,,,,,mussed,mussed,,,,,,,,,,,, +absent,,,absents,,absenting,,,,,absented,absented,,,,,,,,,,,, +scrimmage,,,scrimmages,,scrimmaging,,,,,scrimmaged,scrimmaged,,,,,,,,,,,, +detribalize,,,detribalizes,,detribalizing,,,,,detribalized,detribalized,,,,,,,,,,,, +variolate,,,variolates,,variolating,,,,,variolated,variolated,,,,,,,,,,,, +emit,,,emits,,emitting,,,,,emitted,emitted,,,,,,,,,,,, +corrade,,,corrades,,corrading,,,,,corraded,corraded,,,,,,,,,,,, +flatter,,,flats,,flatting,,,,,flatted,flatted,,,,,,,,,,,, +abstract,,,abstracts,,abstracting,,,,,abstracted,abstracted,,,,,,,,,,,, +molt,,,molts,,molting,,,,,molted,molted,,,,,,,,,,,, +evidence,,,evidences,,evidencing,,,,,evidenced,evidenced,,,,,,,,,,,, +manure,,,manures,,manuring,,,,,manured,manured,,,,,,,,,,,, +subsist,,,subsists,,subsisting,,,,,subsisted,subsisted,,,,,,,,,,,, +face,,,faces,,facing,,,,,faced,faced,,,,,,,,,,,, +encrypt,,,encrypts,,encrypting,,,,,encrypted,encrypted,,,,,,,,,,,, +stake,,,stakes,,staking,,,,,staked,staked,,,,,,,,,,,, +shrine,,,shrines,,shrining,,,,,shrined,shrined,,,,,,,,,,,, +repay,,,repays,,repaying,,,,,repaid,repaid,,,,,,,,,,,, +test,,,tests,,testing,,,,,tested,tested,,,,,,,,,,,, +upholster,,,upholsters,,upholstering,,,,,upholstered,upholstered,,,,,,,,,,,, +outmanoeuvre,,,outmanoeuvres,,outmanoeuvring,,,,,outmanoeuvred,outmanoeuvred,,,,,,,,,,,, +frolic,,,frolics,,frolicking,,,,,frolicked,frolicked,,,,,,,,,,,, +cicatrize,,,cicatrizes,,cicatrizing,,,,,cicatrized,cicatrized,,,,,,,,,,,, +orate,,,orates,,orating,,,,,orated,orated,,,,,,,,,,,, +heroworship,,,heroworships,,heroworshipping,,,,,heroworshipped,heroworshipped,,,,,,,,,,,, +truncate,,,truncates,,truncating,,,,,truncated,truncated,,,,,,,,,,,, +stutter,,,stutters,,stuttering,,,,,stuttered,stuttered,,,,,,,,,,,, +welcome,,,welcomes,,welcoming,,,,,welcomed,welcomed,,,,,,,,,,,, +outreach,,,outreaches,,outreaching,,,,,outreached,outreached,,,,,,,,,,,, +troupe,,,troupes,,trouping,,,,,trouped,trouped,,,,,,,,,,,, +volcanize,,,volcanizes,,volcanizing,,,,,volcanized,volcanized,,,,,,,,,,,, +ramify,,,ramifies,,ramifying,,,,,ramified,ramified,,,,,,,,,,,, +contango,,,contangoes,,contangoing,,,,,contangoed,contangoed,,,,,,,,,,,, +faze,,,fazes,,fazing,,,,,fazed,fazed,,,,,,,,,,,, +tautologize,,,tautologizes,,tautologizing,,,,,tautologized,tautologized,,,,,,,,,,,, +bottom,,,bottoms,,bottoming,,,,,bottomed,bottomed,,,,,,,,,,,, +urbanize,,,urbanizes,,urbanizing,,,,,urbanized,urbanized,,,,,,,,,,,, +gyrate,,,gyrates,,gyrating,,,,,gyrated,gyrated,,,,,,,,,,,, +re-trace,,,re-traces,,re-tracing,,,,,retraced,re-traced,,,,,,,,,,,, +denunciate,,,denunciates,,denunciating,,,,,denunciated,denunciated,,,,,,,,,,,, +platemark,,,platemarks,,platemarking,,,,,platemarked,platemarked,,,,,,,,,,,, +incarcerate,,,incarcerates,,incarcerating,,,,,incarcerated,incarcerated,,,,,,,,,,,, +dance,,,dances,,dancing,,,,,danced,danced,,,,,,,,,,,, +debauch,,,debauches,,debauching,,,,,debauched,debauched,,,,,,,,,,,, +supplement,,,supplements,,supplementing,,,,,supplemented,supplemented,,,,,,,,,,,, +battle,,,battles,,battling,,,,,battled,battled,,,,,,,,,,,, +bottlefeed,,,bottlefeeds,,bottlefeeding,,,,,bottlefed,bottlefed,,,,,,,,,,,, +suffumigate,,,suffumigates,,suffumigating,,,,,suffumigated,suffumigated,,,,,,,,,,,, +varnish,,,varnishes,,varnishing,,,,,varnished,varnished,,,,,,,,,,,, +matchmark,,,matchmarks,,matchmarking,,,,,matchmarked,matchmarked,,,,,,,,,,,, +zone,,,zones,,zoning,,,,,zoned,zoned,,,,,,,,,,,, +graph,,,graphs,,graphing,,,,,graphed,graphed,,,,,,,,,,,, +hump,,,humps,,humping,,,,,humped,humped,,,,,,,,,,,, +flash,,,flashes,,flashing,,,,,flashed,flashed,,,,,,,,,,,, +counterattack,,,counterattacks',,counter-attacking,,,,,counterattacked,counter-attacked,,,,,,,,,,,, +compensate,,,compensates,,compensating,,,,,compensated,compensated,,,,,,,,,,,, +tusk,,,tusks,,tusking,,,,,tusked,tusked,,,,,,,,,,,, +overbuild,,,overbuilds,,overbuilding,,,,,overbuilt,overbuilt,,,,,,,,,,,, +brown,,,browns,,browning,,,,,browned,browned,,,,,,,,,,,, +predicate,,,predicates,,predicating,,,,,predicated,predicated,,,,,,,,,,,, +congest,,,congests,,congesting,,,,,congested,congested,,,,,,,,,,,, +faceharden,,,facehardens,,facehardening,,,,,facehardened,facehardened,,,,,,,,,,,, +chirrup,,,chirrups,,chirruping,,,,,chirruped,chirruped,,,,,,,,,,,, +twotime,,,twotimes,,twotiming,,,,,twotimed,twotimed,,,,,,,,,,,, +sunbathe,,,sunbathes,,sunbathing,,,,,sunbathed,sunbathed,,,,,,,,,,,, +kitten,,,kittens,,kittening,,,,,kittened,kittened,,,,,,,,,,,, +trouble,,,troubles,,troubling,,,,,troubled,troubled,,,,,,,,,,,, +blast,,,blasts,,blasting,,,,,blasted,blasted,,,,,,,,,,,, +bring,,,brings,,bringing,,,,,brought,brought,,,,,,,,,,,, +subinfeudate,,,subinfeudates,,subinfeudating,,,,,subinfeudated,subinfeudated,,,,,,,,,,,, +Latinize,,,Latinizes,,Latinizing,,,,,Latinized,Latinized,,,,,,,,,,,, +gun,,,guns,,gunning,,,,,gunned,gunned,,,,,,,,,,,, +gum,,,gums,,gumming,,,,,gummed,gummed,,,,,,,,,,,, +stylopize,,,stylopizes,,stylopizing,,,,,stylopized,stylopized,,,,,,,,,,,, +burgeon,,,burgeons,,burgeoning,,,,,burgeoned,burgeoned,,,,,,,,,,,, +guy,,,guys,,guying,,,,,guyed,guyed,,,,,,,,,,,, +disqualify,,,disqualifies,,disqualifying,,,,,disqualified,disqualified,,,,,,,,,,,, +Grecize,,,Grecizes,,Grecizing,,,,,Grecized,Grecized,,,,,,,,,,,, +brave,,,braves,,braving,,,,,braved,braved,,,,,,,,,,,, +regret,,,regrets,,regretting,,,,,regretted,regretted,,,,,,,,,,,, +trill,,,trills,,trilling,,,,,trilled,trilled,,,,,,,,,,,, +discover,,,discovers,,discovering,,,,,discovered,discovered,,,,,,,,,,,, +agitate,,,agitates,,agitating,,,,,agitated,agitated,,,,,,,,,,,, +cosh,,,coshes,,coshing,,,,,coshed,coshed,,,,,,,,,,,, +circumnutate,,,circumnutates,,circumnutating,,,,,circumnutated,circumnutated,,,,,,,,,,,, +grump,,,grumps,,grumping,,,,,grumped,grumped,,,,,,,,,,,, +cost,,,costs,,costing,,,,,cost,cost,,,,,,,,,,,, +stupefy,,,stupefies,,stupefying,,,,,stupefied,stupefied,,,,,,,,,,,, +tempest,,,tempests,,tempesting,,,,,tempested,tempested,,,,,,,,,,,, +curse,,,curses,,cursing,,,,,curst,curst,,,,,,,,,,,, +appear,,,appears,,appearing,,,,,appeared,appeared,,,,,,,,,,,, +avouch,,,avouches,,avouching,,,,,avouched,avouched,,,,,,,,,,,, +galumph,,,galumphs,,galumphing,,,,,galumphed,galumphed,,,,,,,,,,,, +havoc,,,havocs,,havocking,,,,,havocked,havocked,,,,,,,,,,,, +chuff,,,chuffs,,chuffing,,,,,chuffed,chuffed,,,,,,,,,,,, +telex,,,telexes,,telexing,,,,,telexed,telexed,,,,,,,,,,,, +handpick,,,handpicks,,handpicking,,,,,handpicked,handpicked,,,,,,,,,,,, +appeal,,,appeals,,appealing,,,,,appealed,appealed,,,,,,,,,,,, +satisfy,,,satisfies,,satisfying,,,,,satisfied,satisfied,,,,,,,,,,,, +unbosom,,,unbosoms,,unbosoming,,,,,unbosomed,unbosomed,,,,,,,,,,,, +chicane,,,chicanes,,chicaning,,,,,chicaned,chicaned,,,,,,,,,,,, +widow,,,widows,,widowing,,,,,widowed,widowed,,,,,,,,,,,, +gawk,,,gawks,,gawking,,,,,gawked,gawked,,,,,,,,,,,, +disclaim,,,disclaims,,disclaiming,,,,,disclaimed,disclaimed,,,,,,,,,,,, +illumine,,,illumines,,illumining,,,,,illumined,illumined,,,,,,,,,,,, +gawp,,,gawps,,gawping,,,,,gawped,gawped,,,,,,,,,,,, +English,,,Englishes,,Englishing,,,,,Englished,Englished,,,,,,,,,,,, +gorge,,,gorges,,gorging,,,,,gorged,gorged,,,,,,,,,,,, +reexamine,,,reexamines,,reexamining,,,,,reexamined,reexamined,,,,,,,,,,,, +tubulate,,,tubulates,,tubulating,,,,,tubulated,tubulated,,,,,,,,,,,, +change,,,changes,,changing,,,,,changed,changed,,,,,,,,,,,, +buck,,,bucks,,bucking,,,,,bucked,bucked,,,,,,,,,,,, +theorize,,,theorizes,,theorizing,,,,,theorized,theorized,,,,,,,,,,,, +eke,,,ekes,,eking,,,,,eked,eked,,,,,,,,,,,, +disavow,,,disavows,,disavowing,,,,,disavowed,disavowed,,,,,,,,,,,, +detonate,,,detonates,,detonating,,,,,detonated,detonated,,,,,,,,,,,, +conciliate,,,conciliates,,conciliating,,,,,conciliated,conciliated,,,,,,,,,,,, +pillow,,,pillows,,pillowing,,,,,pillowed,pillowed,,,,,,,,,,,, +boult,,,boults,,boulting,,,,,boulted,boulted,,,,,,,,,,,, +infract,,,infracts,,infracting,,,,,infracted,infracted,,,,,,,,,,,, +paragon,,,paragons,,paragoning,,,,,paragoned,paragoned,,,,,,,,,,,, +gesticulate,,,gesticulates,,gesticulating,,,,,gesticulated,gesticulated,,,,,,,,,,,, +market,,,markets,,marketing,,,,,marketed,marketed,,,,,,,,,,,, +knurl,,,knurls,,knurling,,,,,knurled,knurled,,,,,,,,,,,, +subvert,,,subverts,,subverting,,,,,subverted,subverted,,,,,,,,,,,, +captivate,,,captivates,,captivating,,,,,captivated,captivated,,,,,,,,,,,, +rejuvenate,,,rejuvenates,,rejuvenating,,,,,rejuvenated,rejuvenated,,,,,,,,,,,, +coalesce,,,coalesces,,coalescing,,,,,coalesced,coalesced,,,,,,,,,,,, +live,,,lives,,living,,,,,lived,lived,,,,,,,,,,,, +slough,,,sloughs,,sloughing,,,,,sloughed,sloughed,,,,,,,,,,,, +meliorate,,,meliorates,,meliorating,,,,,meliorated,meliorated,,,,,,,,,,,, +stomach,,,stomaches,,stomaching,,,,,stomached,stomached,,,,,,,,,,,, +privateer,,,privateers,,privateering,,,,,privateered,privateered,,,,,,,,,,,, +entrance,,,entrances,,entrancing,,,,,entranced,entranced,,,,,,,,,,,, +club,,,clubs,,clubbing,,,,,clubbed,clubbed,,,,,,,,,,,, +cluck,,,clucks,,clucking,,,,,clucked,clucked,,,,,,,,,,,, +clue,,,clues,,cluing,,,,,clued,clued,,,,,,,,,,,, +reunify,,,reunifies,,reunifying,,,,,reunified,reunified,,,,,,,,,,,, +judder,,,judders,,juddering,,,,,juddered,juddered,,,,,,,,,,,, +pedestrianize,,,pedestrianizes,,pedestrianizing,,,,,pedestrianized,pedestrianized,,,,,,,,,,,, +prepay,,,prepays,,prepaying,,,,,prepaid,prepaid,,,,,,,,,,,, +douche,,,douches,,douching,,,,,douched,douched,,,,,,,,,,,, +machicolate,,,machicolates,,machicolating,,,,,machicolated,machicolated,,,,,,,,,,,, +cap,,,caps,,capping,,,,,capped,capped,,,,,,,,,,,, +caw,,,caws,,cawing,,,,,cawed,cawed,,,,,,,,,,,, +cat,,,cats,,catting,,,,,catted,catted,,,,,,,,,,,, +purge,,,purges,,purging,,,,,purged,purged,,,,,,,,,,,, +miaul,,,miauls,,miauling,,,,,miauled,miauled,,,,,,,,,,,, +can,,,,,,,,,,could,,can't,,,,,,,,,,couldn't, +heart,,,hearts,,hearting,,,,,hearted,hearted,,,,,,,,,,,, +attribute,,,attributes,,attributing,,,,,attributed,attributed,,,,,,,,,,,, +chip,,,chips,,chipping,,,,,chipped,chipped,,,,,,,,,,,, +nock,,,nocks,,nocking,,,,,nocked,nocked,,,,,,,,,,,, +chondrify,,,chondrifies,,chondrifying,,,,,chondrified,chondrified,,,,,,,,,,,, +abort,,,aborts,,aborting,,,,,aborted,aborted,,,,,,,,,,,, +chin,,,chins,,chinning,,,,,chinned,chinned,,,,,,,,,,,, +refine,,,refines,,refining,,,,,refined,refined,,,,,,,,,,,, +manhandle,,,manhandles,,manhandling,,,,,manhandled,manhandled,,,,,,,,,,,, +occur,,,occurs,,occurring,,,,,occurred,occurred,,,,,,,,,,,, +bankrupt,,,bankrupts,,bankrupting,,,,,bankrupted,bankrupted,,,,,,,,,,,, +lounge,,,lounges,,lounging,,,,,lounged,lounged,,,,,,,,,,,, +despair,,,despairs,,despairing,,,,,despaired,despaired,,,,,,,,,,,, +intrench,,,intrenches,,intrenching,,,,,intrenched,intrenched,,,,,,,,,,,, +deteriorate,,,deteriorates,,deteriorating,,,,,deteriorated,deteriorated,,,,,,,,,,,, +escalate,,,escalates,,escalating,,,,,escalated,escalated,,,,,,,,,,,, +dive,,,dives,,diving,,,,,dove,dived,,,,,,,,,,,, +bawl,,,bawls,,bawling,,,,,bawled,bawled,,,,,,,,,,,, +countermand,,,countermands,,countermanding,,,,,countermanded,countermanded,,,,,,,,,,,, +produce,,,produces,,producing,,,,,produced,produced,,,,,,,,,,,, +bear,,,bears,,bearing,,,,,,borne,,,,,,,,,,,, +restate,,,restates,,restating,,,,,restated,restated,,,,,,,,,,,, +coagulate,,,coagulates,,coagulating,,,,,coagulated,coagulated,,,,,,,,,,,, +flourish,,,flourishes,,flourishing,,,,,flourished,flourished,,,,,,,,,,,, +wainscot,,,wainscots,,wainscoting,,,,,wainscoted,wainscoted,,,,,,,,,,,, +crepe,,,crepes,,creping,,,,,creped,creped,,,,,,,,,,,, +remember,,,remembers,,remembering,,,,,remembered,remembered,,,,,,,,,,,, +ammonify,,,ammonifies,,ammonifying,,,,,ammonified,ammonified,,,,,,,,,,,, +rebut,,,rebuts,,rebutting,,,,,rebutted,rebutted,,,,,,,,,,,, +denaturalize,,,denaturalizes,,denaturalizing,,,,,denaturalized,denaturalized,,,,,,,,,,,, +offend,,,offends,,offending,,,,,offended,offended,,,,,,,,,,,, +crumple,,,crumples,,crumpling,,,,,crumpled,crumpled,,,,,,,,,,,, +stilt,,,stilts,,stilting,,,,,stilted,stilted,,,,,,,,,,,, +forfeit,,,forfeits,,forfeiting,,,,,forfeited,forfeited,,,,,,,,,,,, +utilize,,,utilizes,,utilizing,,,,,utilized,utilized,,,,,,,,,,,, +brain,,,brains,,braining,,,,,brained,brained,,,,,,,,,,,, +brail,,,brails,,brailing,,,,,brailed,brailed,,,,,,,,,,,, +cityfy,,,cityfies,,cityfying,,,,,cityfied,cityfied,,,,,,,,,,,, +birdy,,,birdies,,birdying,,,,,birdied,birdied,,,,,,,,,,,, +cachinnate,,,cachinnates,,cachinnating,,,,,cachinnated,cachinnated,,,,,,,,,,,, +cold,,,colds,,colding,,,,,colded,colded,,,,,,,,,,,, +brede,,,bredes,,breding,,,,,breded,breded,,,,,,,,,,,, +iceskate,,,iceskates,,iceskating,,,,,iceskated,iceskated,,,,,,,,,,,, +trifle,,,trifles,,trifling,,,,,trifled,trifled,,,,,,,,,,,, +acknowledge,,,acknowledges,,acknowledging,,,,,acknowledged,acknowledged,,,,,,,,,,,, +moisturize,,,moisturizes,,moisturizing,,,,,moisturized,moisturized,,,,,,,,,,,, +window,,,windows,,windowing,,,,,windowed,windowed,,,,,,,,,,,, +suffocate,,,suffocates,,suffocating,,,,,suffocated,suffocated,,,,,,,,,,,, +waggle,,,waggles,,waggling,,,,,waggled,waggled,,,,,,,,,,,, +crossindex,,,crossindexes,,crossindexing,,,,,crossindexed,crossindexed,,,,,,,,,,,, +interrelate,,,interrelates,,interrelating,,,,,interrelated,interrelated,,,,,,,,,,,, +halter,,,halts,,halting,,,,,halted,halted,,,,,,,,,,,, +fling,,,flings,,flinging,,,,,flung,flung,,,,,,,,,,,, +nod,,,nods,,nodding,,,,,nodded,nodded,,,,,,,,,,,, +rake,,,rakes,,raking,,,,,raked,raked,,,,,,,,,,,, +overcrowd,,,overcrowds,,overcrowding,,,,,overcrowded,overcrowded,,,,,,,,,,,, +introduce,,,introduces,,introducing,,,,,introduced,introduced,,,,,,,,,,,, +flint,,,flints,,flinting,,,,,flinted,flinted,,,,,,,,,,,, +half,,,halves,,,,,,,,,,,,,,,,,,,, +recap,,,recaps,,recaping,,,,,recaped,recaped,,,,,,,,,,,, +damnify,,,damnifies,,damnifying,,,,,damnified,damnified,,,,,,,,,,,, +provision,,,provisions,,provisioning,,,,,provisioned,provisioned,,,,,,,,,,,, +discuss,,,discusses,,discussing,,,,,discussed,discussed,,,,,,,,,,,, +expedite,,,expedites,,expediting,,,,,expedited,expedited,,,,,,,,,,,, +wont,,,wonts,,wonting,,,,,wonted,wonted,,,,,,,,,,,, +daub,,,daubs,,daubing,,,,,daubed,daubed,,,,,,,,,,,, +placate,,,placates,,placating,,,,,placated,placated,,,,,,,,,,,, +jump-up,,,,,,,,,,,,,,,,,,,,,,, +sop,,,sops,,sopping,,,,,sopped,sopped,,,,,,,,,,,, +drop,,,drops,,dropping,,,,,dropped,dropped,,,,,,,,,,,, +deify,,,deifies,,deifying,,,,,deified,deified,,,,,,,,,,,, +kerne,,,kerns,,kerning,,,,,kerned,kerned,,,,,,,,,,,, +degauss,,,degausses,,degaussing,,,,,degaussed,degaussed,,,,,,,,,,,, +outsail,,,outsails,,outsailing,,,,,outsailed,outsailed,,,,,,,,,,,, +pommel,,,pommels,,pommelling,,,,,pommelled,pommelled,,,,,,,,,,,, +double-fault,,,double-faults,,double-faulting,,,,,double-faulted,double-faulted,,,,,,,,,,,, +enisle,,,enisles,,enisling,,,,,enisled,enisled,,,,,,,,,,,, +grouse,,,grouses,,grousing,,,,,groused,groused,,,,,,,,,,,, +yean,,,yeans,,yeaning,,,,,yeaned,yeaned,,,,,,,,,,,, +obturate,,,obturates,,obturating,,,,,obturated,obturated,,,,,,,,,,,, +wrapped,,,wraps,,wrapping,,,,,wrapped,wrapped,,,,,,,,,,,, +replay,,,replays,,replaying,,,,,replayed,replayed,,,,,,,,,,,, +forgat,,,forgats,,forgating,,,,,forgated,forgated,,,,,,,,,,,, +counteract,,,counteracts,,counteracting,,,,,counteracted,counteracted,,,,,,,,,,,, +accomplish,,,accomplishes,,accomplishing,,,,,accomplished,accomplished,,,,,,,,,,,, +precontract,,,precontracts,,precontracting,,,,,precontracted,precontracted,,,,,,,,,,,, +space,,,spaces,,spacing,,,,,spaced,spaced,,,,,,,,,,,, +showd,,,showds,,showding,,,,,showded,showded,,,,,,,,,,,, +thirst,,,thirsts,,thirsting,,,,,thirsted,thirsted,,,,,,,,,,,, +increase,,,increases,,increasing,,,,,increased,increased,,,,,,,,,,,, +hallucinate,,,hallucinates,,hallucinating,,,,,hallucinated,hallucinated,,,,,,,,,,,, +instate,,,instates,,instating,,,,,instated,instated,,,,,,,,,,,, +circumscribe,,,circumscribes,,circumscribing,,,,,circumscribed,circumscribed,,,,,,,,,,,, +tweeze,,,tweezes,,tweezing,,,,,tweezed,tweezed,,,,,,,,,,,, +scandalize,,,scandalizes,,scandalizing,,,,,scandalized,scandalized,,,,,,,,,,,, +carp,,,carps,,carping,,,,,carped,carped,,,,,,,,,,,, +caway,,,caways,,cawaying,,,,,cawayed,cawayed,,,,,,,,,,,, +cark,,,carks,,carking,,,,,carked,carked,,,,,,,,,,,, +conglutinate,,,conglutinates,,conglutinating,,,,,conglutinated,conglutinated,,,,,,,,,,,, +repurchase,,,repurchases,,repurchasing,,,,,repurchased,repurchased,,,,,,,,,,,, +card,,,cards,,carding,,,,,carded,carded,,,,,,,,,,,, +care,,,cares,,caring,,,,,cared,cared,,,,,,,,,,,, +moult,,,moults,,moulting,,,,,moulted,moulted,,,,,,,,,,,, +clarion,,,clarions,,clarioning,,,,,clarioned,clarioned,,,,,,,,,,,, +outcry,,,outcries,,outcrying,,,,,outcried,outcried,,,,,,,,,,,, +profess,,,professes,,professing,,,,,professed,professed,,,,,,,,,,,, +support,,,supports,,supporting,,,,,supported,supported,,,,,,,,,,,, +blind,,,blinds,,blinding,,,,,blinded,blinded,,,,,,,,,,,, +incurvate,,,incurvates,,incurvating,,,,,incurvated,incurvated,,,,,,,,,,,, +trode,,,trodes,,troding,,,,,troded,troded,,,,,,,,,,,, +antevert,,,anteverts,,anteverting,,,,,anteverted,anteverted,,,,,,,,,,,, +blink,,,blinks,,blinking,,,,,blinked,blinked,,,,,,,,,,,, +consecrate,,,consecrates,,consecrating,,,,,consecrated,consecrated,,,,,,,,,,,, +demote,,,demotes,,demoting,,,,,demoted,demoted,,,,,,,,,,,, +zap,,,zaps,,zapping,,,,,zapped,zapped,,,,,,,,,,,, +size,,,sizes,,sizing,,,,,sized,sized,,,,,,,,,,,, +imprecate,,,imprecates,,imprecating,,,,,imprecated,imprecated,,,,,,,,,,,, +sheer,,,sheers,,sheering,,,,,sheered,sheered,,,,,,,,,,,, +sheet,,,sheets,,sheeting,,,,,sheeted,sheeted,,,,,,,,,,,, +breed,,,breeds,,breeding,,,,,bred,bred,,,,,,,,,,,, +callous,,,callouses,,callousing,,,,,calloused,calloused,,,,,,,,,,,, +browbeat,,,browbeats,,browbeating,,,,,browbeat,browbeaten,,,,,,,,,,,, +purloin,,,purloins,,purloining,,,,,purloined,purloined,,,,,,,,,,,, +checker,,,checkers,,checkering,,,,,checkered,checkered,,,,,,,,,,,, +trephine,,,trephines,,trephining,,,,,trephined,trephined,,,,,,,,,,,, +uncurl,,,uncurls,,uncurling,,,,,uncurled,uncurled,,,,,,,,,,,, +friend,,,friends,,friending,,,,,friended,friended,,,,,,,,,,,, +thaw,,,thaws,,thawing,,,,,thawed,thawed,,,,,,,,,,,, +fraction,,,fractions,,fractioning,,,,,fractioned,fractioned,,,,,,,,,,,, +delate,,,delates,,delating,,,,,delated,delated,,,,,,,,,,,, +sewer,,,sewers,,sewering,,,,,sewered,sewered,,,,,,,,,,,, +repossess,,,repossesses,,repossessing,,,,,repossessed,repossessed,,,,,,,,,,,, +disabuse,,,disabuses,,disabusing,,,,,disabused,disabused,,,,,,,,,,,, +glimmer,,,glimmers,,glimmering,,,,,glimmered,glimmered,,,,,,,,,,,, +peck,,,pecks,,pecking,,,,,pecked,pecked,,,,,,,,,,,, +aromatize,,,aromatizes,,aromatizing,,,,,aromatized,aromatized,,,,,,,,,,,, +hypersensitize,,,hypersensitizes,,hypersensitizing,,,,,hypersensitized,hypersensitized,,,,,,,,,,,, +recruit,,,recruits,,recruiting,,,,,recruited,recruited,,,,,,,,,,,, +massproduce,,,massproduces,,massproducing,,,,,massproduced,massproduced,,,,,,,,,,,, +double-bank,,,double-banks,,double-banking,,,,,double-banked,double-banked,,,,,,,,,,,, +impinge,,,impinges,,impinging,,,,,impinged,impinged,,,,,,,,,,,, +gobble,,,gobbles,,gobbling,,,,,gobbled,gobbled,,,,,,,,,,,, +extinguish,,,extinguishes,,extinguishing,,,,,extinguished,extinguished,,,,,,,,,,,, +intercalate,,,intercalates,,intercalating,,,,,intercalated,intercalated,,,,,,,,,,,, +decompose,,,decomposes,,decomposing,,,,,decomposed,decomposed,,,,,,,,,,,, +surname,,,surnames,,surnaming,,,,,surnamed,surnamed,,,,,,,,,,,, +evanish,,,evanishes,,evanishing,,,,,evanished,evanished,,,,,,,,,,,, +slat,,,slats,,slatting,,,,,slatted,slatted,,,,,,,,,,,, +premier,,,premiers,,premiering,,,,,premiered,premiered,,,,,,,,,,,, +slap,,,slaps,,slapping,,,,,slapped,slapped,,,,,,,,,,,, +undercool,,,undercools,,undercooling,,,,,undercooled,undercooled,,,,,,,,,,,, +slam,,,slams,,slamming,,,,,slammed,slammed,,,,,,,,,,,, +anger,,,angers,,angering,,,,,angered,angered,,,,,,,,,,,, +breakfast,,,breakfasts,,breakfasting,,,,,breakfasted,breakfasted,,,,,,,,,,,, +recover,,,recovers,,recovering,,,,,recovered,recovered,,,,,,,,,,,, +slab,,,slabs,,slabbing,,,,,slabbed,slabbed,,,,,,,,,,,, +pong,,,pongs,,ponging,,,,,ponged,ponged,,,,,,,,,,,, +wassail,,,wassails,,wassailing,,,,,wassailed,wassailed,,,,,,,,,,,, +gangrene,,,gangrenes,,gangrening,,,,,gangrened,gangrened,,,,,,,,,,,, +hideout,,,,,,,,,,,,,,,,,,,,,,, +begin,,,begins,,beginning,,,,,began,begun,,,,,,,,,,,, +mountaineer,,,mountaineers,,mountaineering,,,,,mountaineered,mountaineered,,,,,,,,,,,, +sledge,,,sledges,,sledging,,,,,sledged,sledged,,,,,,,,,,,, +price,,,prices,,pricing,,,,,priced,priced,,,,,,,,,,,, +evaporate,,,evaporates,,evaporating,,,,,evaporated,evaporated,,,,,,,,,,,, +syncretize,,,syncretizes,,syncretizing,,,,,syncretized,syncretized,,,,,,,,,,,, +oxidate,,,oxidates,,oxidating,,,,,oxidated,oxidated,,,,,,,,,,,, +dream,,,dreams,,dreaming,,,,,dreamed,dreamed,,,,,,,,,,,, +reform,,,reforms,,reforming,,,,,reformed,reformed,,,,,,,,,,,, +steady,,,steadies,,steadying,,,,,steadied,steadied,,,,,,,,,,,, +tooth,,,tooths,,toothing,,,,,toothed,toothed,,,,,,,,,,,, +slaver,,,slavers,,slavering,,,,,slavered,slavered,,,,,,,,,,,, +claver,,,clavers,,clavering,,,,,clavered,clavered,,,,,,,,,,,, +syndicate,,,syndicates,,syndicating,,,,,syndicated,syndicated,,,,,,,,,,,, +overdye,,,overdyes,,overdying,,,,,overdyed,overdyed,,,,,,,,,,,, +boggle,,,boggles,,boggling,,,,,boggled,boggled,,,,,,,,,,,, +ground,,,grounds,,grounding,,,,,grounded,grounded,,,,,,,,,,,, +gnaw,,,gnaws,,gnawing,,,,,gnawn,gnawn,,,,,,,,,,,, +title,,,titles,,titling,,,,,titled,titled,,,,,,,,,,,, +waddy,,,waddies,,waddying,,,,,waddied,waddied,,,,,,,,,,,, +industrialize,,,industrializes,,industrializing,,,,,industrialized,industrialized,,,,,,,,,,,, +jolt,,,jolts,,jolting,,,,,jolted,jolted,,,,,,,,,,,, +transude,,,transudes,,transuding,,,,,transuded,transuded,,,,,,,,,,,, +unravel,,,unravels,,unravelling,,,,,unravelled,unravelled,,,,,,,,,,,, +stain,,,stains,,staining,,,,,stained,stained,,,,,,,,,,,, +skite,,,skites,,skiting,,,,,skited,skited,,,,,,,,,,,, +shrill,,,shrills,,shrilling,,,,,shrilled,shrilled,,,,,,,,,,,, +cannon,,,cannons,,cannoning,,,,,cannoned,cannoned,,,,,,,,,,,, +celebrate,,,celebrates,,celebrating,,,,,celebrated,celebrated,,,,,,,,,,,, +deprecate,,,deprecates,,deprecating,,,,,deprecated,deprecated,,,,,,,,,,,, +leather,,,leathers,,leathering,,,,,leathered,leathered,,,,,,,,,,,, +bullwhip,,,bullwhips,,bullwhipping,,,,,bullwhipped,bullwhipped,,,,,,,,,,,, +entomb,,,entombs,,entombing,,,,,entombed,entombed,,,,,,,,,,,, +husband,,,husbands,,husbanding,,,,,husbanded,husbanded,,,,,,,,,,,, +murdabad,,,murdabads,,murdabading,,,,,murdabaded,murdabaded,,,,,,,,,,,, +burst,,,bursts,,bursting,,,,,burst,burst,,,,,,,,,,,, +allegorize,,,allegorizes,,allegorizing,,,,,allegorized,allegorized,,,,,,,,,,,, +whitewash,,,whitewashes,,whitewashing,,,,,whitewashed,whitewashed,,,,,,,,,,,, +unfit,,,unfits,,unfitting,,,,,unfitted,unfitted,,,,,,,,,,,, +inseminate,,,inseminates,,inseminating,,,,,inseminated,inseminated,,,,,,,,,,,, +habilitate,,,habilitates,,habilitating,,,,,habilitated,habilitated,,,,,,,,,,,, +sport,,,sports,,sporting,,,,,sported,sported,,,,,,,,,,,, +re-tread,,,re-treads,,re-treading,,,,,retrod,retrodden,,,,,,,,,,,, +laicize,,,laicizes,,laicizing,,,,,laicized,laicized,,,,,,,,,,,, +concern,,,concerns,,concerning,,,,,concerned,concerned,,,,,,,,,,,, +canoodle,,,canoodles,,canoodling,,,,,canoodled,canoodled,,,,,,,,,,,, +pomade,,,pomades,,pomading,,,,,pomaded,pomaded,,,,,,,,,,,, +incite,,,incites,,inciting,,,,,incited,incited,,,,,,,,,,,, +glaze,,,glazes,,glazing,,,,,glazed,glazed,,,,,,,,,,,, +rephrase,,,rephrases,,rephrasing,,,,,rephrased,rephrased,,,,,,,,,,,, +gazette,,,gazettes,,gazetting,,,,,gazetted,gazetted,,,,,,,,,,,, +import,,,imports,,importing,,,,,imported,imported,,,,,,,,,,,, +clench,,,clenches,,clenching,,,,,clenched,clenched,,,,,,,,,,,, +orchestrate,,,orchestrates,,orchestrating,,,,,orchestrated,orchestrated,,,,,,,,,,,, +notice,,,notices,,noticing,,,,,noticed,noticed,,,,,,,,,,,, +pettifog,,,pettifogs,,pettifogging,,,,,pettifogged,pettifogged,,,,,,,,,,,, +transpose,,,transposes,,transposing,,,,,transposed,transposed,,,,,,,,,,,, +rerun,,,reruns,,rerunning,,,,,reran,rerun,,,,,,,,,,,, +pluck,,,plucks,,plucking,,,,,plucked,plucked,,,,,,,,,,,, +blame,,,blames,,blaming,,,,,blamed,blamed,,,,,,,,,,,, +decoke,,,decokes,,decoking,,,,,decoked,decoked,,,,,,,,,,,, +hydrate,,,hydrates,,hydrating,,,,,hydrated,hydrated,,,,,,,,,,,, +animalize,,,animalizes,,animalizing,,,,,animalized,animalized,,,,,,,,,,,, +syllabify,,,syllabifies,,syllabifying,,,,,syllabified,syllabified,,,,,,,,,,,, +cleave,,,cleaves,,cleaving,,,,,clove,cloven,,,,,,,,,,,, +glide,,,glides,,gliding,,,,,glided,glided,,,,,,,,,,,, +guffaw,,,guffaws,,guffawing,,,,,guffawed,guffawed,,,,,,,,,,,, +pertain,,,pertains,,pertaining,,,,,pertained,pertained,,,,,,,,,,,, +temper,,,tempers,,tempering,,,,,tempered,tempered,,,,,,,,,,,, +adhibit,,,adhibits,,adhibiting,,,,,adhibited,adhibited,,,,,,,,,,,, +evict,,,evicts,,evicting,,,,,evicted,evicted,,,,,,,,,,,, +disentitle,,,disentitles,,disentitling,,,,,disentitled,disentitled,,,,,,,,,,,, +despond,,,desponds,,desponding,,,,,desponded,desponded,,,,,,,,,,,, +wreathe,,,wreathes,,wreathing,,,,,wreathed,wreathed,,,,,,,,,,,, +mummify,,,mummifies,,mummifying,,,,,mummified,mummified,,,,,,,,,,,, +dispatch,,,dispatches,,dispatching,,,,,dispatched,dispatched,,,,,,,,,,,, +exploit,,,exploits,,exploiting,,,,,exploited,exploited,,,,,,,,,,,, +forehand,,,forehands,,forehanding,,,,,forehanded,forehanded,,,,,,,,,,,, +labialize,,,labializes,,labializing,,,,,labialized,labialized,,,,,,,,,,,, +deregister,,,deregisters,,deregistering,,,,,deregistered,deregistered,,,,,,,,,,,, +uglify,,,uglifies,,uglifying,,,,,uglified,uglified,,,,,,,,,,,, +resort,,,resorts,,resorting,,,,,resorted,resorted,,,,,,,,,,,, +sket,,,skets,,sketting,,,,,sketted,sketted,,,,,,,,,,,, +invert,,,inverts,,inverting,,,,,inverted,inverted,,,,,,,,,,,, +overjoy,,,overjoys,,overjoying,,,,,overjoyed,overjoyed,,,,,,,,,,,, +toss,,,tosses,,tossing,,,,,tossed,tossed,,,,,,,,,,,, +heattreat,,,heattreats,,heattreating,,,,,heattreated,heattreated,,,,,,,,,,,, +asphyxiate,,,asphyxiates,,asphyxiating,,,,,asphyxiated,asphyxiated,,,,,,,,,,,, +conflate,,,conflates,,conflating,,,,,conflated,conflated,,,,,,,,,,,, +agglutinate,,,agglutinates,,agglutinating,,,,,agglutinated,agglutinated,,,,,,,,,,,, +exclaim,,,exclaims,,exclaiming,,,,,exclaimed,exclaimed,,,,,,,,,,,, +encage,,,encages,,encaging,,,,,encaged,encaged,,,,,,,,,,,, +crumb,,,crumbs,,crumbing,,,,,crumbed,crumbed,,,,,,,,,,,, +compartmentalize,,,compartmentalizes,,compartmentalizing,,,,,compartmentalized,compartmentalized,,,,,,,,,,,, +soft-solder,,,soft-solders,,soft-soldering,,,,,soft-soldered,soft-soldered,,,,,,,,,,,, +trick,,,tricks,,tricking,,,,,tricked,tricked,,,,,,,,,,,, +scud,,,scuds,,scudding,,,,,scudded,scudded,,,,,,,,,,,, +crump,,,crumps,,crumping,,,,,crumped,crumped,,,,,,,,,,,, +scum,,,scums,,scumming,,,,,scummed,scummed,,,,,,,,,,,, +trice,,,trices,,tricing,,,,,triced,triced,,,,,,,,,,,, +forbear,,,forbears,,forbearing,,,,,forbore,forborne,,,,,,,,,,,, +Americanize,,,Americanizes,,Americanizing,,,,,Americanized,Americanized,,,,,,,,,,,, +soil,,,soils,,soiling,,,,,soiled,soiled,,,,,,,,,,,, +suss,,,susses,,sussing,,,,,sussed,sussed,,,,,,,,,,,, +bias,,,biases,,biassing,,,,,biassed,biassed,,,,,,,,,,,, +embrace,,,embraces,,embracing,,,,,embraced,embraced,,,,,,,,,,,, +beaver,,,beavers,,beavering,,,,,beavered,beavered,,,,,,,,,,,, +hent,,,hents,,henting,,,,,hented,hented,,,,,,,,,,,, +worry,,,worries,,worrying,,,,,worried,worried,,,,,,,,,,,, +impassion,,,impassions,,impassioning,,,,,impassioned,impassioned,,,,,,,,,,,, +unbutton,,,unbuttons,,unbuttoning,,,,,unbuttoned,unbuttoned,,,,,,,,,,,, +inquire,,,inquires,,inquiring,,,,,inquired,inquired,,,,,,,,,,,, +pester,,,pesters,,pestering,,,,,pestered,pestered,,,,,,,,,,,, +about-turn,,,about-turns,,about-turning,,,,,about-turned,about-turned,,,,,,,,,,,, +document,,,documents,,documenting,,,,,documented,documented,,,,,,,,,,,, +finish,,,finishes,,finishing,,,,,finished,finished,,,,,,,,,,,, +unlace,,,unlaces,,unlacing,,,,,unlaced,unlaced,,,,,,,,,,,, +foal,,,foals,,foaling,,,,,foaled,foaled,,,,,,,,,,,, +foam,,,foams,,foaming,,,,,foamed,foamed,,,,,,,,,,,, +crosscheck,,,crosschecks',,cross-checking,,,,,crosschecked,cross-checked,,,,,,,,,,,, +fruit,,,fruits,,fruiting,,,,,fruited,fruited,,,,,,,,,,,, +puff,,,puffs,,puffing,,,,,puffed,puffed,,,,,,,,,,,, +obvert,,,obverts,,obverting,,,,,obverted,obverted,,,,,,,,,,,, +smelt,,,smelts,,smelting,,,,,smelted,smelted,,,,,,,,,,,, +validate,,,validates,,validating,,,,,validated,validated,,,,,,,,,,,, +knock-on,,,,,,,,,,,,,,,,,,,,,,, +desalinize,,,desalinizes,,desalinizing,,,,,desalinized,desalinized,,,,,,,,,,,, +breeze,,,breezes,,breezing,,,,,breezed,breezed,,,,,,,,,,,, +demean,,,demeans,,demeaning,,,,,demeaned,demeaned,,,,,,,,,,,, +hypostatize,,,hypostatizes,,hypostatizing,,,,,hypostatized,hypostatized,,,,,,,,,,,, +alleviate,,,alleviates,,alleviating,,,,,alleviated,alleviated,,,,,,,,,,,, +perpend,,,perpends,,perpending,,,,,perpended,perpended,,,,,,,,,,,, +coordinate,,,coordinates,,coordinating,,,,,coordinated,coordinated,,,,,,,,,,,, +vomit,,,vomits,,vomiting,,,,,vomited,vomited,,,,,,,,,,,, +taxi,,,taxies,,taxying,,,,,taxied,taxied,,,,,,,,,,,, +vent,,,vents,,venting,,,,,vented,vented,,,,,,,,,,,, +centuplicate,,,centuplicates,,centuplicating,,,,,centuplicated,centuplicated,,,,,,,,,,,, +armour,,,armours,,armouring,,,,,armoured,armoured,,,,,,,,,,,, +sulphate,,,sulphates,,sulphating,,,,,sulphated,sulphated,,,,,,,,,,,, +touch,,,touches,,touching,,,,,touched,touched,,,,,,,,,,,, +tare,,,tares,,taring,,,,,tared,tared,,,,,,,,,,,, +speed,,,speeds,,speeding,,,,,speeded,speeded,,,,,,,,,,,, +domicile,,,domicils,,domiciling,,,,,domiciled,domiciled,,,,,,,,,,,, +refurbish,,,refurbishes,,refurbishing,,,,,refurbished,refurbished,,,,,,,,,,,, +counterpunch,,,counterpunches,,counterpunching,,,,,counterpunched,counterpunched,,,,,,,,,,,, +allude,,,alludes,,alluding,,,,,alluded,alluded,,,,,,,,,,,, +verse,,,verses,,versing,,,,,versed,versed,,,,,,,,,,,, +cogitate,,,cogitates,,cogitating,,,,,cogitated,cogitated,,,,,,,,,,,, +Russianize,,,Russianizes,,Russianizing,,,,,Russianized,Russianized,,,,,,,,,,,, +disproportionate,,,disproportionates,,disproportionating,,,,,disproportionated,disproportionated,,,,,,,,,,,, +lade,,,lades,,lading,,,,,laded,laden,,,,,,,,,,,, +ream,,,reams,,reaming,,,,,reamed,reamed,,,,,,,,,,,, +breastfeed,,,breastfeeds,,breastfeeding,,,,,breastfed,breastfed,,,,,,,,,,,, +frown,,,frowns,,frowning,,,,,frowned,frowned,,,,,,,,,,,, +stunk,,,stunks,,stunking,,,,,stunked,stunked,,,,,,,,,,,, +read,,,reads,,reading,,,,,read,read,,,,,,,,,,,, +swig,,,swigs,,swigging,,,,,swigged,swigged,,,,,,,,,,,, +plodge,,,plodges,,plodging,,,,,plodged,plodged,,,,,,,,,,,, +detoxify,,,detoxifies,,detoxifying,,,,,detoxified,detoxified,,,,,,,,,,,, +leapfrog,,,leapfrogs,,,,,,,,,,,,,,,,,,,, +detract,,,detracts,,detracting,,,,,detracted,detracted,,,,,,,,,,,, +chemosorb,,,chemosorbs,,chemosorbing,,,,,chemosorbed,chemosorbed,,,,,,,,,,,, +stunt,,,stunts,,stunting,,,,,stunted,stunted,,,,,,,,,,,, +reap,,,reaps,,reaping,,,,,reaped,reaped,,,,,,,,,,,, +hovel,,,hovels,,hovelling,,,,,hovelled,hovelled,,,,,,,,,,,, +rear,,,rears,,rearing,,,,,reared,reared,,,,,,,,,,,, +secularize,,,secularizes,,secularizing,,,,,secularized,secularized,,,,,,,,,,,, +commove,,,commoves,,commoving,,,,,commoved,commoved,,,,,,,,,,,, +fortune,,,fortunes,,fortuning,,,,,fortuned,fortuned,,,,,,,,,,,, +misquote,,,misquotes,,misquoting,,,,,misquoted,misquoted,,,,,,,,,,,, +roll,,,rolls,,rolling,,,,,rolled,rolled,,,,,,,,,,,, +engross,,,engrosses,,engrossing,,,,,engrossed,engrossed,,,,,,,,,,,, +interleave,,,interleaves,,interleaving,,,,,interleaved,interleaved,,,,,,,,,,,, +benefit,,,benefits,,benefiting,,,,,benefited,benefited,,,,,,,,,,,, +hoarsen,,,hoarsens,,hoarsening,,,,,hoarsened,hoarsened,,,,,,,,,,,, +ensile,,,ensiles,,ensiling,,,,,ensiled,ensiled,,,,,,,,,,,, +laugh,,,laughs,,laughing,,,,,laughed,laughed,,,,,,,,,,,, +Orientalize,,,Orientalizes,,Orientalizing,,,,,Orientalized,Orientalized,,,,,,,,,,,, +doublecross,,,doublecrosses,,doublecrossing,,,,,doublecrossed,doublecrossed,,,,,,,,,,,, +uppercase,,,uppercases,,uppercasing,,,,,uppercased,uppercased,,,,,,,,,,,, +squirm,,,squirms,,squirming,,,,,squirmed,squirmed,,,,,,,,,,,, +hebetate,,,hebetates,,hebetating,,,,,hebetated,hebetated,,,,,,,,,,,, +putter,,,putters,,puttering,,,,,puttered,puttered,,,,,,,,,,,, +squire,,,squires,,squiring,,,,,squired,squired,,,,,,,,,,,, +circumnavigate,,,circumnavigates,,circumnavigating,,,,,circumnavigated,circumnavigated,,,,,,,,,,,, +squirt,,,squirts,,squirting,,,,,squirted,squirted,,,,,,,,,,,, +underbuy,,,underbuys,,underbuying,,,,,underbought,underbought,,,,,,,,,,,, +unstring,,,unstrings,,unstringing,,,,,unstrung,unstrung,,,,,,,,,,,, +hustle,,,hustles,,hustling,,,,,hustled,hustled,,,,,,,,,,,, +sadden,,,saddens,,saddening,,,,,saddened,saddened,,,,,,,,,,,, +revivify,,,revivifies,,revivifying,,,,,revivified,revivified,,,,,,,,,,,, +seine,,,seines,,seining,,,,,seined,seined,,,,,,,,,,,, +steam-heat,,,steam-heats,,steam-heating,,,,,steam-heated,steam-heated,,,,,,,,,,,, +restring,,,restrings,,restringing,,,,,restrung,restrung,,,,,,,,,,,, +assemble,,,assembles,,assembling,,,,,assembled,assembled,,,,,,,,,,,, +throw,,,throws,,throwing,,,,,threw,thrown,,,,,,,,,,,, +emasculate,,,emasculates,,emasculating,,,,,emasculated,emasculated,,,,,,,,,,,, +placard,,,placards,,placarding,,,,,placarded,placarded,,,,,,,,,,,, +cutinize,,,cutinizes,,cutinizing,,,,,cutinized,cutinized,,,,,,,,,,,, +discern,,,discerns,,discerning,,,,,discerned,discerned,,,,,,,,,,,, +chop,,,chops,,chopping,,,,,chopped,chopped,,,,,,,,,,,, +wolf,,,wolfs,,wolfing,,,,,wolfed,wolfed,,,,,,,,,,,, +internalize,,,internalizes,,internalizing,,,,,internalized,internalized,,,,,,,,,,,, +unquote,,,unquotes,,unquoting,,,,,unquoted,unquoted,,,,,,,,,,,, +intromit,,,intromits,,intromitting,,,,,intromitted,intromitted,,,,,,,,,,,, +lionize,,,lionizes,,lionizing,,,,,lionized,lionized,,,,,,,,,,,, +stoke,,,stokes,,stoking,,,,,stoked,stoked,,,,,,,,,,,, +resuscitate,,,resuscitates,,resuscitating,,,,,resuscitated,resuscitated,,,,,,,,,,,, +lob,,,lobs,,lobbing,,,,,lobbed,lobbed,,,,,,,,,,,, +log,,,logs,,logging,,,,,logged,logged,,,,,,,,,,,, +countermine,,,countermines,,countermining,,,,,countermined,countermined,,,,,,,,,,,, +preregister,,,preregisters,,preregistering,,,,,preregistered,preregistered,,,,,,,,,,,, +criminate,,,criminates,,criminating,,,,,criminated,criminated,,,,,,,,,,,, +wigwag,,,wigwags,,wigwagging,,,,,wigwagged,wigwagged,,,,,,,,,,,, +start,,,starts,,starting,,,,,started,started,,,,,,,,,,,, +lop,,,lops,,lopping,,,,,lopped,lopped,,,,,,,,,,,, +lower,,,lows,,lowing,,,,,lowed,lowed,,,,,,,,,,,, +lot,,,lots,,lotting,,,,,lotted,lotted,,,,,,,,,,,, +gudgeon,,,gudgeons,,gudgeoning,,,,,gudgeoned,gudgeoned,,,,,,,,,,,, +glaciate,,,glaciates,,glaciating,,,,,glaciated,glaciated,,,,,,,,,,,, +groan,,,groans,,groaning,,,,,groaned,groaned,,,,,,,,,,,, +deject,,,dejects,,dejecting,,,,,dejected,dejected,,,,,,,,,,,, +recoil,,,recoils,,recoiling,,,,,recoiled,recoiled,,,,,,,,,,,, +gatecrash,,,gatecrashes,,gatecrashing,,,,,gatecrashed,gatecrashed,,,,,,,,,,,, +hire,,,hires,,hiring,,,,,hired,hired,,,,,,,,,,,, +expropriate,,,expropriates,,expropriating,,,,,expropriated,expropriated,,,,,,,,,,,, +skedaddle,,,skedaddles,,skedaddling,,,,,skedaddled,skedaddled,,,,,,,,,,,, +hoiden,,,hoidens,,hoidening,,,,,hoidened,hoidened,,,,,,,,,,,, +default,,,defaults,,defaulting,,,,,defaulted,defaulted,,,,,,,,,,,, +enchase,,,enchases,,enchasing,,,,,enchased,enchased,,,,,,,,,,,, +bucket,,,buckets,,bucketing,,,,,bucketed,bucketed,,,,,,,,,,,, +overpay,,,overpays,,overpaying,,,,,overpaid,overpaid,,,,,,,,,,,, +cleck,,,clecks,,clecking,,,,,clecked,clecked,,,,,,,,,,,, +dander,,,danders,,dandering,,,,,dandered,dandered,,,,,,,,,,,, +popularize,,,popularizes,,popularizing,,,,,popularized,popularized,,,,,,,,,,,, +undertake,,,undertakes,,undertaking,,,,,undertook,undertaken,,,,,,,,,,,, +subdue,,,subdues,,subduing,,,,,subdued,subdued,,,,,,,,,,,, +describe,,,describes,,describing,,,,,described,described,,,,,,,,,,,, +denationalize,,,denationalizes,,denationalizing,,,,,denationalized,denationalized,,,,,,,,,,,, +sheath,,,sheaths,,sheathing,,,,,sheathed,sheathed,,,,,,,,,,,, +impend,,,impends,,impending,,,,,impended,impended,,,,,,,,,,,, +confab,,,confabs,,confabbing,,,,,confabbed,confabbed,,,,,,,,,,,, +backstroke,,,backstrokes,,backstroking,,,,,backstroked,backstroked,,,,,,,,,,,, +trample,,,tramples,,trampling,,,,,trampled,trampled,,,,,,,,,,,, +colly,,,collies,,collying,,,,,collied,collied,,,,,,,,,,,, +quadrisect,,,quadrisects,,quadrisecting,,,,,quadrisected,quadrisected,,,,,,,,,,,, +poop,,,poops,,pooping,,,,,pooped,pooped,,,,,,,,,,,, +vaccinate,,,vaccinates,,vaccinating,,,,,vaccinated,vaccinated,,,,,,,,,,,, +drift,,,drifts,,drifting,,,,,drifted,drifted,,,,,,,,,,,, +carpenter,,,carpenters,,carpentering,,,,,carpentered,carpentered,,,,,,,,,,,, +overreact,,,overreacts,,overreacting,,,,,overreacted,overreacted,,,,,,,,,,,, +peal,,,peals,,pealing,,,,,pealed,pealed,,,,,,,,,,,, +peak,,,peaks,,peaking,,,,,peaked,peaked,,,,,,,,,,,, +pool,,,pools,,pooling,,,,,pooled,pooled,,,,,,,,,,,, +assert,,,asserts,,asserting,,,,,asserted,asserted,,,,,,,,,,,, +dabble,,,dabbles,,dabbling,,,,,dabbled,dabbled,,,,,,,,,,,, +smooch,,,smooches,,smooching,,,,,smooched,smooched,,,,,,,,,,,, +phonate,,,phonates,,phonating,,,,,phonated,phonated,,,,,,,,,,,, +untidy,,,untidies,,untidying,,,,,untidied,untidied,,,,,,,,,,,, +moonlight,,,moonlights,,moonlighting,,,,,moonlighted,moonlighted,,,,,,,,,,,, +head-load,,,head-loads,,head-loading,,,,,head-loaded,head-loaded,,,,,,,,,,,, +requisition,,,requisitions,,requisitioning,,,,,requisitioned,requisitioned,,,,,,,,,,,, +forswear,,,forswears,,forswearing,,,,,forswore,forsworn,,,,,,,,,,,, +disentail,,,disentails,,disentailing,,,,,disentailed,disentailed,,,,,,,,,,,, +overwatch,,,overwatches,,overwatching,,,,,overwatched,overwatched,,,,,,,,,,,, +peacock,,,peacocks,,peacocking,,,,,peacocked,peacocked,,,,,,,,,,,, +expatiate,,,expatiates,,expatiating,,,,,expatiated,expatiated,,,,,,,,,,,, +milt,,,milts,,milting,,,,,milted,milted,,,,,,,,,,,, +pique,,,piques,,piquing,,,,,piqued,piqued,,,,,,,,,,,, +bequeath,,,bequeaths,,bequeathing,,,,,bequeathed,bequeathed,,,,,,,,,,,, +rock-and-roll,,,rock-and-rolls,,rock-and-rolling,,,,,rock-and-rolled,rock-and-rolled,,,,,,,,,,,, +delocalize,,,delocalizes,,delocalizing,,,,,delocalized,delocalized,,,,,,,,,,,, +foreshow,,,foreshows,,foreshowing,,,,,foreshowed,foreshown,,,,,,,,,,,, +adhere,,,adheres,,adhering,,,,,adhered,adhered,,,,,,,,,,,, +obnubilate,,,obnubilates,,obnubilating,,,,,obnubilated,obnubilated,,,,,,,,,,,, +carpet,,,carpets,,carpeting,,,,,carpeted,carpeted,,,,,,,,,,,, +speechify,,,speechifies,,speechifying,,,,,speechified,speechified,,,,,,,,,,,, +disassociate,,,disassociates,,disassociating,,,,,disassociated,disassociated,,,,,,,,,,,, +carbolize,,,carbolizes,,carbolizing,,,,,carbolized,carbolized,,,,,,,,,,,, +insulate,,,insulates,,insulating,,,,,insulated,insulated,,,,,,,,,,,, +upbuild,,,upbuilds,,upbuilding,,,,,upbuilt,upbuilt,,,,,,,,,,,, +foster,,,fosters,,fostering,,,,,fostered,fostered,,,,,,,,,,,, +spearhead,,,spearheads,,spearheading,,,,,spearheaded,spearheaded,,,,,,,,,,,, +solicit,,,solicits,,soliciting,,,,,solicited,solicited,,,,,,,,,,,, +safety,,,safeties,,safetying,,,,,safetied,safetied,,,,,,,,,,,, +desiderate,,,desiderates,,desiderating,,,,,desiderated,desiderated,,,,,,,,,,,, +hearken,,,hearkens,,hearkening,,,,,hearkened,hearkened,,,,,,,,,,,, +serrate,,,serrates,,serrating,,,,,serrated,serrated,,,,,,,,,,,, +parry,,,parries,,parrying,,,,,parried,parried,,,,,,,,,,,, +cypher,,,cyphers,,cyphering,,,,,cyphered,cyphered,,,,,,,,,,,, +decide,,,decides,,deciding,,,,,decided,decided,,,,,,,,,,,, +holdup,,,,,,,,,,,,,,,,,,,,,,, +lapidify,,,lapidifies,,lapidifying,,,,,lapidified,lapidified,,,,,,,,,,,, +underperform,,,underperforms,,underperforming,,,,,underperformed,underperformed,,,,,,,,,,,, +curdle,,,curdles,,curdling,,,,,curdled,curdled,,,,,,,,,,,, +fusillade,,,fusillades,,fusillading,,,,,fusilladed,fusilladed,,,,,,,,,,,, +shimmy,,,shimmies,,shimmying,,,,,shimmied,shimmied,,,,,,,,,,,, +plain,,,plains,,plaining,,,,,plained,plained,,,,,,,,,,,, +skim,,,skims,,skimming,,,,,skimmed,skimmed,,,,,,,,,,,, +blackout,,,blackouts,,blackouting,,,,,blackouted,blackouted,,,,,,,,,,,, +dunk,,,dunks,,dunking,,,,,dunked,dunked,,,,,,,,,,,, +fence,,,fences,,fencing,,,,,fenced,fenced,,,,,,,,,,,, +French-polish,,,French-polishes,,French-polishing,,,,,French-polished,French-polished,,,,,,,,,,,, +archaize,,,archaizes,,archaizing,,,,,archaized,archaized,,,,,,,,,,,, +stigmatize,,,stigmatizes,,stigmatizing,,,,,stigmatized,stigmatized,,,,,,,,,,,, +enfeeble,,,enfeebles,,enfeebling,,,,,enfeebled,enfeebled,,,,,,,,,,,, +enjoin,,,enjoins,,enjoining,,,,,enjoined,enjoined,,,,,,,,,,,, +hamper,,,hampers,,hampering,,,,,hampered,hampered,,,,,,,,,,,, +chuckle,,,chuckles,,chuckling,,,,,chuckled,chuckled,,,,,,,,,,,, +mediatize,,,mediatizes,,mediatizing,,,,,mediatized,mediatized,,,,,,,,,,,, +tussle,,,tussles,,tussling,,,,,tussled,tussled,,,,,,,,,,,, +f^ete,,,f^etes,,f^eting,,,,,f^eted,f^eted,,,,,,,,,,,, +lurch,,,lurches,,lurching,,,,,lurched,lurched,,,,,,,,,,,, +skid,,,skids,,skidding,,,,,skidded,skidded,,,,,,,,,,,, +overrule,,,overrules,,overruling,,,,,overruled,overruled,,,,,,,,,,,, +obtund,,,obtunds,,obtunding,,,,,obtunded,obtunded,,,,,,,,,,,, +burglarize,,,burglarizes,,burglarizing,,,,,burglarized,burglarized,,,,,,,,,,,, +pleach,,,pleaches,,pleaching,,,,,pleached,pleached,,,,,,,,,,,, +loose,,,looses,,loosing,,,,,loosed,loosed,,,,,,,,,,,, +modify,,,modifies,,modifying,,,,,modified,modified,,,,,,,,,,,, +outdistance,,,outdistances,,outdistancing,,,,,outdistanced,outdistanced,,,,,,,,,,,, +whine,,,whines,,whining,,,,,whined,whined,,,,,,,,,,,, +telecasted,,,telecasts,,telecasting,,,,,telecasteded,telecasteded,,,,,,,,,,,, +soldier,,,soldiers,,soldiering,,,,,soldiered,soldiered,,,,,,,,,,,, +amount,,,amounts,,amounting,,,,,amounted,amounted,,,,,,,,,,,, +obtrude,,,obtrudes,,obtruding,,,,,obtruded,obtruded,,,,,,,,,,,, +invalidate,,,invalidates,,invalidating,,,,,invalidated,invalidated,,,,,,,,,,,, +shuffle,,,shuffles,,shuffling,,,,,shuffled,shuffled,,,,,,,,,,,, +misdemean,,,misdemeans,,misdemeaning,,,,,misdemeaned,misdemeaned,,,,,,,,,,,, +ask,,,asks,,asking,,,,,asked,asked,,,,,,,,,,,, +overpraise,,,overpraises,,overpraising,,,,,overpraised,overpraised,,,,,,,,,,,, +foretoken,,,foretokens,,foretokening,,,,,foretokened,foretokened,,,,,,,,,,,, +aggress,,,aggresses,,aggressing,,,,,aggressed,aggressed,,,,,,,,,,,, +decompound,,,decompounds,,decompounding,,,,,decompounded,decompounded,,,,,,,,,,,, +injure,,,injures,,injuring,,,,,injured,injured,,,,,,,,,,,, +generate,,,generates,,generating,,,,,generated,generated,,,,,,,,,,,, +enwreath,,,enwreaths,,enwreathing,,,,,enwreathed,enwreathed,,,,,,,,,,,, +handfeed,,,handfeeds,,handfeeding,,,,,handfed,handfed,,,,,,,,,,,, +telepathize,,,telepathizes,,telepathizing,,,,,telepathized,telepathized,,,,,,,,,,,, +coiffure,,,coiffures,,coiffuring,,,,,coiffured,coiffured,,,,,,,,,,,, +erode,,,erodes,,eroding,,,,,eroded,eroded,,,,,,,,,,,, +decrepitate,,,decrepitates,,decrepitating,,,,,decrepitated,decrepitated,,,,,,,,,,,, +splosh,,,sploshes,,sploshing,,,,,sploshed,sploshed,,,,,,,,,,,, +indenture,,,indentures,,indenturing,,,,,indentured,indentured,,,,,,,,,,,, +excuse,,,excuses,,excusing,,,,,excused,excused,,,,,,,,,,,, +hurry,,,hurries,,hurrying,,,,,hurried,hurried,,,,,,,,,,,, +italicize,,,italicizes,,italicizing,,,,,italicized,italicized,,,,,,,,,,,, +grill,,,grills,,grilling,,,,,grilled,grilled,,,,,,,,,,,, +unyoke,,,unyokes,,unyoking,,,,,unyoked,unyoked,,,,,,,,,,,, +titrate,,,titrates,,titrating,,,,,titrated,titrated,,,,,,,,,,,, +muzz,,,muzzes,,muzzing,,,,,muzzed,muzzed,,,,,,,,,,,, +swash,,,swashes,,swashing,,,,,swashed,swashed,,,,,,,,,,,, +cowk,,,cowks,,cowking,,,,,cowked,cowked,,,,,,,,,,,, +transcend,,,transcends,,transcending,,,,,transcended,transcended,,,,,,,,,,,, +cowl,,,cowls,,cowling,,,,,cowled,cowled,,,,,,,,,,,, +boycott,,,boycotts,,boycotting,,,,,boycotted,boycotted,,,,,,,,,,,, +henpeck,,,henpecks,,henpecking,,,,,henpecked,henpecked,,,,,,,,,,,, +appose,,,apposes,,apposing,,,,,apposed,apposed,,,,,,,,,,,, +surcingle,,,surcingles,,surcingling,,,,,surcingled,surcingled,,,,,,,,,,,, +exclude,,,excludes,,excluding,,,,,excluded,excluded,,,,,,,,,,,, +cornice,,,cornices,,cornicing,,,,,corniced,corniced,,,,,,,,,,,, +dimidiate,,,dimidiates,,dimidiating,,,,,dimidiated,dimidiated,,,,,,,,,,,, +fortress,,,fortresses,,fortressing,,,,,fortressed,fortressed,,,,,,,,,,,, +stymy,,,stymies,,stymying,,,,,stymied,stymied,,,,,,,,,,,, +thieve,,,thieves,,thieving,,,,,thieved,thieved,,,,,,,,,,,, +ledger,,,ledgers,,ledgering,,,,,ledgered,ledgered,,,,,,,,,,,, +reject,,,rejects,,rejecting,,,,,rejected,rejected,,,,,,,,,,,, +gash,,,gashes,,gashing,,,,,gashed,gashed,,,,,,,,,,,, +slipsheet,,,slipsheets,,slipsheeting,,,,,slipsheeted,slipsheeted,,,,,,,,,,,, +ladyfy,,,ladyfies,,ladyfying,,,,,ladyfied,ladyfied,,,,,,,,,,,, +whirl,,,whirls,,whirling,,,,,whirled,whirled,,,,,,,,,,,, +sneak,,,sneaks,,sneaking,,,,,snuck,snuck,,,,,,,,,,,, +keelhaul,,,keelhauls,,keelhauling,,,,,keelhauled,keelhauled,,,,,,,,,,,, +offload,,,offloads,,offloading,,,,,offloaded,offloaded,,,,,,,,,,,, +gasp,,,gasps,,gasping,,,,,gasped,gasped,,,,,,,,,,,, +humbug,,,humbugs,,humbugging,,,,,humbugged,humbugged,,,,,,,,,,,, +criticize,,,criticizes,,criticizing,,,,,criticized,criticized,,,,,,,,,,,, +deluge,,,deluges,,deluging,,,,,deluged,deluged,,,,,,,,,,,, +laminate,,,laminates,,laminating,,,,,laminated,laminated,,,,,,,,,,,, +genuflect,,,genuflects,,genuflecting,,,,,genuflected,genuflected,,,,,,,,,,,, +dread,,,dreads,,dreading,,,,,dreaded,dreaded,,,,,,,,,,,, +decamp,,,decamps,,decamping,,,,,decamped,decamped,,,,,,,,,,,, +egg,,,eggs,,egging,,,,,egged,egged,,,,,,,,,,,, +ding,,,dings,,dinging,,,,,dinged,dinged,,,,,,,,,,,, +splay,,,splays,,splaying,,,,,splayed,splayed,,,,,,,,,,,, +help,,,helps,,helping,,,,,helped,helped,,,,,,,,,,,, +slouch,,,slouches,,slouching,,,,,slouched,slouched,,,,,,,,,,,, +soot,,,soots,,sooting,,,,,sooted,sooted,,,,,,,,,,,, +helm,,,helms,,helming,,,,,helmed,helmed,,,,,,,,,,,, +expectorate,,,expectorates,,expectorating,,,,,expectorated,expectorated,,,,,,,,,,,, +caseharden,,,casehardens,,casehardening,,,,,casehardened,casehardened,,,,,,,,,,,, +reseat,,,reseats,,reseating,,,,,reseated,reseated,,,,,,,,,,,, +autoclave,,,autoclaves,,autoclaving,,,,,autoclaved,autoclaved,,,,,,,,,,,, +astonish,,,astonishes,,astonishing,,,,,astonished,astonished,,,,,,,,,,,, +rabble,,,rabbles,,rabbling,,,,,rabbled,rabbled,,,,,,,,,,,, +team,,,teams,,teaming,,,,,teamed,teamed,,,,,,,,,,,, +flabbergast,,,flabbergasts,,flabbergasting,,,,,flabbergasted,flabbergasted,,,,,,,,,,,, +fool,,,fools,,fooling,,,,,fooled,fooled,,,,,,,,,,,, +stiffen,,,stiffens,,stiffening,,,,,stiffened,stiffened,,,,,,,,,,,, +decollate,,,decollates,,decollating,,,,,decollated,decollated,,,,,,,,,,,, +foot,,,foots,,footing,,,,,footed,footed,,,,,,,,,,,, +menstruate,,,menstruates,,menstruating,,,,,menstruated,menstruated,,,,,,,,,,,, +stopper,,,stoppers,,stoppering,,,,,stoppered,stoppered,,,,,,,,,,,, +chamfer,,,chamfers,,chamfering,,,,,chamfered,chamfered,,,,,,,,,,,, +intervene,,,intervenes,,intervening,,,,,intervened,intervened,,,,,,,,,,,, +fanaticize,,,fanaticizes,,fanaticizing,,,,,fanaticized,fanaticized,,,,,,,,,,,, +bless,,,blesses,,blessing,,,,,blest,blessed,,,,,,,,,,,, +circularize,,,circularizes,,circularizing,,,,,circularized,circularized,,,,,,,,,,,, +blest,,,blests,,blesting,,,,,blested,blested,,,,,,,,,,,, +oppugn,,,oppugns,,oppugning,,,,,oppugned,oppugned,,,,,,,,,,,, +contextualize,,,contextualizes,,contextualizing,,,,,contextualized,contextualized,,,,,,,,,,,, +transcribe,,,transcribes,,transcribing,,,,,transcribed,transcribed,,,,,,,,,,,, +pamper,,,pampers,,pampering,,,,,pampered,pampered,,,,,,,,,,,, +trapes,,,,,trapesing,,,,,trapesed,trapesed,,,,,,,,,,,, +tighten,,,tightens,,tightening,,,,,tightened,tightened,,,,,,,,,,,, +deride,,,derides,,deriding,,,,,derided,derided,,,,,,,,,,,, +unharness,,,unharnesses,,unharnessing,,,,,unharnessed,unharnessed,,,,,,,,,,,, +unlead,,,unleads,,unleading,,,,,unleaded,unleaded,,,,,,,,,,,, +heave,,,heaves,,heaving,,,,,hove,hove,,,,,,,,,,,, +feoff,,,,,feoffing,,,,,feoffed,feoffed,,,,,,,,,,,, +testify,,,testifies,,testifying,,,,,testified,testified,,,,,,,,,,,, +publish,,,publishes,,publishing,,,,,published,published,,,,,,,,,,,, +jolly,,,jollies,,jollying,,,,,jollied,jollied,,,,,,,,,,,, +equate,,,equates,,equating,,,,,equated,equated,,,,,,,,,,,, +desexualize,,,desexualizes,,desexualizing,,,,,desexualized,desexualized,,,,,,,,,,,, +lord,,,lords,,lording,,,,,lorded,lorded,,,,,,,,,,,, +issue,,,issues,,issuing,,,,,issued,issued,,,,,,,,,,,, +outrun,,,outruns,,outrunning,,,,,outran,outrun,,,,,,,,,,,, +coinsure,,,coinsures,,coinsuring,,,,,coinsured,coinsured,,,,,,,,,,,, +reck,,,recks,,recking,,,,,recked,recked,,,,,,,,,,,, +pun,,,puns,,punning,,,,,punned,punned,,,,,,,,,,,, +swob,,,swobs,,swobbing,,,,,swobbed,swobbed,,,,,,,,,,,, +pug,,,pugs,,pugging,,,,,pugged,pugged,,,,,,,,,,,, +dung,,,dungs,,dunging,,,,,dunged,dunged,,,,,,,,,,,, +derate,,,derates,,derating,,,,,derated,derated,,,,,,,,,,,, +housel,,,housels,,houselling,,,,,houselled,houselled,,,,,,,,,,,, +reason,,,reasons,,reasoning,,,,,reasoned,reasoned,,,,,,,,,,,, +base,,,bases,,basing,,,,,based,based,,,,,,,,,,,, +dirk,,,dirks,,dirking,,,,,dirked,dirked,,,,,,,,,,,, +resettle,,,resettles,,resettling,,,,,resettled,resettled,,,,,,,,,,,, +swop,,,swops,,swopping,,,,,swopped,swopped,,,,,,,,,,,, +pup,,,pups,,pupping,,,,,pupped,pupped,,,,,,,,,,,, +bask,,,basks,,basking,,,,,basked,basked,,,,,,,,,,,, +bash,,,bashes,,bashing,,,,,bashed,bashed,,,,,,,,,,,, +dunt,,,dunts,,dunting,,,,,dunted,dunted,,,,,,,,,,,, +palpebrate,,,palpebrates,,palpebrating,,,,,palpebrated,palpebrated,,,,,,,,,,,, +execrate,,,execrates,,execrating,,,,,execrated,execrated,,,,,,,,,,,, +launch,,,launches,,launching,,,,,launched,launched,,,,,,,,,,,, +caption,,,captions,,captioning,,,,,captioned,captioned,,,,,,,,,,,, +blush,,,blushes,,blushing,,,,,blushed,blushed,,,,,,,,,,,, +devolve,,,devolves,,devolving,,,,,devolved,devolved,,,,,,,,,,,, +assign,,,assigns,,assigning,,,,,assigned,assigned,,,,,,,,,,,, +prevent,,,prevents,,preventing,,,,,prevented,prevented,,,,,,,,,,,, +chain-stitch,,,chain-stitches,,chain-stitching,,,,,chain-stitched,chain-stitched,,,,,,,,,,,, +ingenerate,,,ingenerates,,ingenerating,,,,,ingenerated,ingenerated,,,,,,,,,,,, +mist,,,mists,,misting,,,,,misted,misted,,,,,,,,,,,, +miss,,,misses,,missing,,,,,missed,missed,,,,,,,,,,,, +horse,,,horses,,horsing,,,,,horsed,horsed,,,,,,,,,,,, +inure,,,inures,,inuring,,,,,inured,inured,,,,,,,,,,,, +ostracize,,,ostracizes,,ostracizing,,,,,ostracized,ostracized,,,,,,,,,,,, +blossom,,,blossoms,,blossoming,,,,,blossomed,blossomed,,,,,,,,,,,, +shrinkwrap,,,shrinkwraps,,shrinkwrapping,,,,,shrinkwrapped,shrinkwrapped,,,,,,,,,,,, +novelize,,,novelizes,,novelizing,,,,,novelized,novelized,,,,,,,,,,,, +purvey,,,purveys,,purveying,,,,,purveyed,purveyed,,,,,,,,,,,, +inurn,,,inurns,,inurning,,,,,inurned,inurned,,,,,,,,,,,, +eddy,,,eddies,,eddying,,,,,eddied,eddied,,,,,,,,,,,, +station,,,stations,,stationing,,,,,stationed,stationed,,,,,,,,,,,, +scheme,,,schemes,,scheming,,,,,schemed,schemed,,,,,,,,,,,, +demystify,,,demystifies,,demystifying,,,,,demystified,demystified,,,,,,,,,,,, +slosh,,,sloshes,,sloshing,,,,,sloshed,sloshed,,,,,,,,,,,, +underdevelop,,,underdevelops,,underdeveloping,,,,,underdeveloped,underdeveloped,,,,,,,,,,,, +interplead,,,interpleads,,interpleading,,,,,interpled,interpled,,,,,,,,,,,, +outrange,,,outranges,,outranging,,,,,outranged,outranged,,,,,,,,,,,, +waterski,,,waterskis,,waterskiing,,,,,waterskied,waterskied,,,,,,,,,,,, +overdrive,,,overdrives,,overdriving,,,,,overdrove,overdriven,,,,,,,,,,,, +dissemble,,,dissembles,,dissembling,,,,,dissembled,dissembled,,,,,,,,,,,, +chainreact,,,chainreacts,,chainreacting,,,,,chainreacted,chainreacted,,,,,,,,,,,, +apprentice,,,apprentices,,apprenticing,,,,,apprenticed,apprenticed,,,,,,,,,,,, +lament,,,laments,,lamenting,,,,,lamented,lamented,,,,,,,,,,,, +anticipate,,,anticipates,,anticipating,,,,,anticipated,anticipated,,,,,,,,,,,, +grey,,,greys,,greying,,,,,greyed,greyed,,,,,,,,,,,, +gree,,,grees,,greeing,,,,,greed,greed,,,,,,,,,,,, +obfuscate,,,obfuscates,,obfuscating,,,,,obfuscated,obfuscated,,,,,,,,,,,, +kindle,,,kindles,,kindling,,,,,kindled,kindled,,,,,,,,,,,, +garrison,,,garrisons,,garrisoning,,,,,garrisoned,garrisoned,,,,,,,,,,,, +sty,,,sties,,stying,,,,,stied,stied,,,,,,,,,,,, +bejewel,,,bejewels,,bejewelling,,,,,bejewelled,bejewelled,,,,,,,,,,,, +vitriolize,,,vitriolizes,,vitriolizing,,,,,vitriolized,vitriolized,,,,,,,,,,,, +footnote,,,footnotes,,footnoting,,,,,footnoted,footnoted,,,,,,,,,,,, +overstate,,,overstates,,overstating,,,,,overstated,overstated,,,,,,,,,,,, +controvert,,,controverts,,controverting,,,,,controverted,controverted,,,,,,,,,,,, +yowl,,,yowls,,yowling,,,,,yowled,yowled,,,,,,,,,,,, +disbranch,,,disbranches,,disbranching,,,,,disbranched,disbranched,,,,,,,,,,,, +upsweep,,,upsweeps,,upsweeping,,,,,upswept,upswept,,,,,,,,,,,, +lie,,,lies,,lying,,,,,lied,lied,,,,,,,,,,,, +trance,,,trances,,trancing,,,,,tranced,tranced,,,,,,,,,,,, +cave,,,caves,,caving,,,,,caved,caved,,,,,,,,,,,, +classicize,,,classicizes,,classicizing,,,,,classicized,classicized,,,,,,,,,,,, +camouflage,,,camouflages,,camouflaging,,,,,camouflaged,camouflaged,,,,,,,,,,,, +auctioneer,,,auctioneers,,auctioneering,,,,,auctioneered,auctioneered,,,,,,,,,,,, +lit,,,,,,,,,,lit,lit,,,,,,,,,,,, +steal,,,steals,,stealing,,,,,stole,stolen,,,,,,,,,,,, +lip,,,lips,,lipping,,,,,lipped,lipped,,,,,,,,,,,, +honeycomb,,,honeycombs,,honeycombing,,,,,honeycombed,honeycombed,,,,,,,,,,,, +exsert,,,exserts,,exserting,,,,,exserted,exserted,,,,,,,,,,,, +quote,,,quotes,,quoting,,,,,quoth,quoted,,,,,,,,,,,, +venge,,,venges,,venging,,,,,venged,venged,,,,,,,,,,,, +promenade,,,promenades,,promenading,,,,,promenaded,promenaded,,,,,,,,,,,, +plunder,,,plunders,,plundering,,,,,plundered,plundered,,,,,,,,,,,, +bridle,,,bridles,,bridling,,,,,bridled,bridled,,,,,,,,,,,, +diversify,,,diversifies,,diversifying,,,,,diversified,diversified,,,,,,,,,,,, +deflocculate,,,deflocculates,,deflocculating,,,,,deflocculated,deflocculated,,,,,,,,,,,, +detoxicate,,,detoxicates,,detoxicating,,,,,detoxicated,detoxicated,,,,,,,,,,,, +chronicle,,,chronicles,,chronicling,,,,,chronicled,chronicled,,,,,,,,,,,, +scumble,,,scumbles,,scumbling,,,,,scumbled,scumbled,,,,,,,,,,,, +smoulder,,,smoulders,,smouldering,,,,,smouldered,smouldered,,,,,,,,,,,, +clear,,,clears,,clearing,,,,,cleared,cleared,,,,,,,,,,,, +cleat,,,cleats,,cleating,,,,,cleated,cleated,,,,,,,,,,,, +adulate,,,adulates,,adulating,,,,,adulated,adulated,,,,,,,,,,,, +clean,,,cleans,,cleaning,,,,,cleaned,cleaned,,,,,,,,,,,, +displant,,,displants,,displanting,,,,,displanted,displanted,,,,,,,,,,,, +blend,,,blends,,blending,,,,,blended,blended,,,,,,,,,,,, +counterplot,,,counterplots,,counterplotting,,,,,counterplotted,counterplotted,,,,,,,,,,,, +ennoble,,,ennobles,,ennobling,,,,,ennobled,ennobled,,,,,,,,,,,, +tincture,,,tinctures,,tincturing,,,,,tinctured,tinctured,,,,,,,,,,,, +flicker,,,flickers,,flickering,,,,,flickered,flickered,,,,,,,,,,,, +testmarket,,,testmarkets,,testmarketing,,,,,testmarketed,testmarketed,,,,,,,,,,,, +booze,,,boozes,,boozing,,,,,boozed,boozed,,,,,,,,,,,, +crayon,,,crayons,,crayoning,,,,,crayoned,crayoned,,,,,,,,,,,, +illegalize,,,illegalizes,,illegalizing,,,,,illegalized,illegalized,,,,,,,,,,,, +sheave,,,,,sheaving,,,,,sheaved,sheaved,,,,,,,,,,,, +acidulate,,,acidulates,,acidulating,,,,,acidulated,acidulated,,,,,,,,,,,, +inlace,,,inlaces,,inlacing,,,,,inlaced,inlaced,,,,,,,,,,,, +copyright,,,copyrights,,copyrighting,,,,,copyrighted,copyrighted,,,,,,,,,,,, +undersell,,,undersells,,underselling,,,,,undersold,undersold,,,,,,,,,,,, +circle,,,circles,,circling,,,,,circled,circled,,,,,,,,,,,, +waterproof,,,waterproofs,,waterproofing,,,,,waterproofed,waterproofed,,,,,,,,,,,, +outlast,,,outlasts,,outlasting,,,,,outlasted,outlasted,,,,,,,,,,,, +bellyache,,,bellyaches',,belly-aching,,,,,bellyached,belly-ached,,,,,,,,,,,, +strut,,,struts,,strutting,,,,,strutted,strutted,,,,,,,,,,,, +bedew,,,bedews,,bedewing,,,,,bedewed,bedewed,,,,,,,,,,,, +strum,,,strums,,strumming,,,,,strummed,strummed,,,,,,,,,,,, +intensify,,,intensifies,,intensifying,,,,,intensified,intensified,,,,,,,,,,,, +fluff,,,fluffs,,fluffing,,,,,fluffed,fluffed,,,,,,,,,,,, +immerse,,,immerses,,immersing,,,,,immersed,immersed,,,,,,,,,,,, +withe,,,withes,,withing,,,,,withed,withed,,,,,,,,,,,, +lipread,,,lipreads,,lipreading,,,,,lipread,lipread,,,,,,,,,,,, +perfume,,,perfumes,,perfuming,,,,,perfumed,perfumed,,,,,,,,,,,, +unsaddle,,,unsaddles,,unsaddling,,,,,unsaddled,unsaddled,,,,,,,,,,,, +rejig,,,rejigs,,rejigging,,,,,rejigged,rejigged,,,,,,,,,,,, +geld,,,gelds,,gelding,,,,,gelt,gelt,,,,,,,,,,,, +meld,,,melds,,melding,,,,,melded,melded,,,,,,,,,,,, +carnify,,,carnifies,,carnifying,,,,,carnified,carnified,,,,,,,,,,,, +dissertate,,,dissertates,,dissertating,,,,,dissertated,dissertated,,,,,,,,,,,, +cramp,,,cramps,,cramping,,,,,cramped,cramped,,,,,,,,,,,, +backtrack,,,backtracks,,backtracking,,,,,backtracked,backtracked,,,,,,,,,,,, +crackle,,,crackles,,crackling,,,,,crackled,crackled,,,,,,,,,,,, +plough,,,ploughs,,ploughing,,,,,ploughed,ploughed,,,,,,,,,,,, +culture,,,cultures,,culturing,,,,,cultured,cultured,,,,,,,,,,,, +venerate,,,venerates,,venerating,,,,,venerated,venerated,,,,,,,,,,,, +close,,,closes,,closing,,,,,closed,closed,,,,,,,,,,,, +despatch,,,despatches,,despatching,,,,,despatched,despatched,,,,,,,,,,,, +introject,,,introjects,,introjecting,,,,,introjected,introjected,,,,,,,,,,,, +bifurcate,,,bifurcates,,bifurcating,,,,,bifurcated,bifurcated,,,,,,,,,,,, +pepsinate,,,pepsinates,,pepsinating,,,,,pepsinated,pepsinated,,,,,,,,,,,, +podzolize,,,podzolizes,,podzolizing,,,,,podzolized,podzolized,,,,,,,,,,,, +throve,,,throves,,throving,,,,,throved,throved,,,,,,,,,,,, +wow,,,wows,,wowing,,,,,wowed,wowed,,,,,,,,,,,, +wail,,,wails,,wailing,,,,,wailed,wailed,,,,,,,,,,,, +woo,,,woos,,wooing,,,,,wooed,wooed,,,,,,,,,,,, +premeditate,,,premeditates,,premeditating,,,,,premeditated,premeditated,,,,,,,,,,,, +checkmate,,,checkmates,,checkmating,,,,,checkmated,checkmated,,,,,,,,,,,, +delouse,,,delouses,,delousing,,,,,deloused,deloused,,,,,,,,,,,, +philander,,,philanders,,philandering,,,,,philandered,philandered,,,,,,,,,,,, +vitalize,,,vitalizes,,vitalizing,,,,,vitalized,vitalized,,,,,,,,,,,, +piss,,,pisses,,pissing,,,,,pissed,pissed,,,,,,,,,,,, +backfill,,,backfills,,backfilling,,,,,backfilled,backfilled,,,,,,,,,,,, +conjoin,,,conjoins,,conjoining,,,,,conjoined,conjoined,,,,,,,,,,,, +spray,,,sprays,,spraying,,,,,sprayed,sprayed,,,,,,,,,,,, +aggrieve,,,aggrieves,,aggrieving,,,,,aggrieved,aggrieved,,,,,,,,,,,, +distinguish,,,distinguishes,,distinguishing,,,,,distinguished,distinguished,,,,,,,,,,,, +dally,,,dallies,,dallying,,,,,dallied,dallied,,,,,,,,,,,, +league,,,leagues,,leaguing,,,,,leagued,leagued,,,,,,,,,,,, +delimitate,,,delimits,,delimiting,,,,,delimited,delimited,,,,,,,,,,,, +suspire,,,suspires,,suspiring,,,,,suspired,suspired,,,,,,,,,,,, +buzz,,,buzzes,,buzzing,,,,,buzzed,buzzed,,,,,,,,,,,, +vault,,,vaults,,vaulting,,,,,vaulted,vaulted,,,,,,,,,,,, +stargaze,,,stargazes,,stargazing,,,,,stargazed,stargazed,,,,,,,,,,,, +secrete,,,secretes,,secreting,,,,,secreted,secreted,,,,,,,,,,,, +oversleep,,,oversleeps,,oversleeping,,,,,overslept,overslept,,,,,,,,,,,, +liken,,,likens,,likening,,,,,likened,likened,,,,,,,,,,,, +rebate,,,rebates,,rebating,,,,,rebated,rebated,,,,,,,,,,,, +mumble,,,mumbles,,mumbling,,,,,mumbled,mumbled,,,,,,,,,,,, +arrest,,,arrests,,arresting,,,,,arrested,arrested,,,,,,,,,,,, +stamp,,,stamps,,stamping,,,,,stamped,stamped,,,,,,,,,,,, +damp,,,damps,,damping,,,,,damped,damped,,,,,,,,,,,, +bobsleigh,,,bobsleighs,,bobsleighing,,,,,bobsleighed,bobsleighed,,,,,,,,,,,, +reciprocate,,,reciprocates,,reciprocating,,,,,reciprocated,reciprocated,,,,,,,,,,,, +damn,,,damns,,damning,,,,,damned,damned,,,,,,,,,,,, +mutiny,,,mutinies,,mutinying,,,,,mutinied,mutinied,,,,,,,,,,,, +threaten,,,threatens,,threatening,,,,,threatened,threatened,,,,,,,,,,,, +empty,,,empties,,emptying,,,,,emptied,emptied,,,,,,,,,,,, +dialogue,,,dialogues,,dialoguing,,,,,dialogued,dialogued,,,,,,,,,,,, +regroup,,,regroups,,regrouping,,,,,regrouped,regrouped,,,,,,,,,,,, +liven,,,livens,,livening,,,,,livened,livened,,,,,,,,,,,, +hoodoo,,,hoodoos,,hoodooing,,,,,hoodooed,hoodooed,,,,,,,,,,,, +crack,,,cracks,,cracking,,,,,cracked,cracked,,,,,,,,,,,, +misconceive,,,misconceives,,misconceiving,,,,,misconceived,misconceived,,,,,,,,,,,, +deter,,,deters,,deterring,,,,,deterred,deterred,,,,,,,,,,,, +bight,,,bights,,bighting,,,,,bighted,bighted,,,,,,,,,,,, +panegyrize,,,panegyrizes,,panegyrizing,,,,,panegyrized,panegyrized,,,,,,,,,,,, +hobnob,,,hobnobs,,hobnobbing,,,,,hobnobbed,hobnobbed,,,,,,,,,,,, +furrow,,,furrows,,furrowing,,,,,furrowed,furrowed,,,,,,,,,,,, +loom,,,looms,,looming,,,,,loomed,loomed,,,,,,,,,,,, +overplay,,,overplays,,overplaying,,,,,overplayed,overplayed,,,,,,,,,,,, +look,,,looks,,looking,,,,,looked,looked,,,,,,,,,,,, +disport,,,disports,,disporting,,,,,disported,disported,,,,,,,,,,,, +pace,,,paces,,pacing,,,,,paced,paced,,,,,,,,,,,, +infamize,,,infamizes,,infamizing,,,,,infamized,infamized,,,,,,,,,,,, +match,,,matches,,matching,,,,,matched,matched,,,,,,,,,,,, +deplane,,,deplanes,,deplaning,,,,,deplaned,deplaned,,,,,,,,,,,, +immaterialize,,,immaterializes,,immaterializing,,,,,immaterialized,immaterialized,,,,,,,,,,,, +fleet,,,fleets,,fleeting,,,,,fleeted,fleeted,,,,,,,,,,,, +loot,,,loots,,looting,,,,,looted,looted,,,,,,,,,,,, +guide,,,guides,,guiding,,,,,guided,guided,,,,,,,,,,,, +loop,,,loops,,looping,,,,,looped,looped,,,,,,,,,,,, +fleer,,,fleers,,fleering,,,,,fleered,fleered,,,,,,,,,,,, +consociate,,,consociates,,consociating,,,,,consociated,consociated,,,,,,,,,,,, +sluice,,,sluices,,sluicing,,,,,sluiced,sluiced,,,,,,,,,,,, +ready,,,readies,,readying,,,,,readied,readied,,,,,,,,,,,, +sharecrop,,,sharecrops,,sharecropping,,,,,sharecropped,sharecropped,,,,,,,,,,,, +etherize,,,etherizes,,etherizing,,,,,etherized,etherized,,,,,,,,,,,, +grant,,,grants,,granting,,,,,granted,granted,,,,,,,,,,,, +fluorinate,,,fluorinates,,fluorinating,,,,,fluorinated,fluorinated,,,,,,,,,,,, +refocuse,,,refocuses,,refocusing,,,,,refocused,refocused,,,,,,,,,,,, +belong,,,belongs,,belonging,,,,,belonged,belonged,,,,,,,,,,,, +discredit,,,discredits,,discrediting,,,,,discredited,discredited,,,,,,,,,,,, +shag,,,shags,,shagging,,,,,shagged,shagged,,,,,,,,,,,, +vermiculate,,,vermiculates,,vermiculating,,,,,vermiculated,vermiculated,,,,,,,,,,,, +conflict,,,conflicts,,conflicting,,,,,conflicted,conflicted,,,,,,,,,,,, +sham,,,shams,,shamming,,,,,shammed,shammed,,,,,,,,,,,, +banter,,,banters,,bantering,,,,,bantered,bantered,,,,,,,,,,,, +overweight,,,overweights,,overweighting,,,,,overweighted,overweighted,,,,,,,,,,,, +censure,,,censures,,censuring,,,,,censured,censured,,,,,,,,,,,, +spiritualize,,,spiritualizes,,spiritualizing,,,,,spiritualized,spiritualized,,,,,,,,,,,, +bellyland,,,bellylands,,bellylanding,,,,,bellylanded,bellylanded,,,,,,,,,,,, +racemize,,,racemizes,,racemizing,,,,,racemized,racemized,,,,,,,,,,,, +infibulate,,,infibulates,,infibulating,,,,,infibulated,infibulated,,,,,,,,,,,, +vitriol,,,vitriols,,vitrioling,,,,,vitrioled,vitrioled,,,,,,,,,,,, +unbalance,,,unbalances,,unbalancing,,,,,unbalanced,unbalanced,,,,,,,,,,,, +grind,,,grinds,,grinding,,,,,ground,grinded,,,,,,,,,,,, +reclaim,,,reclaims,,reclaiming,,,,,reclaimed,reclaimed,,,,,,,,,,,, +savvy,,,savvies,,savvying,,,,,savvied,savvied,,,,,,,,,,,, +docket,,,dockets,,docketing,,,,,docketed,docketed,,,,,,,,,,,, +romanticize,,,romanticizes,,romanticizing,,,,,romanticized,romanticized,,,,,,,,,,,, +cowp,,,cowps,,cowping,,,,,cowped,cowped,,,,,,,,,,,, +abstain,,,abstains,,abstaining,,,,,abstained,abstained,,,,,,,,,,,, +pillory,,,pillories,,pillorying,,,,,pilloried,pilloried,,,,,,,,,,,, +rebellow,,,rebellows,,rebellowing,,,,,rebellowed,rebellowed,,,,,,,,,,,, +behove,,,behoves,,behoving,,,,,behoved,behoved,,,,,,,,,,,, +kedge,,,kedges,,kedging,,,,,kedged,kedged,,,,,,,,,,,, +re-fund,,,re-funds,,re-funding,,,,,refunded,re-funded,,,,,,,,,,,, +gormandize,,,gormandizes,,gormandizing,,,,,gormandized,gormandized,,,,,,,,,,,, +disseminate,,,disseminates,,disseminating,,,,,disseminated,disseminated,,,,,,,,,,,, +superheat,,,superheats,,superheating,,,,,superheated,superheated,,,,,,,,,,,, +exhilarate,,,exhilarates,,exhilarating,,,,,exhilarated,exhilarated,,,,,,,,,,,, +harmonize,,,harmonizes,,harmonizing,,,,,harmonized,harmonized,,,,,,,,,,,, +oversteer,,,oversteers,,oversteering,,,,,oversteered,oversteered,,,,,,,,,,,, +march,,,marches,,marching,,,,,marched,marched,,,,,,,,,,,, +filmset,,,filmsets,,filmseting,,,,,filmseted,filmseted,,,,,,,,,,,, +finalize,,,finalizes,,finalizing,,,,,finalized,finalized,,,,,,,,,,,, +sneck,,,snecks,,snecking,,,,,snecked,snecked,,,,,,,,,,,, +evaluate,,,evaluates,,evaluating,,,,,evaluated,evaluated,,,,,,,,,,,, +pullulate,,,pullulates,,pullulating,,,,,pullulated,pullulated,,,,,,,,,,,, +game,,,games,,gaming,,,,,gamed,gamed,,,,,,,,,,,, +jibe,,,jibes,,jibing,,,,,jibed,jibed,,,,,,,,,,,, +rusticate,,,rusticates,,rusticating,,,,,rusticated,rusticated,,,,,,,,,,,, +sandblast,,,sandblasts,,,,,,,,,,,,,,,,,,,, +pillar,,,pillars,,pillaring,,,,,pillared,pillared,,,,,,,,,,,, +stagnate,,,stagnates,,stagnating,,,,,stagnated,stagnated,,,,,,,,,,,, +manifest,,,manifests,,manifesting,,,,,manifested,manifested,,,,,,,,,,,, +redound,,,redounds,,redounding,,,,,redounded,redounded,,,,,,,,,,,, +pre-digest,,,pre-digests,,pre-digesting,,,,,predigested,pre-digested,,,,,,,,,,,, +sleigh,,,sleighs,,sleighing,,,,,sleighed,sleighed,,,,,,,,,,,, +resole,,,resoles,,resoling,,,,,resoled,resoled,,,,,,,,,,,, +centralize,,,centralizes,,centralizing,,,,,centralized,centralized,,,,,,,,,,,, +sketch,,,sketches,,sketching,,,,,sketched,sketched,,,,,,,,,,,, +parade,,,parades,,parading,,,,,paraded,paraded,,,,,,,,,,,, +aliment,,,aliments,,alimenting,,,,,alimented,alimented,,,,,,,,,,,, +furbish,,,furbishes,,furbishing,,,,,furbished,furbished,,,,,,,,,,,, +lathe,,,lathes,,lathing,,,,,lathed,lathed,,,,,,,,,,,, +undress,,,undresses,,undressing,,,,,undressed,undressed,,,,,,,,,,,, +outnumber,,,outnumbers,,outnumbering,,,,,outnumbered,outnumbered,,,,,,,,,,,, +collocate,,,collocates,,collocating,,,,,collocated,collocated,,,,,,,,,,,, +impoverish,,,impoverishes,,impoverishing,,,,,impoverished,impoverished,,,,,,,,,,,, +stir,,,stirs,,stirring,,,,,stirred,stirred,,,,,,,,,,,, +interlaminate,,,interlaminates,,interlaminating,,,,,interlaminated,interlaminated,,,,,,,,,,,, +savage,,,savages,,savaging,,,,,savaged,savaged,,,,,,,,,,,, +sheen,,,sheens,,sheening,,,,,sheened,sheened,,,,,,,,,,,, +fettle,,,fettles,,fettling,,,,,fettled,fettled,,,,,,,,,,,, +gild,,,gilds,,gilding,,,,,gilt,gilt,,,,,,,,,,,, +unbonnet,,,unbonnets,,unbonneting,,,,,unbonneted,unbonneted,,,,,,,,,,,, +simmer,,,simmers,,simmering,,,,,simmered,simmered,,,,,,,,,,,, +slash,,,slashes,,slashing,,,,,slashed,slashed,,,,,,,,,,,, +overcook,,,overcooks,,overcooking,,,,,overcooked,overcooked,,,,,,,,,,,, +flameout,,,flameouts,,flameouting,,,,,flameouted,flameouted,,,,,,,,,,,, +dehydrate,,,dehydrates,,dehydrating,,,,,dehydrated,dehydrated,,,,,,,,,,,, +run,,,runs,,running,,,,,ran,run,,,,,,,,,,,, +rub,,,rubs,,rubbing,,,,,rubbed,rubbed,,,,,,,,,,,, +triple-tongue,,,triple-tongues,,triple-tonguing,,,,,triple-tongued,triple-tongued,,,,,,,,,,,, +rue,,,rues,,ruing,,,,,rued,rued,,,,,,,,,,,, +step,,,steps,,stepping,,,,,stepped,stepped,,,,,,,,,,,, +stew,,,stews,,stewing,,,,,stewed,stewed,,,,,,,,,,,, +bastinado,,,bastinadoes,,bastinadoing,,,,,bastinadoed,bastinadoed,,,,,,,,,,,, +ache,,,aches,,aching,,,,,ached,ached,,,,,,,,,,,, +panhandle,,,panhandles,,panhandling,,,,,panhandled,panhandled,,,,,,,,,,,, +ochre,,,ochres,,ochring,,,,,ochred,ochred,,,,,,,,,,,, +rut,,,ruts,,rutting,,,,,rutted,rutted,,,,,,,,,,,, +shine,,,shines,,shining,,,,,shone,shone,,,,,,,,,,,, +react,,,reacts,,reacting,,,,,reacted,reacted,,,,,,,,,,,, +reappear,,,reappears,,reappearing,,,,,reappeared,reappeared,,,,,,,,,,,, +yirr,,,yirrs,,yirring,,,,,yirred,yirred,,,,,,,,,,,, +stonewall,,,stonewalls,,stonewalling,,,,,stonewalled,stonewalled,,,,,,,,,,,, +hinge,,,hinges,,hinging,,,,,hinged,hinged,,,,,,,,,,,, +perk,,,perks,,perking,,,,,perked,perked,,,,,,,,,,,, +ullage,,,ullages,,ullaging,,,,,ullaged,ullaged,,,,,,,,,,,, +posturize,,,posturizes,,posturizing,,,,,posturized,posturized,,,,,,,,,,,, +misspend,,,misspends,,misspending,,,,,misspent,misspent,,,,,,,,,,,, +block,,,blocks,,blocking,,,,,blocked,blocked,,,,,,,,,,,, +foreswear,,,foreswears,,foreswearing,,,,,foreswore,foresworn,,,,,,,,,,,, +decertify,,,decertifies,,decertifying,,,,,decertified,decertified,,,,,,,,,,,, +ensue,,,ensues,,ensuing,,,,,ensued,ensued,,,,,,,,,,,, +calcine,,,calcines,,calcining,,,,,calcined,calcined,,,,,,,,,,,, +douse,,,douses,,dousing,,,,,doused,doused,,,,,,,,,,,, +manufacture,,,manufactures,,manufacturing,,,,,manufactured,manufactured,,,,,,,,,,,, +rummage,,,rummages,,rummaging,,,,,rummaged,rummaged,,,,,,,,,,,, +sizzle,,,sizzles,,sizzling,,,,,sizzled,sizzled,,,,,,,,,,,, +refrigerate,,,refrigerates,,refrigerating,,,,,refrigerated,refrigerated,,,,,,,,,,,, +sideswipe,,,sideswipes,,sideswiping,,,,,sideswiped,sideswiped,,,,,,,,,,,, +frost,,,frosts,,frosting,,,,,frosted,frosted,,,,,,,,,,,, +disaffirm,,,disaffirms,,disaffirming,,,,,disaffirmed,disaffirmed,,,,,,,,,,,, +higgle,,,higgles,,higgling,,,,,higgled,higgled,,,,,,,,,,,, +reef,,,reefs,,reefing,,,,,reefed,reefed,,,,,,,,,,,, +reek,,,reeks,,reeking,,,,,reeked,reeked,,,,,,,,,,,, +reel,,,reels,,reeling,,,,,reeled,reeled,,,,,,,,,,,, +dull,,,dulls,,dulling,,,,,dulled,dulled,,,,,,,,,,,, +maraud,,,marauds,,marauding,,,,,marauded,marauded,,,,,,,,,,,, +skulk,,,skulks,,skulking,,,,,skulked,skulked,,,,,,,,,,,, +ballyhoo,,,ballyhoos,,ballyhooing,,,,,ballyhooed,ballyhooed,,,,,,,,,,,, +immure,,,immures,,immuring,,,,,immured,immured,,,,,,,,,,,, +maffick,,,mafficks,,mafficking,,,,,mafficked,mafficked,,,,,,,,,,,, +nestle,,,nestles,,nestling,,,,,nestled,nestled,,,,,,,,,,,, +blent,,,blents,,blenting,,,,,blented,blented,,,,,,,,,,,, +seethe,,,seethes,,seething,,,,,seethed,seethed,,,,,,,,,,,, +underquote,,,underquotes,,underquoting,,,,,underquoted,underquoted,,,,,,,,,,,, +unwish,,,unwishes,,unwishing,,,,,unwished,unwished,,,,,,,,,,,, +surmise,,,surmises,,surmising,,,,,surmised,surmised,,,,,,,,,,,, +nab,,,nabs,,nabbing,,,,,nabbed,nabbed,,,,,,,,,,,, +liberalize,,,liberalizes,,liberalizing,,,,,liberalized,liberalized,,,,,,,,,,,, +nag,,,nags,,nagging,,,,,nagged,nagged,,,,,,,,,,,, +upstage,,,upstages,,upstaging,,,,,upstaged,upstaged,,,,,,,,,,,, +nap,,,naps,,napping,,,,,napped,napped,,,,,,,,,,,, +haft,,,hafts,,hafting,,,,,hafted,hafted,,,,,,,,,,,, +forge,,,forges,,forging,,,,,forged,forged,,,,,,,,,,,, +deuterate,,,deuterates,,deuterating,,,,,deuterated,deuterated,,,,,,,,,,,, +disfavour,,,disfavours,,disfavouring,,,,,disfavoured,disfavoured,,,,,,,,,,,, +kibitz,,,kibitzes,,kibitzing,,,,,kibitzed,kibitzed,,,,,,,,,,,, +drat,,,drats,,dratting,,,,,dratted,dratted,,,,,,,,,,,, +draw,,,draws,,drawing,,,,,drew,drawn,,,,,,,,,,,, +depolarize,,,depolarizes,,depolarizing,,,,,depolarized,depolarized,,,,,,,,,,,, +recalesce,,,recalesces,,recalescing,,,,,recalesced,recalesced,,,,,,,,,,,, +resign,,,resigns,,resigning,,,,,resigned,resigned,,,,,,,,,,,, +tepefy,,,tepefies,,tepefying,,,,,tepefied,tepefied,,,,,,,,,,,, +draghunt,,,drags,,draghunting,,,,,draghunted,draghunted,,,,,,,,,,,, +diphthongize,,,diphthongizes,,diphthongizing,,,,,diphthongized,diphthongized,,,,,,,,,,,, +drab,,,drabs,,drabbing,,,,,drabbed,drabbed,,,,,,,,,,,, +structure,,,structures,,structuring,,,,,structured,structured,,,,,,,,,,,, +miscue,,,miscues,,miscuing,,,,,miscued,miscued,,,,,,,,,,,, +windlass,,,windlasses,,windlassing,,,,,windlassed,windlassed,,,,,,,,,,,, +demagogue,,,demagogues,,demagoguing,,,,,demagogued,demagogued,,,,,,,,,,,, +orbit,,,orbits,,orbiting,,,,,orbited,orbited,,,,,,,,,,,, +bribe,,,bribes,,bribing,,,,,bribed,bribed,,,,,,,,,,,, +rencounter,,,rencounters,,rencountering,,,,,rencountered,rencountered,,,,,,,,,,,, +pinion,,,pinions,,pinioning,,,,,pinioned,pinioned,,,,,,,,,,,, +proposition,,,propositions,,propositioning,,,,,propositioned,propositioned,,,,,,,,,,,, +ionize,,,ionizes,,ionizing,,,,,ionized,ionized,,,,,,,,,,,, +go,,,goes,,going,,,,,went,gone,,,,,,,,,,,, +emboss,,,embosses,,embossing,,,,,embossed,embossed,,,,,,,,,,,, +compact,,,compacts,,compacting,,,,,compacted,compacted,,,,,,,,,,,, +asphalt,,,asphalts,,asphalting,,,,,asphalted,asphalted,,,,,,,,,,,, +analogize,,,analogizes,,analogizing,,,,,analogized,analogized,,,,,,,,,,,, +stave,,,staves,,staving,,,,,staved,staved,,,,,,,,,,,, +teethe,,,teethes,,teething,,,,,teethed,teethed,,,,,,,,,,,, +incrassate,,,incrassates,,incrassating,,,,,incrassated,incrassated,,,,,,,,,,,, +adsorb,,,adsorbs,,adsorbing,,,,,adsorbed,adsorbed,,,,,,,,,,,, +concertize,,,concertizes,,concertizing,,,,,concertized,concertized,,,,,,,,,,,, +simulcast,,,simulcasts,,simulcasting,,,,,simulcasted,simulcasted,,,,,,,,,,,, +wave,,,waves,,waving,,,,,waved,waved,,,,,,,,,,,, +disinter,,,disinters,,disinterring,,,,,disinterred,disinterred,,,,,,,,,,,, +Germanize,,,Germanizes,,Germanizing,,,,,Germanized,Germanized,,,,,,,,,,,, +underscore,,,underscores,,underscoring,,,,,underscored,underscored,,,,,,,,,,,, +skewer,,,skews,,skewing,,,,,skewed,skewed,,,,,,,,,,,, +button,,,buttons,,buttoning,,,,,buttoned,buttoned,,,,,,,,,,,, +hive,,,hives,,hiving,,,,,hived,hived,,,,,,,,,,,, +mewl,,,mewls,,mewling,,,,,mewled,mewled,,,,,,,,,,,, +evangelize,,,evangelizes,,evangelizing,,,,,evangelized,evangelized,,,,,,,,,,,, +cloister,,,cloisters,,cloistering,,,,,cloistered,cloistered,,,,,,,,,,,, +castrate,,,castrates,,castrating,,,,,castrated,castrated,,,,,,,,,,,, +enforce,,,enforces,,enforcing,,,,,enforced,enforced,,,,,,,,,,,, +slow,,,slows,,slowing,,,,,slowed,slowed,,,,,,,,,,,, +dilute,,,dilutes,,diluting,,,,,diluted,diluted,,,,,,,,,,,, +renegotiate,,,renegotiates,,renegotiating,,,,,renegotiated,renegotiated,,,,,,,,,,,, +picket,,,pickets,,picketing,,,,,picketed,picketed,,,,,,,,,,,, +reline,,,relines,,relining,,,,,relined,relined,,,,,,,,,,,, +blitz,,,blitzes,,blitzing,,,,,blitzed,blitzed,,,,,,,,,,,, +jump,,,jumps,,jumping,,,,,jumped,jumped,,,,,,,,,,,, +hose,,,hoses,,hosing,,,,,hosed,hosed,,,,,,,,,,,, +click,,,clicks,,clicking,,,,,clicked,clicked,,,,,,,,,,,, +clangour,,,clangours,,clangouring,,,,,clangoured,clangoured,,,,,,,,,,,, +poke,,,pokes,,poking,,,,,poked,poked,,,,,,,,,,,, +impearl,,,impearls,,impearling,,,,,impearled,impearled,,,,,,,,,,,, +opaque,,,opaques,,opaquing,,,,,opaqued,opaqued,,,,,,,,,,,, +sepulchre,,,sepulchres,,sepulchring,,,,,sepulchred,sepulchred,,,,,,,,,,,, +schedule,,,schedules,,scheduling,,,,,scheduled,scheduled,,,,,,,,,,,, +exacerbate,,,exacerbates,,exacerbating,,,,,exacerbated,exacerbated,,,,,,,,,,,, +valet,,,valets,,valeting,,,,,valeted,valeted,,,,,,,,,,,, +experiment,,,experiments,,experimenting,,,,,experimented,experimented,,,,,,,,,,,, +unspeak,,,unspeaks,,unspeaking,,,,,unspoke,unspoken,,,,,,,,,,,, +infuse,,,infuses,,infusing,,,,,infused,infused,,,,,,,,,,,, +old-talk,,,old-talks,,old-talking,,,,,old-talked,old-talked,,,,,,,,,,,, +hysterectomize,,,hysterectomizes,,hysterectomizing,,,,,hysterectomized,hysterectomized,,,,,,,,,,,, +Teutonize,,,Teutonizes,,Teutonizing,,,,,Teutonized,Teutonized,,,,,,,,,,,, +embowel,,,embowels,,emboweling,,,,,emboweled,emboweled,,,,,,,,,,,, +goosestep,,,goosesteps,,goosesteping,,,,,goosesteped,goosesteped,,,,,,,,,,,, +staunch,,,staunches,,staunching,,,,,staunched,staunched,,,,,,,,,,,, +prescribe,,,prescribes,,prescribing,,,,,prescribed,prescribed,,,,,,,,,,,, +mothproof,,,mothproofs,,mothproofing,,,,,mothproofed,mothproofed,,,,,,,,,,,, +quell,,,quells,,quelling,,,,,quelled,quelled,,,,,,,,,,,, +bowdlerize,,,bowdlerizes,,bowdlerizing,,,,,bowdlerized,bowdlerized,,,,,,,,,,,, +cumber,,,cumbers,,cumbering,,,,,cumbered,cumbered,,,,,,,,,,,, +adulterate,,,adulterates,,adulterating,,,,,adulterated,adulterated,,,,,,,,,,,, +traject,,,trajects,,trajecting,,,,,trajected,trajected,,,,,,,,,,,, +convert,,,converts,,converting,,,,,converted,converted,,,,,,,,,,,, +copper-bottom,,,copper-bottoms,,copper-bottoming,,,,,copper-bottomed,copper-bottomed,,,,,,,,,,,, +chant,,,chants,,chanting,,,,,chanted,chanted,,,,,,,,,,,, +perfuse,,,perfuses,,perfusing,,,,,perfused,perfused,,,,,,,,,,,, +repel,,,repels,,repelling,,,,,repelled,repelled,,,,,,,,,,,, +wolfwhistle,,,wolfwhistles,,wolfwhistling,,,,,wolfwhistled,wolfwhistled,,,,,,,,,,,, +strongarm,,,strongarms,,strongarming,,,,,strongarmed,strongarmed,,,,,,,,,,,, +behead,,,beheads,,beheading,,,,,beheaded,beheaded,,,,,,,,,,,, +wig,,,wigs,,wigging,,,,,wigged,wigged,,,,,,,,,,,, +foresee,,,foresees,,foreseeing,,,,,foresaw,foreseen,,,,,,,,,,,, +shake,,,shakes,,shaking,,,,,shook,shaken,,,,,,,,,,,, +win,,,wins,,winning,,,,,won,won,,,,,,,,,,,, +manage,,,manages,,managing,,,,,managed,managed,,,,,,,,,,,, +clout,,,clouts,,clouting,,,,,clouted,clouted,,,,,,,,,,,, +subserve,,,subserves,,subserving,,,,,subserved,subserved,,,,,,,,,,,, +wit,wot,,wot,,,,,,,,,,,,,,,,,,,, +overvalue,,,overvalues,,overvaluing,,,,,overvalued,overvalued,,,,,,,,,,,, +infest,,,infests,,infesting,,,,,infested,infested,,,,,,,,,,,, +cybernate,,,cybernates,,cybernating,,,,,cybernated,cybernated,,,,,,,,,,,, +manipulate,,,manipulates,,manipulating,,,,,manipulated,manipulated,,,,,,,,,,,, +imbue,,,imbues,,imbuing,,,,,imbued,imbued,,,,,,,,,,,, +crap,,,craps,,crapping,,,,,crapped,crapped,,,,,,,,,,,, +opalesce,,,opalesces,,opalescing,,,,,opalesced,opalesced,,,,,,,,,,,, +softsoap,,,softsoaps,,softsoaping,,,,,softsoaped,softsoaped,,,,,,,,,,,, +snood,,,snoods,,snooding,,,,,snooded,snooded,,,,,,,,,,,, +plasticize,,,plasticizes,,plasticizing,,,,,plasticized,plasticized,,,,,,,,,,,, +platitudinize,,,platitudinizes,,platitudinizing,,,,,platitudinized,platitudinized,,,,,,,,,,,, +crab,,,crabs,,crabbing,,,,,crabbed,crabs,,,,,,,,,,,, +mercurate,,,mercurates,,mercurating,,,,,mercurated,mercurated,,,,,,,,,,,, +cram,,,crams,,cramming,,,,,crammed,crammed,,,,,,,,,,,, +recompose,,,recomposes,,recomposing,,,,,recomposed,recomposed,,,,,,,,,,,, +depreciate,,,depreciates,,depreciating,,,,,depreciated,depreciated,,,,,,,,,,,, +sand-blast,,,sand-blasts,,sandblasting,,,,,sandblasted,sandblasted,,,,,,,,,,,, +stem,,,stems,,stemming,,,,,stemmed,stemmed,,,,,,,,,,,, +cackle,,,cackles,,cackling,,,,,cackled,cackled,,,,,,,,,,,, +lacerate,,,lacerates,,lacerating,,,,,lacerated,lacerated,,,,,,,,,,,, +mismatch,,,mismatches,,mismatching,,,,,mismatched,mismatched,,,,,,,,,,,, +hotfoot,,,hotfoots,,hotfooting,,,,,hotfooted,hotfooted,,,,,,,,,,,, +embrocate,,,embrocates,,embrocating,,,,,embrocated,embrocated,,,,,,,,,,,, +reindict,,,reindicts,,reindicting,,,,,reindicted,reindicted,,,,,,,,,,,, +re-cover,,,re-covers,,re-covering,,,,,recovered,re-covered,,,,,,,,,,,, +felicitate,,,felicitates,,felicitating,,,,,felicitated,felicitated,,,,,,,,,,,, +disrobe,,,disrobes,,disrobing,,,,,disrobed,disrobed,,,,,,,,,,,, +consort,,,consorts,,consorting,,,,,consorted,consorted,,,,,,,,,,,, +lapse,,,lapses,,lapsing,,,,,lapsed,lapsed,,,,,,,,,,,, +meet,,,meets,,meeting,,,,,met,met,,,,,,,,,,,, +nurture,,,nurtures,,nurturing,,,,,nurtured,nurtured,,,,,,,,,,,, +vaunt,,,vaunts,,vaunting,,,,,vaunted,vaunted,,,,,,,,,,,, +control,,,controls,,controlling,,,,,controlled,controlled,,,,,,,,,,,, +wharf,,,wharfs,,wharfing,,,,,wharfed,wharfed,,,,,,,,,,,, +skirl,,,skirls,,skirling,,,,,skirled,skirled,,,,,,,,,,,, +crevasse,,,crevasses,,crevassing,,,,,crevassed,crevassed,,,,,,,,,,,, +beleaguer,,,beleaguers,,beleaguering,,,,,beleaguered,beleaguered,,,,,,,,,,,, +atone,,,atones,,atoning,,,,,atoned,atoned,,,,,,,,,,,, +skirr,,,skirrs,,skirring,,,,,skirred,skirred,,,,,,,,,,,, +skirt,,,skirts,,skirting,,,,,skirted,skirted,,,,,,,,,,,, +undeceive,,,undeceives,,undeceiving,,,,,undeceived,undeceived,,,,,,,,,,,, +hesitate,,,hesitates,,hesitating,,,,,hesitated,hesitated,,,,,,,,,,,, +over-expose,,,over-exposes,,over-exposing,,,,,overexposed,over-exposed,,,,,,,,,,,, +scramb,,,scrambs,,scrambing,,,,,scrambed,scrambed,,,,,,,,,,,, +perspire,,,perspires,,perspiring,,,,,perspired,perspired,,,,,,,,,,,, +nark,,,narks,,narking,,,,,narked,narked,,,,,,,,,,,, +deplore,,,deplores,,deploring,,,,,deplored,deplored,,,,,,,,,,,, +inweave,,,inweaves,,inweaving,,,,,inwove,inwoven,,,,,,,,,,,, +mislike,,,mislikes,,misliking,,,,,misliked,misliked,,,,,,,,,,,, +free-select,,,free-selects,,free-selecting,,,,,free-selected,free-selected,,,,,,,,,,,, +pink,,,pinks,,pinking,,,,,pinked,pinked,,,,,,,,,,,, +farm,,,farms,,farming,,,,,farmed,farmed,,,,,,,,,,,, +canker,,,cankers,,cankering,,,,,cankered,cankered,,,,,,,,,,,, +fart,,,farts,,farting,,,,,farted,farted,,,,,,,,,,,, +cantillate,,,cantillates,,cantillating,,,,,cantillated,cantillated,,,,,,,,,,,, +fatigue,,,fatigues,,fatiguing,,,,,fatigued,fatigued,,,,,,,,,,,, +prance,,,prances,,prancing,,,,,pranced,pranced,,,,,,,,,,,, +tomb,,,tombs,,tombing,,,,,tombed,tombed,,,,,,,,,,,, +foment,,,foments,,fomenting,,,,,fomented,fomented,,,,,,,,,,,, +unmuzzle,,,unmuzzles,,unmuzzling,,,,,unmuzzled,unmuzzled,,,,,,,,,,,, +prettify,,,prettifies,,prettifying,,,,,prettified,prettified,,,,,,,,,,,, +overdress,,,overdresses,,overdressing,,,,,overdressed,overdressed,,,,,,,,,,,, +encamp,,,encamps,,encamping,,,,,encamped,encamped,,,,,,,,,,,, +decorticate,,,decorticates,,decorticating,,,,,decorticated,decorticated,,,,,,,,,,,, +day-dream,,,daydreams',,daydream,,,,,daydreamed,day-dreamed,,,,,,,,,,,, +corral,,,corrals,,corralling,,,,,corralled,corralled,,,,,,,,,,,, +scoop,,,scoops,,scooping,,,,,scooped,scooped,,,,,,,,,,,, +scoot,,,scoots,,scooting,,,,,scooted,scooted,,,,,,,,,,,, +rove,,,,,,,,,,rove,,,,,,,,,,,,, +wadset,,,wadsets,,wadsetting,,,,,wadsetted,wadsetted,,,,,,,,,,,, +deoxygenize,,,deoxygenizes,,deoxygenizing,,,,,deoxygenized,deoxygenized,,,,,,,,,,,, +shush,,,shushes,,shushing,,,,,shushed,shushed,,,,,,,,,,,, +acetylate,,,acetylates,,acetylating,,,,,acetylated,acetylated,,,,,,,,,,,, +inclose,,,incloses,,inclosing,,,,,inclosed,inclosed,,,,,,,,,,,, +costume,,,costumes,,costuming,,,,,costumed,costumed,,,,,,,,,,,, +cruise,,,cruises,,cruising,,,,,cruised,cruised,,,,,,,,,,,, +embezzle,,,embezzles,,embezzling,,,,,embezzled,embezzled,,,,,,,,,,,, +vilify,,,vilifies,,vilifying,,,,,vilified,vilified,,,,,,,,,,,, +hock,,,hocks,,hocking,,,,,hocked,hocked,,,,,,,,,,,, +brood,,,broods,,brooding,,,,,brooded,brooded,,,,,,,,,,,, +brook,,,brooks,,brooking,,,,,brooked,brooked,,,,,,,,,,,, +intercrop,,,intercrops,,intercropping,,,,,intercropped,intercropped,,,,,,,,,,,, +bestialize,,,bestializes,,bestializing,,,,,bestialized,bestialized,,,,,,,,,,,, +demoralize,,,demoralizes,,demoralizing,,,,,demoralized,demoralized,,,,,,,,,,,, +swaddle,,,swaddles,,swaddling,,,,,swaddled,swaddled,,,,,,,,,,,, +frogmarch,,,frogmarches,,frogmarching,,,,,frogmarched,frogmarched,,,,,,,,,,,, +dike,,,dikes,,diking,,,,,diked,diked,,,,,,,,,,,, +snorkel,,,snorkels,,snorkeling,,,,,snorkeled,snorkeled,,,,,,,,,,,, +propound,,,propounds,,propounding,,,,,propounded,propounded,,,,,,,,,,,, +front,,,fronts,,fronting,,,,,fronted,fronted,,,,,,,,,,,, +refuel,,,refuels,,refuelling,,,,,refuelled,refuelled,,,,,,,,,,,, +chasten,,,chastens,,chastening,,,,,chastened,chastened,,,,,,,,,,,, +profane,,,profanes,,profaning,,,,,profaned,profaned,,,,,,,,,,,, +spoon-feed,,,spoon-feeds,,spoon-feeding,,,,,spoon-fed,spoon-fed,,,,,,,,,,,, +muff,,,muffs,,muffing,,,,,muffed,muffed,,,,,,,,,,,, +beshrew,,,beshrews,,beshrewing,,,,,beshrewed,beshrewed,,,,,,,,,,,, +unwind,,,unwinds,,unwinding,,,,,unwound,unwound,,,,,,,,,,,, +illuminate,,,illuminates,,illuminating,,,,,illuminated,illuminated,,,,,,,,,,,, +globe,,,globes,,globing,,,,,globed,globed,,,,,,,,,,,, +constitute,,,constitutes,,constituting,,,,,constituted,constituted,,,,,,,,,,,, +seesaw,,,seesaws,,seesawing,,,,,seesawed,seesawed,,,,,,,,,,,, +muckamuck,,,muckamucks,,muckamucking,,,,,muckamucked,muckamucked,,,,,,,,,,,, +measure,,,measures,,measuring,,,,,measured,measured,,,,,,,,,,,, +gallant,,,gallants,,gallanting,,,,,gallanted,gallanted,,,,,,,,,,,, +bobol,,,bobols,,boboling,,,,,boboled,boboled,,,,,,,,,,,, +remise,,,remises,,remising,,,,,remised,remised,,,,,,,,,,,, +confess,,,confesses,,confessing,,,,,confessed,confessed,,,,,,,,,,,, +crashland,,,crashlands,,crashlanding,,,,,crashlanded,crashlanded,,,,,,,,,,,, +geologize,,,geologizes,,geologizing,,,,,geologized,geologized,,,,,,,,,,,, +rival,,,rivals,,rivalling,,,,,rivalled,rivalled,,,,,,,,,,,, +complect,,,complects,,complecting,,,,,complected,complected,,,,,,,,,,,, +cause,,,causes,,causing,,,,,caused,caused,,,,,,,,,,,, +slush,,,slushes,,slushing,,,,,slushed,slushed,,,,,,,,,,,, +obsess,,,obsesses,,obsessing,,,,,obsessed,obsessed,,,,,,,,,,,, +contemporize,,,contemporizes,,contemporizing,,,,,contemporized,contemporized,,,,,,,,,,,, +watermark,,,watermarks,,watermarking,,,,,watermarked,watermarked,,,,,,,,,,,, +chitchat,,,chitchats,,chitchatting,,,,,chitchatted,chitchatted,,,,,,,,,,,, +chunter,,,chunters,,chuntering,,,,,chuntered,chuntered,,,,,,,,,,,, +jilt,,,jilts,,jilting,,,,,jilted,jilted,,,,,,,,,,,, +undo,,,undoes,,undoing,,,,,undid,undone,,,,,,,,,,,, +reive,,,reives,,reiving,,,,,reived,reived,,,,,,,,,,,, +darkle,,,darkles,,darkling,,,,,darkled,darkled,,,,,,,,,,,, +sneer,,,sneers,,sneering,,,,,sneered,sneered,,,,,,,,,,,, +brattice,,,brattices,,bratticing,,,,,bratticed,bratticed,,,,,,,,,,,, +route,,,routes,,routing,,,,,routed,routed,,,,,,,,,,,, +keep,,,keeps,,keeping,,,,,kept,kept,,,,,,,,,,,, +keen,,,keens,,keening,,,,,keened,keened,,,,,,,,,,,, +keel,,,keels,,keeling,,,,,keeled,keeled,,,,,,,,,,,, +keek,,,keeks,,keeking,,,,,keeked,keeked,,,,,,,,,,,, +bootlick,,,bootlicks,,bootlicking,,,,,bootlicked,bootlicked,,,,,,,,,,,, +manumit,,,manumits,,manumitting,,,,,manumitted,manumitted,,,,,,,,,,,, +watercool,,,watercools,,watercooling,,,,,watercooled,watercooled,,,,,,,,,,,, +incarnate,,,incarnates,,incarnating,,,,,incarnated,incarnated,,,,,,,,,,,, +clamour,,,clamours,,clamouring,,,,,clamoured,clamoured,,,,,,,,,,,, +confuse,,,confuses,,confusing,,,,,confused,confused,,,,,,,,,,,, +extrude,,,extrudes,,extruding,,,,,extruded,extruded,,,,,,,,,,,, +fillagree,,,filigrees,,filigreeing,,,,,filigreed,filigreed,,,,,,,,,,,, +maturate,,,maturates,,maturating,,,,,maturated,maturated,,,,,,,,,,,, +stump,,,stumps,,stumping,,,,,stumped,stumped,,,,,,,,,,,, +conga,,,congas,,congaing,,,,,congaed,congaed,,,,,,,,,,,, +unsteel,,,unsteels,,unsteeling,,,,,unsteeled,unsteeled,,,,,,,,,,,, +grow,,,grows,,growing,,,,,grew,grown,,,,,,,,,,,, +attach,,,attaches,,attaching,,,,,attached,attached,,,,,,,,,,,, +attack,,,attacks,,attacking,,,,,attacked,attacked,,,,,,,,,,,, +inearth,,,inearths,,inearthing,,,,,inearthed,inearthed,,,,,,,,,,,, +prolapse,,,prolapses,,prolapsing,,,,,prolapsed,prolapsed,,,,,,,,,,,, +man,,,mans,,manning,,,,,manned,manned,,,,,,,,,,,, +prong,,,prongs,,pronging,,,,,pronged,pronged,,,,,,,,,,,, +circulate,,,circulates,,circulating,,,,,circulated,circulated,,,,,,,,,,,, +relinquish,,,relinquishes,,relinquishing,,,,,relinquished,relinquished,,,,,,,,,,,, +misspell,,,misspells,,misspelling,,,,,misspelt,misspelt,,,,,,,,,,,, +punish,,,punishes,,punishing,,,,,punished,punished,,,,,,,,,,,, +curarize,,,curarizes,,curarizing,,,,,curarized,curarized,,,,,,,,,,,, +minute,,,minutes,,minuting,,,,,minuted,minuted,,,,,,,,,,,, +innovate,,,innovates,,innovating,,,,,innovated,innovated,,,,,,,,,,,, +feint,,,feints,,feinting,,,,,feinted,feinted,,,,,,,,,,,, +neck,,,necks,,necking,,,,,necked,necked,,,,,,,,,,,, +photograph,,,photographs,,photographing,,,,,photographed,photographed,,,,,,,,,,,, +spurn,,,spurns,,spurning,,,,,spurned,spurned,,,,,,,,,,,, +placekick,,,placekicks,,placekicking,,,,,placekicked,placekicked,,,,,,,,,,,, +bloat,,,bloats,,bloating,,,,,bloated,bloated,,,,,,,,,,,, +girdle,,,girdles,,girdling,,,,,girdled,girdled,,,,,,,,,,,, +beg,,,begs,,begging,,,,,begged,begged,,,,,,,,,,,, +bed,,,beds,,bedding,,,,,bedded,bedded,,,,,,,,,,,, +spurt,,,spurts,,spurting,,,,,spurted,spurted,,,,,,,,,,,, +subjoin,,,subjoins,,subjoining,,,,,subjoined,subjoined,,,,,,,,,,,, +bet,,,bets,,betting,,,,,betted,betted,,,,,,,,,,,, +exhibit,,,exhibits,,exhibiting,,,,,exhibited,exhibited,,,,,,,,,,,, +torment,,,torments,,tormenting,,,,,tormented,tormented,,,,,,,,,,,, +hallal,,,hallals,,hallaling,,,,,hallaled,hallaled,,,,,,,,,,,, +becloud,,,beclouds,,beclouding,,,,,beclouded,beclouded,,,,,,,,,,,, +need,,,needs,,needing,,,,,needed,needed,needn't,,,,,,,,,,, +border,,,borders,,bordering,,,,,bordered,bordered,,,,,,,,,,,, +sendoff,,,sendoffs,,sendoffing,,,,,sendoffed,sendoffed,,,,,,,,,,,, +screw,,,screws,,screwing,,,,,screwed,screwed,,,,,,,,,,,, +arrogate,,,arrogates,,arrogating,,,,,arrogated,arrogated,,,,,,,,,,,, +switch,,,switches,,switching,,,,,switched,switched,,,,,,,,,,,, +instance,,,instances,,instancing,,,,,instanced,instanced,,,,,,,,,,,, +jaunt,,,jaunts,,jaunting,,,,,jaunted,jaunted,,,,,,,,,,,, +singe,,,singes,,singeing,,,,,singed,singed,,,,,,,,,,,, +metricize,,,metricizes,,metricizing,,,,,metricized,metricized,,,,,,,,,,,, +visor,,,visors,,visoring,,,,,visored,visored,,,,,,,,,,,, +coke,,,cokes,,coking,,,,,coked,coked,,,,,,,,,,,, +demist,,,demists,,demisting,,,,,demisted,demisted,,,,,,,,,,,, +talc,,,talcs,,talcking,,,,,talcked,talcked,,,,,,,,,,,, +deploy,,,deploys,,deploying,,,,,deployed,deployed,,,,,,,,,,,, +disgorge,,,disgorges,,disgorging,,,,,disgorged,disgorged,,,,,,,,,,,, +demise,,,demises,,demising,,,,,demised,demised,,,,,,,,,,,, +counterbalance,,,counterbalances,,counterbalancing,,,,,counterbalanced,counterbalanced,,,,,,,,,,,, +pish,,,pishes,,pishing,,,,,pished,pished,,,,,,,,,,,, +awe,,,awes,,awing,,,,,awed,awed,,,,,,,,,,,, +detrain,,,detrains,,detraining,,,,,detrained,detrained,,,,,,,,,,,, +damascene,,,damascenes,,damascening,,,,,damascened,damascened,,,,,,,,,,,, +gallivant,,,gallivants,,gallivanting,,,,,gallivanted,gallivanted,,,,,,,,,,,, +eject,,,ejects,,ejecting,,,,,ejected,ejected,,,,,,,,,,,, +upset,,,upsets,,upsetting,,,,,upset,upset,,,,,,,,,,,, +prickle,,,prickles,,prickling,,,,,prickled,prickled,,,,,,,,,,,, +carburize,,,carburizes,,carburizing,,,,,carburized,carburized,,,,,,,,,,,, +suture,,,sutures,,suturing,,,,,sutured,sutured,,,,,,,,,,,, +talk,,,talks,,talking,,,,,talked,talked,,,,,,,,,,,, +constrain,,,constrains,,constraining,,,,,constrained,constrained,,,,,,,,,,,, +skunks,,,skunkses,,skunksing,,,,,skunksed,skunksed,,,,,,,,,,,, +deface,,,defaces,,defacing,,,,,defaced,defaced,,,,,,,,,,,, +unsettle,,,unsettles,,unsettling,,,,,unsettled,unsettled,,,,,,,,,,,, +seclude,,,secludes,,secluding,,,,,secluded,secluded,,,,,,,,,,,, +crate,,,crates,,crating,,,,,crated,crated,,,,,,,,,,,, +conventionalize,,,conventionalizes,,conventionalizing,,,,,conventionalized,conventionalized,,,,,,,,,,,, +molest,,,molests,,molesting,,,,,molested,molested,,,,,,,,,,,, +wrestle,,,wrestles,,wrestling,,,,,wrestled,wrestled,,,,,,,,,,,, +inebriate,,,inebriates,,inebriating,,,,,inebriated,inebriated,,,,,,,,,,,, +envy,,,envies,,envying,,,,,envied,envied,,,,,,,,,,,, +cavort,,,cavorts,,cavorting,,,,,cavorted,cavorted,,,,,,,,,,,, +tire,,,tires,,tiring,,,,,tired,tired,,,,,,,,,,,, +outflank,,,outflanks,,outflanking,,,,,outflanked,outflanked,,,,,,,,,,,, +hade,,,hades,,hading,,,,,haded,haded,,,,,,,,,,,, +brighten,,,brightens,,brightening,,,,,brightened,brightened,,,,,,,,,,,, +rash,,,rashes,,rashing,,,,,rashed,rashed,,,,,,,,,,,, +hector,,,hectors,,hectoring,,,,,hectored,hectored,,,,,,,,,,,, +rasp,,,rasps,,rasping,,,,,rasped,rasped,,,,,,,,,,,, +enface,,,enfaces,,enfacing,,,,,enfaced,enfaced,,,,,,,,,,,, +achieve,,,achieves,,achieving,,,,,achieved,achieved,,,,,,,,,,,, +dodge,,,dodges,,dodging,,,,,dodged,dodged,,,,,,,,,,,, +gratify,,,gratifies,,gratifying,,,,,gratified,gratified,,,,,,,,,,,, +tropicalize,,,tropicalizes,,tropicalizing,,,,,tropicalized,tropicalized,,,,,,,,,,,, +bowwow,,,bowwows,,bowwowing,,,,,bowwowed,bowwowed,,,,,,,,,,,, +swirl,,,swirls,,swirling,,,,,swirled,swirled,,,,,,,,,,,, +legitimate,,,legitimates,,legitimating,,,,,legitimated,legitimated,,,,,,,,,,,, +durst,,,,,,,,,,durst,,,,,,,,,,,,, +computerize,,,computerizes,,computerizing,,,,,computerized,computerized,,,,,,,,,,,, +shy,,,shies,,shying,,,,,shied,shied,,,,,,,,,,,, +quarantine,,,quarantines,,quarantining,,,,,quarantined,quarantined,,,,,,,,,,,, +instantiate,,,instantiates,,instantiating,,,,,instantiated,instantiated,,,,,,,,,,,, +ordain,,,ordains,,ordaining,,,,,ordained,ordained,,,,,,,,,,,, +trammel,,,trammels,,trammelling,,,,,trammelled,trammelled,,,,,,,,,,,, +gush,,,gushes,,gushing,,,,,gushed,gushed,,,,,,,,,,,, +contain,,,contains,,containing,,,,,contained,contained,,,,,,,,,,,, +grab,,,grabs,,grabbing,,,,,grabbed,grabbed,,,,,,,,,,,, +conduct,,,conducts,,conducting,,,,,conducted,conducted,,,,,,,,,,,, +preach,,,preaches,,preaching,,,,,preached,preached,,,,,,,,,,,, +Occidentalize,,,Occidentalizes,,Occidentalizing,,,,,Occidentalized,Occidentalized,,,,,,,,,,,, +encarnalize,,,encarnalizes,,encarnalizing,,,,,encarnalized,encarnalized,,,,,,,,,,,, +orphan,,,orphans,,orphaning,,,,,orphaned,orphaned,,,,,,,,,,,, +oversubscribe,,,oversubscribes,,oversubscribing,,,,,oversubscribed,oversubscribed,,,,,,,,,,,, +reinforce,,,reinforces,,reinforcing,,,,,reinforced,reinforced,,,,,,,,,,,, +powder,,,powders,,powdering,,,,,powdered,powdered,,,,,,,,,,,, +solder,,,solders,,soldering,,,,,soldered,soldered,,,,,,,,,,,, +joypop,,,joypops,,joypopping,,,,,joypopped,joypopped,,,,,,,,,,,, +unearth,,,unearths,,unearthing,,,,,unearthed,unearthed,,,,,,,,,,,, +lure,,,lures,,,,,,,,,,,,,,,,,,,, +metrify,,,metrifies,,metrifying,,,,,metrified,metrified,,,,,,,,,,,, +thumb,,,thumbs,,thumbing,,,,,thumbed,thumbed,,,,,,,,,,,, +tend,,,tends,,tending,,,,,tended,tended,,,,,,,,,,,, +realign,,,realigns,,realigning,,,,,realigned,realigned,,,,,,,,,,,, +state,,,states,,stating,,,,,stated,stated,,,,,,,,,,,, +beautify,,,beautifies,,beautifying,,,,,beautified,beautified,,,,,,,,,,,, +tyre,,,tyres,,tyring,,,,,tyred,tyred,,,,,,,,,,,, +lug,,,lugs,,lugging,,,,,lugged,lugged,,,,,,,,,,,, +juggle,,,juggles,,juggling,,,,,juggled,juggled,,,,,,,,,,,, +wouldst,,,wouldsts,,wouldsting,,,,,wouldsted,wouldsted,,,,,,,,,,,, +sabotage,,,sabotages,,sabotaging,,,,,sabotaged,sabotaged,,,,,,,,,,,, +tent,,,tents,,tenting,,,,,tented,tented,,,,,,,,,,,, +ken,,,kens,,kenning,,,,,kent,kent,,,,,,,,,,,, +splurge,,,splurges,,splurging,,,,,splurged,splurged,,,,,,,,,,,, +interfere,,,interferes,,interfering,,,,,interfered,interfered,,,,,,,,,,,, +foreshadow,,,foreshadows,,foreshadowing,,,,,foreshadowed,foreshadowed,,,,,,,,,,,, +relegate,,,relegates,,relegating,,,,,relegated,relegated,,,,,,,,,,,, +key,,,keys,,keying,,,,,keyed,keyed,,,,,,,,,,,, +bedraggle,,,bedraggles,,bedraggling,,,,,bedraggled,bedraggled,,,,,,,,,,,, +jib,,,jibs,,jibbing,,,,,jibbed,jibbed,,,,,,,,,,,, +kep,,,keps,,keping,,,,,keped,keped,,,,,,,,,,,, +inundate,,,inundates,,inundating,,,,,inundated,inundated,,,,,,,,,,,, +sniff,,,sniffs,,sniffing,,,,,sniffed,sniffed,,,,,,,,,,,, +ballyrag,,,ballyrags,,ballyragging,,,,,ballyragged,ballyragged,,,,,,,,,,,, +career,,,careers,,careering,,,,,careered,careered,,,,,,,,,,,, +outrank,,,outranks,,outranking,,,,,outranked,outranked,,,,,,,,,,,, +roil,,,roils,,roiling,,,,,roiled,roiled,,,,,,,,,,,, +admit,,,admits,,admitting,,,,,admitted,admitted,,,,,,,,,,,, +careen,,,careens,,careening,,,,,careened,careened,,,,,,,,,,,, +propagandize,,,propagandizes,,propagandizing,,,,,propagandized,propagandized,,,,,,,,,,,, +admix,,,admixes,,admixing,,,,,admixed,admixed,,,,,,,,,,,, +christen,,,christens,,christening,,,,,christened,christened,,,,,,,,,,,, +subtitle,,,subtitles,,subtitling,,,,,subtitled,subtitled,,,,,,,,,,,, +illude,,,illudes,,illuding,,,,,illuded,illuded,,,,,,,,,,,, +maximize,,,maximizes,,maximizing,,,,,maximized,maximized,,,,,,,,,,,, +cohere,,,coheres,,cohering,,,,,cohered,cohered,,,,,,,,,,,, +fiddlefaddle,,,fiddlefaddles,,fiddlefaddling,,,,,fiddlefaddled,fiddlefaddled,,,,,,,,,,,, +quit,,,quits,,quitting,,,,,quitted,quitted,,,,,,,,,,,, +inhale,,,inhales,,inhaling,,,,,inhaled,inhaled,,,,,,,,,,,, +quip,,,quips,,quipping,,,,,quipped,quipped,,,,,,,,,,,, +disintegrate,,,disintegrates,,disintegrating,,,,,disintegrated,disintegrated,,,,,,,,,,,, +yaw,,,yaws,,yawing,,,,,yawed,yawed,,,,,,,,,,,, +polka,,,polkas,,polkaing,,,,,polkaed,polkaed,,,,,,,,,,,, +yap,,,yaps,,yapping,,,,,yapped,yapped,,,,,,,,,,,, +undercoat,,,undercoats,,undercoating,,,,,undercoated,undercoated,,,,,,,,,,,, +quiz,,,quizzes,,quizzing,,,,,quizzed,quizzed,,,,,,,,,,,, +hemorrhage,,,hemorrhages,,hemorrhaging,,,,,hemorrhaged,hemorrhaged,,,,,,,,,,,, +spoliate,,,spoliates,,spoliating,,,,,spoliated,spoliated,,,,,,,,,,,, +treat,,,treats,,treating,,,,,treated,treated,,,,,,,,,,,, +misapply,,,misapplies,,misapplying,,,,,misapplied,misapplied,,,,,,,,,,,, +disannul,,,disannuls,,disannulling,,,,,disannulled,disannulled,,,,,,,,,,,, +overprotect,,,overprotects,,overprotecting,,,,,overprotected,overprotected,,,,,,,,,,,, +oxygenize,,,oxygenizes,,oxygenizing,,,,,oxygenized,oxygenized,,,,,,,,,,,, +snivel,,,snivels,,snivelling,,,,,snivelled,snivelled,,,,,,,,,,,, +undertrump,,,undertrumps,,undertrumping,,,,,undertrumped,undertrumped,,,,,,,,,,,, +titter,,,titters,,tittering,,,,,tittered,tittered,,,,,,,,,,,, +outspread,,,outspreads,,outspreading,,,,,outspread,outspread,,,,,,,,,,,, +steep,,,steeps,,steeping,,,,,steeped,steeped,,,,,,,,,,,, +crusade,,,crusades,,crusading,,,,,crusaded,crusaded,,,,,,,,,,,, +harden,,,hardens,,hardening,,,,,hardened,hardened,,,,,,,,,,,, +metaphysicize,,,metaphysicizes,,metaphysicizing,,,,,metaphysicized,metaphysicized,,,,,,,,,,,, +riposte,,,riposts,,riposting,,,,,riposted,riposted,,,,,,,,,,,, +dight,,,dights,,dighting,,,,,dighted,dighted,,,,,,,,,,,, +backcomb,,,backcombs,,backcombing,,,,,backcombed,backcombed,,,,,,,,,,,, +backdate,,,backdates,,backdating,,,,,backdated,backdated,,,,,,,,,,,, +surface,,,surfaces,,surfacing,,,,,surfaced,surfaced,,,,,,,,,,,, +unstop,,,unstops,,unstopping,,,,,unstopped,unstopped,,,,,,,,,,,, +equilibrate,,,equilibrates,,equilibrating,,,,,equilibrated,equilibrated,,,,,,,,,,,, +hearten,,,heartens,,heartening,,,,,heartened,heartened,,,,,,,,,,,, +capture,,,captures,,capturing,,,,,captured,captured,,,,,,,,,,,, +steer,,,steers,,steering,,,,,steered,steered,,,,,,,,,,,, +balloon,,,balloons,,ballooning,,,,,ballooned,ballooned,,,,,,,,,,,, +wangle,,,wangles,,wangling,,,,,wangled,wangled,,,,,,,,,,,, +wheel,,,wheels,,wheeling,,,,,wheeled,wheeled,,,,,,,,,,,, +blight,,,blights,,blighting,,,,,blighted,blighted,,,,,,,,,,,, +joist,,,joists,,joisting,,,,,joisted,joisted,,,,,,,,,,,, +lineup,,,,,,,,,,,,,,,,,,,,,,, +absorb,,,absorbs,,absorbing,,,,,absorbed,absorbed,,,,,,,,,,,, +proscribe,,,proscribes,,proscribing,,,,,proscribed,proscribed,,,,,,,,,,,, +singularize,,,singularizes,,singularizing,,,,,singularized,singularized,,,,,,,,,,,, +effect,,,effects,,effecting,,,,,effected,effected,,,,,,,,,,,, +inbreed,,,inbreeds,,inbreeding,,,,,,,,,,,,,,,,,, +overset,,,oversets,,oversetting,,,,,overset,overset,,,,,,,,,,,, +oversew,,,oversews,,oversewing,,,,,oversewed,oversewn,,,,,,,,,,,, +rift,,,rifts,,rifting,,,,,rifted,rifted,,,,,,,,,,,, +weld,,,welds,,welding,,,,,welded,welded,,,,,,,,,,,, +intercede,,,intercedes,,interceding,,,,,interceded,interceded,,,,,,,,,,,, +glower,,,glowers,,glowering,,,,,glowered,glowered,,,,,,,,,,,, +universalize,,,universalizes,,universalizing,,,,,universalized,universalized,,,,,,,,,,,, +well,,,wells,,welling,,,,,welled,welled,,,,,,,,,,,, +scunge,,,scunges,,scunging,,,,,scunged,scunged,,,,,,,,,,,, +drone,,,drones,,droning,,,,,droned,droned,,,,,,,,,,,, +welt,,,welts,,welting,,,,,welted,welted,,,,,,,,,,,, +mottle,,,mottles,,mottling,,,,,mottled,mottled,,,,,,,,,,,, +barr_e,,,,,barr_ing,,,,,barr_ed,barr_ed,,,,,,,,,,,, +wee-wee,,,wee-wees,,wee-weeing,,,,,wee-weed,wee-weed,,,,,,,,,,,, +restore,,,restores,,restoring,,,,,restored,restored,,,,,,,,,,,, +discord,,,discords,,discording,,,,,discorded,discorded,,,,,,,,,,,, +dose,,,doses,,dosing,,,,,dosed,dosed,,,,,,,,,,,, +doss,,,dosses,,dossing,,,,,dossed,dossed,,,,,,,,,,,, +snicker,,,snickers,,snickering,,,,,snickered,snickered,,,,,,,,,,,, +outvote,,,outvotes,,outvoting,,,,,outvoted,outvoted,,,,,,,,,,,, +mitre,,,mitres,,mitring,,,,,mitred,mitred,,,,,,,,,,,, +ensanguine,,,ensanguines,,ensanguining,,,,,ensanguined,ensanguined,,,,,,,,,,,, +warrant,,,warrants,,warranting,,,,,warranted,warranted,,,,,,,,,,,, +kick,,,kicks,,kicking,,,,,kicked,kicked,,,,,,,,,,,, +canter,,,canters,,cantering,,,,,cantered,cantered,,,,,,,,,,,, +kick-start,,,kick-starts,,kick-starting,,,,,kick-started,kick-started,,,,,,,,,,,, +fate,,,fates,,fating,,,,,fated,fated,,,,,,,,,,,, +castoff,,,castoffs,,castoffing,,,,,castoffed,castoffed,,,,,,,,,,,, +interlap,,,interlaps,,interlapping,,,,,interlapped,interlapped,,,,,,,,,,,, +burden,,,burdens,,burdening,,,,,burdened,burdened,,,,,,,,,,,, +interlay,,,interlays,,interlaying,,,,,interlaid,interlaid,,,,,,,,,,,, +candy,,,candies,,candying,,,,,candied,candied,,,,,,,,,,,, +tipple,,,tipples,,tippling,,,,,tippled,tippled,,,,,,,,,,,, +lose,,,loses,,losing,,,,,lost,lost,,,,,,,,,,,, +divest,,,divests,,divesting,,,,,divested,divested,,,,,,,,,,,, +recrystallize,,,recrystallizes,,recrystallizing,,,,,recrystallized,recrystallized,,,,,,,,,,,, +page,,,pages,,paging,,,,,paged,paged,,,,,,,,,,,, +shed,,,sheds,,shedding,,,,,shed,shed,,,,,,,,,,,, +glare,,,glares,,glaring,,,,,glared,glared,,,,,,,,,,,, +startle,,,startles,,startling,,,,,startled,startled,,,,,,,,,,,, +twitter,,,twitters,,twittering,,,,,twittered,twittered,,,,,,,,,,,, +scuffle,,,scuffles,,scuffling,,,,,scuffled,scuffled,,,,,,,,,,,, +motive,,,motives,,motiving,,,,,motived,motived,,,,,,,,,,,, +shew,,,shews,,shewing,,,,,shewed,shewn,,,,,,,,,,,, +profiteer,,,profiteers,,profiteering,,,,,profiteered,profiteered,,,,,,,,,,,, +fumigate,,,fumigates,,fumigating,,,,,fumigated,fumigated,,,,,,,,,,,, +mizzle,,,mizzles,,mizzling,,,,,mizzled,mizzled,,,,,,,,,,,, +home,,,homes,,homing,,,,,homed,homed,,,,,,,,,,,, +peter,,,peters,,petering,,,,,petered,petered,,,,,,,,,,,, +drizzle,,,drizzles,,drizzling,,,,,drizzled,drizzled,,,,,,,,,,,, +pinpoint,,,pinpoints,,pinpointing,,,,,pinpointed,pinpointed,,,,,,,,,,,, +overlay,,,overlays,,overlaying,,,,,overlaid,overlaid,,,,,,,,,,,, +upswing,,,upswings,,upswinging,,,,,upswung,upswung,,,,,,,,,,,, +overlap,,,overlaps,,overlapping,,,,,overlapped,overlapped,,,,,,,,,,,, +rubberneck,,,rubbernecks,,rubber-necking,,,,,rubbernecked,rubber-necked,,,,,,,,,,,, +outgo,,,outgoes,,outgoing,,,,,outwent,outgone,,,,,,,,,,,, +percolate,,,percolates,,percolating,,,,,percolated,percolated,,,,,,,,,,,, +radiotelephone,,,radiotelephones,,radiotelephoning,,,,,radiotelephoned,radiotelephoned,,,,,,,,,,,, +miscreate,,,miscreates,,miscreating,,,,,miscreated,miscreated,,,,,,,,,,,, +prerecord,,,prerecords,,prerecording,,,,,prerecorded,prerecorded,,,,,,,,,,,, +disentangle,,,disentangles,,disentangling,,,,,disentangled,disentangled,,,,,,,,,,,, +superabound,,,superabounds,,superabounding,,,,,superabounded,superabounded,,,,,,,,,,,, +standardize,,,standardizes,,standardizing,,,,,standardized,standardized,,,,,,,,,,,, +offset,,,offsets,,offsetting,,,,,offset,offset,,,,,,,,,,,, +refuge,,,refuges,,refuging,,,,,refuged,refuged,,,,,,,,,,,, +eradiate,,,eradiates,,eradiating,,,,,eradiated,eradiated,,,,,,,,,,,, +spot-weld,,,spot-welds,,spot-welding,,,,,spot-welded,spot-welded,,,,,,,,,,,, +twirl,,,twirls,,twirling,,,,,twirled,twirled,,,,,,,,,,,, +formicate,,,formicates,,formicating,,,,,formicated,formicated,,,,,,,,,,,, +epitomize,,,epitomizes,,epitomizing,,,,,epitomized,epitomized,,,,,,,,,,,, +fuddle,,,fuddles,,fuddling,,,,,fuddled,fuddled,,,,,,,,,,,, +tongue,,,tongues,,tonguing,,,,,tongued,tongued,,,,,,,,,,,, +dub,,,dubs,,dubbing,,,,,dubbed,dubbed,,,,,,,,,,,, +attaint,,,attaints,,attainting,,,,,attainted,attainted,,,,,,,,,,,, +articulate,,,articulates,,articulating,,,,,articulated,articulated,,,,,,,,,,,, +black-lead,,,black-leads,,black-leading,,,,,black-leaded,black-leaded,,,,,,,,,,,, +congregate,,,congregates,,congregating,,,,,congregated,congregated,,,,,,,,,,,, +holpen,,,holpens,,holpening,,,,,holpened,holpened,,,,,,,,,,,, +miscount,,,miscounts,,miscounting,,,,,miscounted,miscounted,,,,,,,,,,,, +veil,,,veils,,veiling,,,,,veiled,veiled,,,,,,,,,,,, +jink,,,jinks,,jinking,,,,,jinked,jinked,,,,,,,,,,,, +jinx,,,jinxes,,jinxing,,,,,jinxed,jinxed,,,,,,,,,,,, +backhand,,,backhands,,backhanding,,,,,backhanded,backhanded,,,,,,,,,,,, +elate,,,elates,,elating,,,,,elated,elated,,,,,,,,,,,, +revalue,,,revalues,,revaluing,,,,,revalued,revalued,,,,,,,,,,,, +seise,,,seises,,seising,,,,,seised,seised,,,,,,,,,,,, +evacuate,,,evacuates,,evacuating,,,,,evacuated,evacuated,,,,,,,,,,,, +admonish,,,admonishes,,admonishing,,,,,admonished,admonished,,,,,,,,,,,, +gain,,,gains,,gaining,,,,,gained,gained,,,,,,,,,,,, +wince,,,winces,,wincing,,,,,winced,winced,,,,,,,,,,,, +overflow,,,overflows,,overflowing,,,,,overflowed,overflowed,,,,,,,,,,,, +ear,,,ears,,earing,,,,,eared,eared,,,,,,,,,,,, +eat,,,eats,,eating,,,,,ate,eaten,,,,,,,,,,,, +denominate,,,denominates,,denominating,,,,,denominated,denominated,,,,,,,,,,,, +outgun,,,outguns,,outgunning,,,,,outgunned,outgunned,,,,,,,,,,,, +unlock,,,unlocks,,unlocking,,,,,unlocked,unlocked,,,,,,,,,,,, +pinprick,,,pinpricks,,pinpricking,,,,,pinpricked,pinpricked,,,,,,,,,,,, +rootle,,,rootles,,rootling,,,,,rootled,rootled,,,,,,,,,,,, +limit,,,limits,,limiting,,,,,limited,limited,,,,,,,,,,,, +piece,,,pieces,,piecing,,,,,pieced,pieced,,,,,,,,,,,, +display,,,displays,,displaying,,,,,displayed,displayed,,,,,,,,,,,, +signet,,,signets,,signeting,,,,,signeted,signeted,,,,,,,,,,,, +sponsor,,,sponsors,,sponsoring,,,,,sponsored,sponsored,,,,,,,,,,,, +steeplechase,,,steeplechases,,steeplechasing,,,,,steeplechased,steeplechased,,,,,,,,,,,, +devise,,,devises,,devising,,,,,devised,devised,,,,,,,,,,,, +hinny,,,hinnies,,hinnying,,,,,hinnied,hinnied,,,,,,,,,,,, +horsewhip,,,horsewhips,,horsewhipping,,,,,horsewhipped,horsewhipped,,,,,,,,,,,, +Teletype,,,Teletypes,,Teletyping,,,,,Teletyped,Teletyped,,,,,,,,,,,, +baksheesh,,,baksheeshes,,baksheeshing,,,,,baksheeshed,baksheeshed,,,,,,,,,,,, +folio,,,folios,,folioing,,,,,folioed,folioed,,,,,,,,,,,, +contest,,,contests,,contesting,,,,,contested,contested,,,,,,,,,,,, +humidify,,,humidifies,,humidifying,,,,,humidified,humidified,,,,,,,,,,,, +fodder,,,fodders,,foddering,,,,,foddered,foddered,,,,,,,,,,,, +star,,,stars,,starring,,,,,starred,starred,,,,,,,,,,,, +lubricate,,,lubricates,,lubricating,,,,,lubricated,lubricated,,,,,,,,,,,, +stay,,,stays,,staying,,,,,stayed,stayed,,,,,,,,,,,, +foin,,,foins,,foining,,,,,foined,foined,,,,,,,,,,,, +dragoon,,,dragoons,,dragooning,,,,,dragooned,dragooned,,,,,,,,,,,, +foil,,,foils,,foiling,,,,,foiled,foiled,,,,,,,,,,,, +stab,,,stabs,,stabbing,,,,,stabbed,stabbed,,,,,,,,,,,, +jackknife,,,jack-knifes,,jack-knifing,,,,,jackknifed,jack-knifed,,,,,,,,,,,, +photosensitize,,,photosensitizes,,photosensitizing,,,,,photosensitized,photosensitized,,,,,,,,,,,, +appoint,,,appoints,,appointing,,,,,appointed,appointed,,,,,,,,,,,, +shunt,,,shunts,,shunting,,,,,shunted,shunted,,,,,,,,,,,, +fertilize,,,fertilizes,,fertilizing,,,,,fertilized,fertilized,,,,,,,,,,,, +unlive,,,unlives,,unliving,,,,,unlived,unlived,,,,,,,,,,,, +inset,,,insets,,insetting,,,,,inset,inset,,,,,,,,,,,, +overleap,,,overleaps,,overleaping,,,,,overleapt,overleapt,,,,,,,,,,,, +pardon,,,pardons,,pardoning,,,,,pardoned,pardoned,,,,,,,,,,,, +predestine,,,predestines,,predestining,,,,,predestined,predestined,,,,,,,,,,,, +unfurl,,,unfurls,,unfurling,,,,,unfurled,unfurled,,,,,,,,,,,, +single-step,,,single-steps,,single-stepping,,,,,single-stepped,single-stepped,,,,,,,,,,,, +protest,,,protests,,protesting,,,,,protested,protested,,,,,,,,,,,, +knoll,,,knolls,,knolling,,,,,knolled,knolled,,,,,,,,,,,, +psycho-analyse,,,psycho-analyses,,psycho-analysing,,,,,psycho-analysed,psycho-analysed,,,,,,,,,,,, +Romanize,,,Romanizes,,Romanizing,,,,,Romanized,Romanized,,,,,,,,,,,, +rampart,,,ramparts,,ramparting,,,,,ramparted,ramparted,,,,,,,,,,,, +toenail,,,toenails,,toenailing,,,,,toenailed,toenailed,,,,,,,,,,,, +captain,,,captains,,captaining,,,,,captained,captained,,,,,,,,,,,, +exenterate,,,exenterates,,exenterating,,,,,exenterated,exenterated,,,,,,,,,,,, +swag,,,swags,,swagging,,,,,swagged,swagged,,,,,,,,,,,, +calculate,,,calculates,,calculating,,,,,calculated,calculated,,,,,,,,,,,, +swab,,,swabs,,swabbing,,,,,swabbed,swabbed,,,,,,,,,,,, +disembarrass,,,disembarrasses,,disembarrassing,,,,,disembarrassed,disembarrassed,,,,,,,,,,,, +swat,,,swats,,swatting,,,,,swatted,swatted,,,,,,,,,,,, +unroll,,,unrolls,,unrolling,,,,,unrolled,unrolled,,,,,,,,,,,, +swap,,,swaps,,swapping,,,,,swopped,swapped,,,,,,,,,,,, +recycle,,,recycles,,recycling,,,,,recycled,recycled,,,,,,,,,,,, +sway,,,sways,,swaying,,,,,swayed,swayed,,,,,,,,,,,, +collaborate,,,collaborates,,collaborating,,,,,collaborated,collaborated,,,,,,,,,,,, +rescue,,,rescues,,rescuing,,,,,rescued,rescued,,,,,,,,,,,, +habituate,,,habituates,,habituating,,,,,habituated,habituated,,,,,,,,,,,, +void,,,voids,,voiding,,,,,voided,voided,,,,,,,,,,,, +untruss,,,untrusses,,untrussing,,,,,untrussed,untrussed,,,,,,,,,,,, +redact,,,redacts,,redacting,,,,,redacted,redacted,,,,,,,,,,,, +smack,,,smacks,,smacking,,,,,smacked,smacked,,,,,,,,,,,, +govern,,,governs,,governing,,,,,governed,governed,,,,,,,,,,,, +affect,,,affects,,affecting,,,,,affected,affected,,,,,,,,,,,, +sleek,,,sleeks,,sleeking,,,,,sleeked,sleeked,,,,,,,,,,,, +embroider,,,embroiders,,embroidering,,,,,embroidered,embroidered,,,,,,,,,,,, +indurate,,,indurates,,indurating,,,,,indurated,indurated,,,,,,,,,,,, +propend,,,propends,,propending,,,,,propended,propended,,,,,,,,,,,, +boohoo,,,boohoos,,boohooing,,,,,boohooed,boohooed,,,,,,,,,,,, +vector,,,vectors,,vectoring,,,,,vectored,vectored,,,,,,,,,,,, +enhance,,,enhances,,enhancing,,,,,enhanced,enhanced,,,,,,,,,,,, +interfile,,,interfiles,,interfiling,,,,,interfiled,interfiled,,,,,,,,,,,, +rollick,,,rollicks,,rollicking,,,,,rollicked,rollicked,,,,,,,,,,,, +force,,,forces,,forcing,,,,,forced,forced,,,,,,,,,,,, +quilt,,,quilts,,quilting,,,,,quilted,quilted,,,,,,,,,,,, +lustre,,,lustres,,lustring,,,,,lustred,lustred,,,,,,,,,,,, +colligate,,,colligates,,colligating,,,,,colligated,colligated,,,,,,,,,,,, +crave,,,craves,,craving,,,,,craved,craved,,,,,,,,,,,, +yack,,,yacks,,yacking,,,,,yacked,yacked,,,,,,,,,,,, +subordinate,,,subordinates,,subordinating,,,,,subordinated,subordinated,,,,,,,,,,,, +kidnap,,,kidnaps,,kidnapping,,,,,kidnapped,kidnapped,,,,,,,,,,,, +quill,,,quills,,quilling,,,,,quilled,quilled,,,,,,,,,,,, +even,,,evens,,evening,,,,,evened,evened,,,,,,,,,,,, +coquet,,,coquets,,coquetting,,,,,coquetted,coquetted,,,,,,,,,,,, +wreck,,,wrecks,,wrecking,,,,,wrecked,wrecked,,,,,,,,,,,, +unbrace,,,unbraces,,unbracing,,,,,unbraced,unbraced,,,,,,,,,,,, +blow-wave,,,blow-waves,,blow-waving,,,,,blow-waved,blow-waved,,,,,,,,,,,, +siege,,,sieges,,sieging,,,,,sieged,sieged,,,,,,,,,,,, +haze,,,hazes,,hazing,,,,,hazed,hazed,,,,,,,,,,,, +sunder,,,sunders,,sundering,,,,,sundered,sundered,,,,,,,,,,,, +net,,,nets,,netting,,,,,netted,netted,,,,,,,,,,,, +battledore,,,battledores,,battledoring,,,,,battledored,battledored,,,,,,,,,,,, +endanger,,,endangers,,endangering,,,,,endangered,endangered,,,,,,,,,,,, +mew,,,mews,,mewing,,,,,mewed,mewed,,,,,,,,,,,, +disoblige,,,disobliges,,disobliging,,,,,disobliged,disobliged,,,,,,,,,,,, +dree,,,drees,,dreeing,,,,,dreed,dreed,,,,,,,,,,,, +interpret,,,interprets,,interpreting,,,,,interpreted,interpreted,,,,,,,,,,,, +depasture,,,depastures,,depasturing,,,,,depastured,depastured,,,,,,,,,,,, +taper,,,tapers,,tapering,,,,,tapered,tapered,,,,,,,,,,,, +buckler,,,bucklers,,bucklering,,,,,bucklered,bucklered,,,,,,,,,,,, +harass,,,harasses,,harassing,,,,,harassed,harassed,,,,,,,,,,,, +permit,,,permits,,permitting,,,,,permitted,permitted,,,,,,,,,,,, +pack,,,packs,,packing,,,,,packed,packed,,,,,,,,,,,, +intrigue,,,intrigues,,intriguing,,,,,intrigued,intrigued,,,,,,,,,,,, +excoriate,,,excoriates,,excoriating,,,,,excoriated,excoriated,,,,,,,,,,,, +prelect,,,prelects,,prelecting,,,,,prelected,prelected,,,,,,,,,,,, +hunch,,,hunches,,hunching,,,,,hunched,hunched,,,,,,,,,,,, +campaign,,,campaigns,,campaigning,,,,,campaigned,campaigned,,,,,,,,,,,, +bayonet,,,bayonets,,bayoneting,,,,,bayoneted,bayoneted,,,,,,,,,,,, +dehumanize,,,dehumanizes,,dehumanizing,,,,,dehumanized,dehumanized,,,,,,,,,,,, +elude,,,eludes,,eluding,,,,,eluded,eluded,,,,,,,,,,,, +immix,,,immixes,,immixing,,,,,immixed,immixed,,,,,,,,,,,, +worrit,,,worrits,,worriting,,,,,worrited,worrited,,,,,,,,,,,, +overstuff,,,overstuffs,,overstuffing,,,,,overstuffed,overstuffed,,,,,,,,,,,, +welch,,,welches,,welching,,,,,welched,welched,,,,,,,,,,,, +remould,,,remoulds,,remoulding,,,,,remoulded,remoulded,,,,,,,,,,,, +circumvent,,,circumvents,,circumventing,,,,,circumvented,circumvented,,,,,,,,,,,, +landscape,,,landscapes,,landscaping,,,,,landscaped,landscaped,,,,,,,,,,,, +mooch,,,mooches,,mooching,,,,,mooched,mooched,,,,,,,,,,,, +overhear,,,overhears,,overhearing,,,,,overheard,overheard,,,,,,,,,,,, +overheat,,,overheats,,overheating,,,,,overheated,overheated,,,,,,,,,,,, +embrangle,,,embrangles,,embrangling,,,,,embrangled,embrangled,,,,,,,,,,,, +calk,,,calks,,calking,,,,,calked,calked,,,,,,,,,,,, +call,,,calls,,calling,,,,,called,called,,,,,,,,,,,, +calm,,,calms,,calming,,,,,calmed,calmed,,,,,,,,,,,, +recommend,,,recommends,,recommending,,,,,recommended,recommended,,,,,,,,,,,, +survive,,,survives,,surviving,,,,,survived,survived,,,,,,,,,,,, +type,,,types,,typing,,,,,typed,typed,,,,,,,,,,,, +tell,,,tells,,telling,,,,,told,told,,,,,,,,,,,, +calf,,,calves,,,,,,,,,,,,,,,,,,,, +expose,,,exposes,,exposing,,,,,exposed,exposed,,,,,,,,,,,, +moulder,,,moulders,,mouldering,,,,,mouldered,mouldered,,,,,,,,,,,, +warp,,,warps,,warping,,,,,warped,warped,,,,,,,,,,,, +lunge,,,lunges,,lunging,,,,,lunged,lunged,,,,,,,,,,,, +warm,,,warms,,warming,,,,,warmed,warmed,,,,,,,,,,,, +bewray,,,bewrays,,bewraying,,,,,bewrayed,bewrayed,,,,,,,,,,,, +undergird,,,undergirds,,undergirding,,,,,undergirded,undergirded,,,,,,,,,,,, +sparge,,,sparges,,sparging,,,,,sparged,sparged,,,,,,,,,,,, +ware,,,wares,,waring,,,,,wared,wared,,,,,,,,,,,, +blindfold,,,blindfolds,,blindfolding,,,,,blindfolded,blindfolded,,,,,,,,,,,, +prescind,,,prescinds,,prescinding,,,,,prescinded,prescinded,,,,,,,,,,,, +hoax,,,hoaxes,,hoaxing,,,,,hoaxed,hoaxed,,,,,,,,,,,, +retouch,,,retouches,,retouching,,,,,retouched,retouched,,,,,,,,,,,, +restock,,,restocks,,restocking,,,,,restocked,restocked,,,,,,,,,,,, +roof,,,roofs,,roofing,,,,,roofed,roofed,,,,,,,,,,,, +worth,,,worths,,worthing,,,,,worthed,worthed,,,,,,,,,,,, +guise,,,guises,,guising,,,,,guised,guised,,,,,,,,,,,, +proofread,,,proof-reads,,proof-reading,,,,,proofread,proof-read,,,,,,,,,,,, +glac_e,,,glac_es,,glac_eing,,,,,glac_eed,glac_eed,,,,,,,,,,,, +endow,,,endows,,endowing,,,,,endowed,endowed,,,,,,,,,,,, +crosshatch,,,crosshatches,,crosshatching,,,,,crosshatched,crosshatched,,,,,,,,,,,, +defer,,,defers,,deferring,,,,,deferred,deferred,,,,,,,,,,,, +give,,,gives,,giving,,,,,gave,given,,,,,,,,,,,, +climax,,,climaxes,,climaxing,,,,,climaxed,climaxed,,,,,,,,,,,, +slenderize,,,slenderizes,,slenderizing,,,,,slenderized,slenderized,,,,,,,,,,,, +assent,,,assents,,assenting,,,,,assented,assented,,,,,,,,,,,, +lure,,,,,luring,,,,,lured,lured,,,,,,,,,,,, +honey,,,honeys,,honeying,,,,,honied,honied,,,,,,,,,,,, +degenerate,,,degenerates,,degenerating,,,,,degenerated,degenerated,,,,,,,,,,,, +rig,,,rigs,,rigging,,,,,rigged,rigged,,,,,,,,,,,, +freshen,,,freshens,,freshening,,,,,freshened,freshened,,,,,,,,,,,, +loathe,,,loathes,,loathing,,,,,loathed,loathed,,,,,,,,,,,, +cross-fade,,,cross-fades,,cross-fading,,,,,cross-faded,cross-faded,,,,,,,,,,,, +strow,,,strows,,strowing,,,,,strowed,strowed,,,,,,,,,,,, +sideline,,,sidelines,,sidelining,,,,,sidelined,sidelined,,,,,,,,,,,, +strop,,,strops,,stropping,,,,,stropped,stropped,,,,,,,,,,,, +fribble,,,fribbles,,fribbling,,,,,fribbled,fribbled,,,,,,,,,,,, +raddle,,,raddles,,raddling,,,,,raddled,raddled,,,,,,,,,,,, +rib,,,ribs,,ribbing,,,,,ribbed,ribbed,,,,,,,,,,,, +stroy,,,stroys,,stroying,,,,,stroyed,stroyed,,,,,,,,,,,, +salivate,,,salivates,,salivating,,,,,salivated,salivated,,,,,,,,,,,, +sate,,,sates,,sating,,,,,sated,sated,,,,,,,,,,,, +egotrip,,,egotrips',,egotripping,,,,,egotripped,egotripped,,,,,,,,,,,, +answer,,,answers,,answering,,,,,answered,answered,,,,,,,,,,,, +bedight,,,bedights,,bedighting,,,,,bedighted,bedighted,,,,,,,,,,,, +construe,,,construes,,construing,,,,,construed,construed,,,,,,,,,,,, +disassemble,,,disassembles,,disassembling,,,,,disassembled,disassembled,,,,,,,,,,,, +misfit,,,misfits,,misfitting,,,,,misfitted,misfitted,,,,,,,,,,,, +hydroplane,,,hydroplanes,,hydroplaning,,,,,hydroplaned,hydroplaned,,,,,,,,,,,, +purchase,,,purchases,,purchasing,,,,,purchased,purchased,,,,,,,,,,,, +attempt,,,attempts,,attempting,,,,,attempted,attempted,,,,,,,,,,,, +fecundate,,,fecundates,,fecundating,,,,,fecundated,fecundated,,,,,,,,,,,, +pulsate,,,pulsates,,pulsating,,,,,pulsated,pulsated,,,,,,,,,,,, +oviposit,,,oviposits,,ovipositing,,,,,oviposited,oviposited,,,,,,,,,,,, +thirl,,,thirls,,thirling,,,,,thirled,thirled,,,,,,,,,,,, +bedazzle,,,bedazzles,,bedazzling,,,,,bedazzled,bedazzled,,,,,,,,,,,, +squiggle,,,squiggles,,squiggling,,,,,squiggled,squiggled,,,,,,,,,,,, +embow,,,embows,,embowing,,,,,embowed,embowed,,,,,,,,,,,, +fife,,,fifes,,fifing,,,,,fifed,fifed,,,,,,,,,,,, +deck,,,decks,,decking,,,,,decked,decked,,,,,,,,,,,, +insnare,,,insnares,,insnaring,,,,,insnared,insnared,,,,,,,,,,,, +befall,,,befalls,,befalling,,,,,befell,befallen,,,,,,,,,,,, +clave,,,,,,,,,,clave,,,,,,,,,,,,, +fable,,,fables,,fabling,,,,,fabled,fabled,,,,,,,,,,,, +toady,,,toadies,,toadying,,,,,toadied,toadied,,,,,,,,,,,, +miscarry,,,miscarries,,miscarrying,,,,,miscarried,miscarried,,,,,,,,,,,, +outleap,,,outleaps,,outleaping,,,,,outleaped,outleaped,,,,,,,,,,,, +canulate,,,canulates,,canulating,,,,,canulated,canulated,,,,,,,,,,,, +shackle,,,shackles,,shackling,,,,,shackled,shackled,,,,,,,,,,,, +crew,,,crews,,crewing,,,,,crewed,crewed,,,,,,,,,,,, +better,,,betters,,bettering,,,,,bettered,bettered,,,,,,,,,,,, +persist,,,persists,,persisting,,,,,persisted,persisted,,,,,,,,,,,, +carve,,,carves,,carving,,,,,carved,carven,,,,,,,,,,,, +containerize,,,containerizes,,containerizing,,,,,containerized,containerized,,,,,,,,,,,, +unsling,,,unslings,,unslinging,,,,,unslung,unslung,,,,,,,,,,,, +overcome,,,overcomes,,overcoming,,,,,overcame,overcome,,,,,,,,,,,, +misstate,,,misstates,,misstating,,,,,misstated,misstated,,,,,,,,,,,, +demythologize,,,demythologizes,,demythologizing,,,,,demythologized,demythologized,,,,,,,,,,,, +unthink,,,unthinks,,unthinking,,,,,unthought,unthought,,,,,,,,,,,, +deglutinate,,,deglutinates,,deglutinating,,,,,deglutinated,deglutinated,,,,,,,,,,,, +bankroll,,,bankrolls,,bankrolling,,,,,bankrolled,bankrolled,,,,,,,,,,,, +indulge,,,indulges,,indulging,,,,,indulged,indulged,,,,,,,,,,,, +rhapsodize,,,rhapsodizes,,rhapsodizing,,,,,rhapsodized,rhapsodized,,,,,,,,,,,, +shirk,,,shirks,,shirking,,,,,shirked,shirked,,,,,,,,,,,, +whisk,,,whisks,,whisking,,,,,whisked,whisked,,,,,,,,,,,, +wend,,,wends,,wending,,,,,wended,wended,,,,,,,,,,,, +exaggerate,,,exaggerates,,exaggerating,,,,,exaggerated,exaggerated,,,,,,,,,,,, +mistrust,,,mistrusts,,mistrusting,,,,,mistrusted,mistrusted,,,,,,,,,,,, +roast,,,roasts,,roasting,,,,,roasted,roasted,,,,,,,,,,,, +demount,,,demounts,,demounting,,,,,demounted,demounted,,,,,,,,,,,, +bong,,,bongs,,bonging,,,,,bonged,bonged,,,,,,,,,,,, +side,,,sides,,siding,,,,,sided,sided,,,,,,,,,,,, +bone,,,bones,,boning,,,,,boned,boned,,,,,,,,,,,, +bond,,,bonds,,bonding,,,,,bonded,bonded,,,,,,,,,,,, +powerdive,,,powerdives,,powerdiving,,,,,powerdived,powerdived,,,,,,,,,,,, +improvise,,,improvises,,improvising,,,,,improvised,improvised,,,,,,,,,,,, +siwash,,,siwashes,,siwashing,,,,,siwashed,siwashed,,,,,,,,,,,, +vote,,,votes,,voting,,,,,voted,voted,,,,,,,,,,,, +combust,,,combusts,,combusting,,,,,combusted,combusted,,,,,,,,,,,, +besmear,,,besmears,,besmearing,,,,,besmeared,besmeared,,,,,,,,,,,, +extract,,,extracts,,extracting,,,,,extracted,extracted,,,,,,,,,,,, +inosculate,,,inosculates,,inosculating,,,,,inosculated,inosculated,,,,,,,,,,,, +jell,,,jells,,jelling,,,,,jelled,jelled,,,,,,,,,,,, +contend,,,contends,,contending,,,,,contended,contended,,,,,,,,,,,, +decree,,,decrees,,decreeing,,,,,decreed,decreed,,,,,,,,,,,, +typecast,,,typecasts,,typecasting,,,,,typecast,typecast,,,,,,,,,,,, +videotape,,,videotapes,,videotapeing,,,,,videotapeed,videotapeed,,,,,,,,,,,, +contraindicate,,,contraindicates,,contraindicating,,,,,contraindicated,contraindicated,,,,,,,,,,,, +portend,,,portends,,portending,,,,,portended,portended,,,,,,,,,,,, +devitrify,,,devitrifies,,devitrifying,,,,,devitrified,devitrified,,,,,,,,,,,, +content,,,contents,,contenting,,,,,contented,contented,,,,,,,,,,,, +sparkle,,,sparkles,,sparkling,,,,,sparkled,sparkled,,,,,,,,,,,, +pitchfork,,,pitchforks,,pitchforking,,,,,pitchforked,pitchforked,,,,,,,,,,,, +debit,,,debits,,debiting,,,,,debited,debited,,,,,,,,,,,, +surprise,,,surprises,,surprising,,,,,surprised,surprised,,,,,,,,,,,, +palaver,,,palavers,,palavering,,,,,palavered,palavered,,,,,,,,,,,, +instigate,,,instigates,,instigating,,,,,instigated,instigated,,,,,,,,,,,, +overrefine,,,overrefines,,overrefining,,,,,overrefined,overrefined,,,,,,,,,,,, +playact,,,playacts,,playacting,,,,,playacted,playacted,,,,,,,,,,,, +grease,,,greases,,greasing,,,,,greased,greased,,,,,,,,,,,, +totalize,,,totalizes,,totalizing,,,,,totalized,totalized,,,,,,,,,,,, +resume,,,resumes,,resuming,,,,,resumed,resumed,,,,,,,,,,,, +revenge,,,revenges,,revenging,,,,,revenged,revenged,,,,,,,,,,,, +dodder,,,dodders,,doddering,,,,,doddered,doddered,,,,,,,,,,,, +bestow,,,bestows,,bestowing,,,,,bestowed,bestowed,,,,,,,,,,,, +struggle,,,struggles,,struggling,,,,,struggled,struggled,,,,,,,,,,,, +abate,,,abates,,abating,,,,,abated,abated,,,,,,,,,,,, +overemphasize,,,overemphasizes,,overemphasizing,,,,,overemphasized,overemphasized,,,,,,,,,,,, +entrap,,,entraps,,entrapping,,,,,entrapped,entrapped,,,,,,,,,,,, +infix,,,infixes,,infixing,,,,,infixed,infixed,,,,,,,,,,,, +chortle,,,chortles,,chortling,,,,,chortled,chortled,,,,,,,,,,,, +lour,,,lours,,louring,,,,,loured,loured,,,,,,,,,,,, +lout,,,louts,,louting,,,,,louted,louted,,,,,,,,,,,, +scrounge,,,scrounges,,scrounging,,,,,scrounged,scrounged,,,,,,,,,,,, +steward,,,stewards,,stewarding,,,,,stewarded,stewarded,,,,,,,,,,,, +skyjack,,,skyjacks,,skyjacking,,,,,skyjacked,skyjacked,,,,,,,,,,,, +fleck,,,flecks,,flecking,,,,,flecked,flecked,,,,,,,,,,,, +attune,,,attunes,,attuning,,,,,attuned,attuned,,,,,,,,,,,, +heckle,,,heckles,,heckling,,,,,heckled,heckled,,,,,,,,,,,, +inbred,,,,,,,,,,inbred,inbred,,,,,,,,,,,, +repoint,,,repoints,,repointing,,,,,repointed,repointed,,,,,,,,,,,, +grade,,,grades,,grading,,,,,graded,graded,,,,,,,,,,,, +hoop,,,hoops,,hooping,,,,,hooped,hooped,,,,,,,,,,,, +superpose,,,superposes,,superposing,,,,,superposed,superposed,,,,,,,,,,,, +reassure,,,reassures,,reassuring,,,,,reassured,reassured,,,,,,,,,,,, +hoot,,,hoots,,hooting,,,,,hooted,hooted,,,,,,,,,,,, +hook,,,hooks,,hooking,,,,,hooked,hooked,,,,,,,,,,,, +synthetize,,,synthetizes,,synthetizing,,,,,synthetized,synthetized,,,,,,,,,,,, +deplete,,,depletes,,depleting,,,,,depleted,depleted,,,,,,,,,,,, +enumerate,,,enumerates,,enumerating,,,,,enumerated,enumerated,,,,,,,,,,,, +radiate,,,radiates,,radiating,,,,,radiated,radiated,,,,,,,,,,,, +ditch,,,ditches,,ditching,,,,,ditched,ditched,,,,,,,,,,,, +hoof,,,hoofs,,hoofing,,,,,hoofed,hoofed,,,,,,,,,,,, +hood,,,hoods,,hooding,,,,,hooded,hooded,,,,,,,,,,,, +discompose,,,discomposes,,discomposing,,,,,discomposed,discomposed,,,,,,,,,,,, +debase,,,debases,,debasing,,,,,debased,debased,,,,,,,,,,,, +acquaint,,,acquaints,,acquainting,,,,,acquainted,acquainted,,,,,,,,,,,, +scrape,,,scrapes,,scraping,,,,,scraped,scraped,,,,,,,,,,,, +wreak,,,wreaks,,wreaking,,,,,wreaked,wreaked,,,,,,,,,,,, +sidle,,,sidles,,sidling,,,,,sidled,sidled,,,,,,,,,,,, +brabble,,,brabbles,,brabbling,,,,,brabbled,brabbled,,,,,,,,,,,, +brainwash,,,brainwashes,,brainwashing,,,,,brainwashed,brainwashed,,,,,,,,,,,, +dwell,,,dwells,,dwelling,,,,,dwelt,dwelt,,,,,,,,,,,, +mutate,,,mutates,,mutating,,,,,mutated,mutated,,,,,,,,,,,, +reprobate,,,reprobates,,reprobating,,,,,reprobated,reprobated,,,,,,,,,,,, +foreclose,,,forecloses,,foreclosing,,,,,foreclosed,foreclosed,,,,,,,,,,,, +touchtype,,,touchtypes,,touchtyping,,,,,touchtyped,touchtyped,,,,,,,,,,,, +gyp,,,gyps,,gypping,,,,,gypped,gypped,,,,,,,,,,,, +cuirass,,,cuirasses,,cuirassing,,,,,cuirassed,cuirassed,,,,,,,,,,,, +distance,,,distances,,distancing,,,,,distanced,distanced,,,,,,,,,,,, +affront,,,affronts,,affronting,,,,,affronted,affronted,,,,,,,,,,,, +dredge,,,dredges,,dredging,,,,,dredged,dredged,,,,,,,,,,,, +sky-rocket,,,sky-rockets,,sky-rocketing,,,,,skyrocketed,sky-rocketed,,,,,,,,,,,, +legalize,,,legalizes,,legalizing,,,,,legalized,legalized,,,,,,,,,,,, +matter,,,matters,,mattering,,,,,mattered,mattered,,,,,,,,,,,, +pitapat,,,pitapats,,pitapatting,,,,,pitapatted,pitapatted,,,,,,,,,,,, +mammock,,,mammocks,,mammocking,,,,,mammocked,mammocked,,,,,,,,,,,, +espouse,,,espouses,,espousing,,,,,espoused,espoused,,,,,,,,,,,, +exorcize,,,exorcizes,,exorcizing,,,,,exorcized,exorcized,,,,,,,,,,,, +churr,,,churrs,,churring,,,,,churred,churred,,,,,,,,,,,, +quench,,,quenches,,quenching,,,,,quenched,quenched,,,,,,,,,,,, +mind,,,minds,,minding,,,,,minded,minded,,,,,,,,,,,, +mine,,,mines,,mining,,,,,mined,mined,,,,,,,,,,,, +ginger,,,gingers,,gingering,,,,,gingered,gingered,,,,,,,,,,,, +seed,,,seeds,,seeding,,,,,seeded,seeded,,,,,,,,,,,, +seem,,,seems,,seeming,,,,,seemed,seemed,,,,,,,,,,,, +churn,,,churns,,churning,,,,,churned,churned,,,,,,,,,,,, +mint,,,mints,,minting,,,,,minted,minted,,,,,,,,,,,, +unfasten,,,unfastens,,unfastening,,,,,unfastened,unfastened,,,,,,,,,,,, +wabble,,,wabbles,,wabbling,,,,,wabbled,wabbled,,,,,,,,,,,, +reprieve,,,reprieves,,reprieving,,,,,reprieved,reprieved,,,,,,,,,,,, +horde,,,hordes,,hording,,,,,horded,horded,,,,,,,,,,,, +alibi,,,alibis,,alibiing,,,,,alibied,alibied,,,,,,,,,,,, +draggle,,,draggles,,draggling,,,,,draggled,draggled,,,,,,,,,,,, +divulge,,,divulges,,divulging,,,,,divulged,divulged,,,,,,,,,,,, +desist,,,desists,,desisting,,,,,desisted,desisted,,,,,,,,,,,, +ransack,,,ransacks,,ransacking,,,,,ransacked,ransacked,,,,,,,,,,,, +narcotize,,,narcotizes,,narcotizing,,,,,narcotized,narcotized,,,,,,,,,,,, +flense,,,flenses,,flensing,,,,,flensed,flensed,,,,,,,,,,,, +scarify,,,scarifies,,scarifying,,,,,scarified,scarified,,,,,,,,,,,, +iterate,,,iterates,,iterating,,,,,iterated,iterated,,,,,,,,,,,, +subtotal,,,subtotals,,subtotalling,,,,,subtotalled,subtotalled,,,,,,,,,,,, +exonerate,,,exonerates,,exonerating,,,,,exonerated,exonerated,,,,,,,,,,,, +blacklist,,,blacklists,,blacklisting,,,,,blacklisted,blacklisted,,,,,,,,,,,, +mitigate,,,mitigates,,mitigating,,,,,mitigated,mitigated,,,,,,,,,,,, +euphemize,,,euphemizes,,euphemizing,,,,,euphemized,euphemized,,,,,,,,,,,, +bypass,,,bypasses',,by-passing,,,,,bypassed,by-passed,,,,,,,,,,,, +entrain,,,entrains,,entraining,,,,,entrained,entrained,,,,,,,,,,,, +alarm,,,alarms,,alarming,,,,,alarmed,alarmed,,,,,,,,,,,, +dog,,,dogs,,dogging,,,,,dogged,dogged,,,,,,,,,,,, +vizor,,,vizors,,vizoring,,,,,vizored,vizored,,,,,,,,,,,, +digress,,,digresses,,digressing,,,,,digressed,digressed,,,,,,,,,,,, +constrict,,,constricts,,constricting,,,,,constricted,constricted,,,,,,,,,,,, +throwaway,,,throwaways,,throwawaying,,,,,throwawayed,throwawayed,,,,,,,,,,,, +scotch,,,scotches,,scotching,,,,,scotched,scotched,,,,,,,,,,,, +dow,,,dows,,dowing,,,,,dowed,dowed,,,,,,,,,,,, +dot,,,dots,,dotting,,,,,dotted,dotted,,,,,,,,,,,, +discontent,,,discontents,,discontenting,,,,,discontented,discontented,,,,,,,,,,,, +hunger,,,hungers,,hungering,,,,,hungered,hungered,,,,,,,,,,,, +rapture,,,raptures,,rapturing,,,,,raptured,raptured,,,,,,,,,,,, +spangle,,,spangles,,spangling,,,,,spangled,spangled,,,,,,,,,,,, +probe,,,probes,,probing,,,,,probed,probed,,,,,,,,,,,, +bespread,,,bespreads,,bespreading,,,,,bespreaded,bespreaded,,,,,,,,,,,, +chord,,,chords,,chording,,,,,chorded,chorded,,,,,,,,,,,, +camphorate,,,camphorates,,camphorating,,,,,camphorated,camphorated,,,,,,,,,,,, +subvene,,,subvenes,,subvening,,,,,subvened,subvened,,,,,,,,,,,, +capitulate,,,capitulates,,capitulating,,,,,capitulated,capitulated,,,,,,,,,,,, +acquit,,,acquits,,acquitting,,,,,acquitted,acquitted,,,,,,,,,,,, +overtask,,,overtasks,,overtasking,,,,,overtasked,overtasked,,,,,,,,,,,, +cleanse,,,cleanses,,cleansing,,,,,cleansed,cleansed,,,,,,,,,,,, +explain,,,explains,,explaining,,,,,explained,explained,,,,,,,,,,,, +cripple,,,cripples,,crippling,,,,,crippled,crippled,,,,,,,,,,,, +sugar,,,sugars,,sugaring,,,,,sugared,sugared,,,,,,,,,,,, +sickout,,,,,,,,,,,,,,,,,,,,,,, +mutualize,,,mutualizes,,mutualizing,,,,,mutualized,mutualized,,,,,,,,,,,, +integrate,,,integrates,,integrating,,,,,integrated,integrated,,,,,,,,,,,, +hoard,,,hoards,,hoarding,,,,,hoarded,hoarded,,,,,,,,,,,, +razor-cut,,,razor-cuts,,razor-cutting,,,,,razor-cut,razor-cut,,,,,,,,,,,, +patter,,,patters,,pattering,,,,,pattered,pattered,,,,,,,,,,,, +stot,,,stots,,stotting,,,,,stotted,stotted,,,,,,,,,,,, +deforest,,,deforests,,deforesting,,,,,deforested,deforested,,,,,,,,,,,, +blur,,,blurs,,blurring,,,,,blurred,blurred,,,,,,,,,,,, +stop,,,stops,,stopping,,,,,stopped,stopped,,,,,,,,,,,, +perceive,,,perceives,,perceiving,,,,,perceived,perceived,,,,,,,,,,,, +coast,,,coasts,,coasting,,,,,coasted,coasted,,,,,,,,,,,, +meditate,,,meditates,,meditating,,,,,meditated,meditated,,,,,,,,,,,, +subminiaturize,,,subminiaturizes,,subminiaturizing,,,,,subminiaturized,subminiaturized,,,,,,,,,,,, +comply,,,complies,,complying,,,,,complied,complied,,,,,,,,,,,, +bat,,,bats,,batting,,,,,batted,batted,,,,,,,,,,,, +bar,,,bars,,barring,,,,,barred,barred,,,,,,,,,,,, +braze,,,brazes,,brazing,,,,,brazed,brazed,,,,,,,,,,,, +bay,,,bays,,baying,,,,,bayed,bayed,,,,,,,,,,,, +bag,,,bags,,bagging,,,,,bagged,bagged,,,,,,,,,,,, +troop,,,troops,,trooping,,,,,trooped,trooped,,,,,,,,,,,, +baa,,,baas,,baaing,,,,,baaed,baaed,,,,,,,,,,,, +ban,,,bans,,banning,,,,,banned,banned,,,,,,,,,,,, +enchant,,,enchants,,enchanting,,,,,enchanted,enchanted,,,,,,,,,,,, +attest,,,attests,,attesting,,,,,attested,attested,,,,,,,,,,,, +reference,,,references,,referencing,,,,,referenced,referenced,,,,,,,,,,,, +imitate,,,imitates,,imitating,,,,,imitated,imitated,,,,,,,,,,,, +prophesy,,,prophesies,,prophesying,,,,,prophesied,prophesied,,,,,,,,,,,, +allure,,,allures,,alluring,,,,,allured,allured,,,,,,,,,,,, +insalivate,,,insalivates,,insalivating,,,,,insalivated,insalivated,,,,,,,,,,,, +decerebrate,,,decerebrates,,decerebrating,,,,,decerebrated,decerebrated,,,,,,,,,,,, +subject,,,subjects,,subjecting,,,,,subjected,subjected,,,,,,,,,,,, +misrule,,,misrules,,misruling,,,,,misruled,misruled,,,,,,,,,,,, +snuff,,,snuffs,,snuffing,,,,,snuffed,snuffed,,,,,,,,,,,, +hydrolyze,,,hydrolyzes,,hydrolyzing,,,,,hydrolyzed,hydrolyzed,,,,,,,,,,,, +sain,,,sains,,saining,,,,,sained,sained,,,,,,,,,,,, +scrap,,,scraps,,scrapping,,,,,scrapped,scrapped,,,,,,,,,,,, +sail,,,sails,,sailing,,,,,sailed,sailed,,,,,,,,,,,, +disprove,,,disproves,,disproving,,,,,disproved,disproved,,,,,,,,,,,, +scram,,,scrams,,scramming,,,,,scrammed,scrammed,,,,,,,,,,,, +unriddle,,,unriddles,,unriddling,,,,,unriddled,unriddled,,,,,,,,,,,, +scrag,,,scrags,,scragging,,,,,scragged,scragged,,,,,,,,,,,, +juxtapose,,,juxtaposes,,juxtaposing,,,,,juxtaposed,juxtaposed,,,,,,,,,,,, +personate,,,personates,,personating,,,,,personated,personated,,,,,,,,,,,, +bemuse,,,bemuses,,bemusing,,,,,bemused,bemused,,,,,,,,,,,, +craunch,,,craunches,,craunching,,,,,craunched,craunched,,,,,,,,,,,, +sulphonate,,,sulphonates,,sulphonating,,,,,sulphonated,sulphonated,,,,,,,,,,,, +excavate,,,excavates,,excavating,,,,,excavated,excavated,,,,,,,,,,,, +laze,,,lazes,,lazing,,,,,lazed,lazed,,,,,,,,,,,, +socialize,,,socializes,,socializing,,,,,socialized,socialized,,,,,,,,,,,, +short-list,,,short-lists,,short-listing,,,,,short-listed,short-listed,,,,,,,,,,,, +botch,,,botches,,botching,,,,,botched,botched,,,,,,,,,,,, +synopsize,,,synopsizes,,synopsizing,,,,,synopsized,synopsized,,,,,,,,,,,, +discommode,,,discommodes,,discommoding,,,,,discommoded,discommoded,,,,,,,,,,,, +monopolize,,,monopolizes,,monopolizing,,,,,monopolized,monopolized,,,,,,,,,,,, +estreat,,,estreats,,estreating,,,,,estreated,estreated,,,,,,,,,,,, +regrate,,,regrates,,regrating,,,,,regrated,regrated,,,,,,,,,,,, +burthen,,,burthens,,burthening,,,,,burthened,burthened,,,,,,,,,,,, +eloin,,,eloins,,eloining,,,,,eloined,eloined,,,,,,,,,,,, +burble,,,burbles,,burbling,,,,,burbled,burbled,,,,,,,,,,,, +cobble,,,cobbles,,cobbling,,,,,cobbled,cobbled,,,,,,,,,,,, +whisper,,,whispers,,whispering,,,,,whispered,whispered,,,,,,,,,,,, +foray,,,forays,,foraying,,,,,forayed,forayed,,,,,,,,,,,, +relumine,,,relumines,,relumining,,,,,relumined,relumined,,,,,,,,,,,, +accustom,,,accustoms,,accustoming,,,,,accustomed,accustomed,,,,,,,,,,,, +pupate,,,pupates,,pupating,,,,,pupated,pupated,,,,,,,,,,,, +recur,,,recurs,,recurring,,,,,recurred,recurred,,,,,,,,,,,, +regenerate,,,regenerates,,regenerating,,,,,regenerated,regenerated,,,,,,,,,,,, +go-slow,,,,,,,,,,,,,,,,,,,,,,, +erect,,,erects,,erecting,,,,,erected,erected,,,,,,,,,,,, +chelp,,,chelps,,chelping,,,,,chelped,chelped,,,,,,,,,,,, +ting,,,tings,,tinging,,,,,tinged,tinged,,,,,,,,,,,, +commission,,,commissions,,commissioning,,,,,commissioned,commissioned,,,,,,,,,,,, +trigger,,,triggers,,triggering,,,,,triggered,triggered,,,,,,,,,,,, +replicate,,,replicates,,replicating,,,,,replicated,replicated,,,,,,,,,,,, +interest,,,interests,,interesting,,,,,interested,interested,,,,,,,,,,,, +chug,,,chugs,,chugging,,,,,chugged,chugged,,,,,,,,,,,, +wheedle,,,wheedles,,wheedling,,,,,wheedled,wheedled,,,,,,,,,,,, +mushroom,,,mushrooms,,mushrooming,,,,,mushroomed,mushroomed,,,,,,,,,,,, +suppress,,,suppresses,,suppressing,,,,,suppressed,suppressed,,,,,,,,,,,, +chum,,,chums,,chumming,,,,,chummed,chummed,,,,,,,,,,,, +disgruntle,,,disgruntles,,disgruntling,,,,,disgruntled,disgruntled,,,,,,,,,,,, +deepen,,,deepens,,deepening,,,,,deepened,deepened,,,,,,,,,,,, +downplay,,,downplays,,downplaying,,,,,downplayed,downplayed,,,,,,,,,,,, +diffract,,,diffracts,,diffracting,,,,,diffracted,diffracted,,,,,,,,,,,, +intubate,,,intubates,,intubating,,,,,intubated,intubated,,,,,,,,,,,, +originate,,,originates,,originating,,,,,originated,originated,,,,,,,,,,,, +chainsmoke,,,chainsmokes,,chainsmoking,,,,,chainsmoked,chainsmoked,,,,,,,,,,,, +near,,,nears,,nearing,,,,,neared,neared,,,,,,,,,,,, +suppose,,,supposes,,supposing,,,,,supposed,supposed,,,,,,,,,,,, +convalesce,,,convalesces,,convalescing,,,,,convalesced,convalesced,,,,,,,,,,,, +balance,,,balances,,balancing,,,,,balanced,balanced,,,,,,,,,,,, +mangle,,,mangles,,mangling,,,,,mangled,mangled,,,,,,,,,,,, +anchor,,,anchors,,anchoring,,,,,anchored,anchored,,,,,,,,,,,, +spawn,,,spawns,,spawning,,,,,spawned,spawned,,,,,,,,,,,, +upgrade,,,upgrades,,upgrading,,,,,upgraded,upgraded,,,,,,,,,,,, +cane,,,canes,,caning,,,,,caned,caned,,,,,,,,,,,, +recuperate,,,recuperates,,recuperating,,,,,recuperated,recuperated,,,,,,,,,,,, +womanize,,,womanizes,,womanizing,,,,,womanized,womanized,,,,,,,,,,,, +remount,,,remounts,,remounting,,,,,remounted,remounted,,,,,,,,,,,, +jess,,,jesses,,jessing,,,,,jessed,jessed,,,,,,,,,,,, +canter,,,cants,,canting,,,,,canted,canted,,,,,,,,,,,, +lyophilize,,,lyophilizes,,lyophilizing,,,,,lyophilized,lyophilized,,,,,,,,,,,, +jest,,,jests,,jesting,,,,,jested,jested,,,,,,,,,,,, +mouse,,,mouses,,mousing,,,,,moused,moused,,,,,,,,,,,, +disappear,,,disappears,,disappearing,,,,,disappeared,disappeared,,,,,,,,,,,, +abscess,,,abscesses,,abscessing,,,,,abscessed,abscessed,,,,,,,,,,,, +growl,,,growls,,growling,,,,,growled,growled,,,,,,,,,,,, +reimport,,,reimports,,reimporting,,,,,reimported,reimported,,,,,,,,,,,, +make,,,makes,,making,,,,,made,made,,,,,,,,,,,, +costar,,,costars,,costarring,,,,,costarred,costarred,,,,,,,,,,,, +quant,,,quants,,quanting,,,,,quanted,quanted,,,,,,,,,,,, +belly,,,bellies,,bellying,,,,,bellied,bellied,,,,,,,,,,,, +contaminate,,,contaminates,,contaminating,,,,,contaminated,contaminated,,,,,,,,,,,, +sodden,,,soddens,,soddening,,,,,soddened,soddened,,,,,,,,,,,, +surprint,,,surprints,,surprinting,,,,,surprinted,surprinted,,,,,,,,,,,, +evolve,,,evolves,,evolving,,,,,evolved,evolved,,,,,,,,,,,, +exire,,,,,,,,,,,,,,,,,,,,,,, +smoke,,,smokes,,smoking,,,,,smoked,smoked,,,,,,,,,,,, +kip,,,kips,,kipping,,,,,kipped,kipped,,,,,,,,,,,, +delight,,,delights,,delighting,,,,,delighted,delighted,,,,,,,,,,,, +consternate,,,consternates,,consternating,,,,,consternated,consternated,,,,,,,,,,,, +misconstrue,,,misconstrues,,misconstruing,,,,,misconstrued,misconstrued,,,,,,,,,,,, +ruff,,,ruffs,,ruffing,,,,,ruffed,ruffed,,,,,,,,,,,, +kid,,,kids,,kidding,,,,,kidded,kidded,,,,,,,,,,,, +butter,,,butters,,buttering,,,,,buttered,buttered,,,,,,,,,,,, +reest,,,reests,,reesting,,,,,reested,reested,,,,,,,,,,,, +romp,,,romps,,romping,,,,,romped,romped,,,,,,,,,,,, +whicker,,,whickers,,whickering,,,,,whickered,whickered,,,,,,,,,,,, +strangulate,,,strangulates,,strangulating,,,,,strangulated,strangulated,,,,,,,,,,,, +inherit,,,inherits,,inheriting,,,,,inherited,inherited,,,,,,,,,,,, +berate,,,berates,,berating,,,,,berated,berated,,,,,,,,,,,, +left,,,,,,,,,,left,left,,,,,,,,,,,, +sentence,,,sentences,,sentencing,,,,,sentenced,sentenced,,,,,,,,,,,, +plash,,,plashes,,plashing,,,,,plashed,plashed,,,,,,,,,,,, +alliterate,,,alliterates,,alliterating,,,,,alliterated,alliterated,,,,,,,,,,,, +presume,,,presumes,,presuming,,,,,presumed,presumed,,,,,,,,,,,, +identify,,,identifies,,identifying,,,,,identified,identified,,,,,,,,,,,, +achromatize,,,achromatizes,,achromatizing,,,,,achromatized,achromatized,,,,,,,,,,,, +secure,,,secures,,securing,,,,,secured,secured,,,,,,,,,,,, +outbalance,,,outbalances,,outbalancing,,,,,outbalanced,outbalanced,,,,,,,,,,,, +nudge,,,nudges,,nudging,,,,,nudged,nudged,,,,,,,,,,,, +fourflush,,,fourflushes,,fourflushing,,,,,fourflushed,fourflushed,,,,,,,,,,,, +shortcircuit,,,shortcircuits,,shortcircuiting,,,,,shortcircuited,shortcircuited,,,,,,,,,,,, +character,,,characters,,charactering,,,,,charactered,charactered,,,,,,,,,,,, +defray,,,defrays,,defraying,,,,,defrayed,defrayed,,,,,,,,,,,, +save,,,saves,,saving,,,,,saved,saved,,,,,,,,,,,, +dehisce,,,dehisces,,dehiscing,,,,,dehisced,dehisced,,,,,,,,,,,, +designate,,,designates,,designating,,,,,designated,designated,,,,,,,,,,,, +opt,,,opts,,opting,,,,,opted,opted,,,,,,,,,,,, +ope,,,opes,,oping,,,,,oped,oped,,,,,,,,,,,, +commentate,,,commentates,,commentating,,,,,commentated,commentated,,,,,,,,,,,, +legitimize,,,legitimizes,,legitimizing,,,,,legitimized,legitimized,,,,,,,,,,,, +implead,,,impleads,,impleading,,,,,impleaded,impleaded,,,,,,,,,,,, +illtreat,,,illtreats,,illtreating,,,,,illtreated,illtreated,,,,,,,,,,,, +chlorinate,,,chlorinates,,chlorinating,,,,,chlorinated,chlorinated,,,,,,,,,,,, +jugulate,,,jugulates,,jugulating,,,,,jugulated,jugulated,,,,,,,,,,,, +radioactivate,,,radioactivates,,radioactivating,,,,,radioactivated,radioactivated,,,,,,,,,,,, +signal,,,signals,,signalling,,,,,signalled,signalled,,,,,,,,,,,, +squander,,,squanders,,squandering,,,,,squandered,squandered,,,,,,,,,,,, +deal,,,deals,,dealing,,,,,dealt,dealt,,,,,,,,,,,, +repudiate,,,repudiates,,repudiating,,,,,repudiated,repudiated,,,,,,,,,,,, +revet,,,revets,,revetting,,,,,revetted,revetted,,,,,,,,,,,, +revel,,,revels,,revelling,,,,,revelled,revelled,,,,,,,,,,,, +intern,,,interns,,interning,,,,,interned,interned,,,,,,,,,,,, +arterialize,,,arterializes,,arterializing,,,,,arterialized,arterialized,,,,,,,,,,,, +invoice,,,invoices,,invoicing,,,,,invoiced,invoiced,,,,,,,,,,,, +sprawl,,,sprawls,,sprawling,,,,,sprawled,sprawled,,,,,,,,,,,, +deice,,,deices,,deicing,,,,,deiced,deiced,,,,,,,,,,,, +collect,,,collects,,collecting,,,,,collected,collected,,,,,,,,,,,, +defilade,,,defilades,,defilading,,,,,defiladed,defiladed,,,,,,,,,,,, +superfuse,,,superfuses,,superfusing,,,,,superfused,superfused,,,,,,,,,,,, +flounder,,,flounders,,floundering,,,,,floundered,floundered,,,,,,,,,,,, +drudge,,,drudges,,drudging,,,,,drudged,drudged,,,,,,,,,,,, +beget,,,begets,,begetting,,,,,begot,begotten,,,,,,,,,,,, +egest,,,egests,,egesting,,,,,egested,egested,,,,,,,,,,,, +bamboozle,,,bamboozles,,bamboozling,,,,,bamboozled,bamboozled,,,,,,,,,,,, +burl,,,burls,,burling,,,,,burled,burled,,,,,,,,,,,, +protuberate,,,protuberates,,protuberating,,,,,protuberated,protuberated,,,,,,,,,,,, +burn,,,burns,,burning,,,,,burnt,burnt,,,,,,,,,,,, +blackmail,,,blackmails,,blackmailing,,,,,blackmailed,blackmailed,,,,,,,,,,,, +sift,,,sifts,,sifting,,,,,sifted,sifted,,,,,,,,,,,, +etiolate,,,etiolates,,etiolating,,,,,etiolated,etiolated,,,,,,,,,,,, +burp,,,burps,,burping,,,,,burped,burped,,,,,,,,,,,, +burr,,,burrs,,,,,,,,,,,,,,,,,,,, +bury,,,buries,,burying,,,,,buried,buried,,,,,,,,,,,, +conceal,,,conceals,,concealing,,,,,concealed,concealed,,,,,,,,,,,, +palisade,,,palisades,,palisading,,,,,palisaded,palisaded,,,,,,,,,,,, +stow,,,stows,,stowing,,,,,stowed,stowed,,,,,,,,,,,, +commix,,,commixes,,commixing,,,,,commixed,commixed,,,,,,,,,,,, +commit,,,commits,,committing,,,,,committed,committed,,,,,,,,,,,, +clapboard,,,clapboards,,clapboarding,,,,,clapboarded,clapboarded,,,,,,,,,,,, +marshal,,,marshals,,marshalling,,,,,marshalled,marshalled,,,,,,,,,,,, +unsay,,,unsays,,unsaying,,,,,unsaid,unsaid,,,,,,,,,,,, +gestate,,,gestates,,gestating,,,,,gestated,gestated,,,,,,,,,,,, +nerve,,,nerves,,nerving,,,,,nerved,nerved,,,,,,,,,,,, +motivate,,,motivates,,motivating,,,,,motivated,motivated,,,,,,,,,,,, +stone-wall,,,stone-walls,,stonewalling,,,,,stonewalled,stone-walled,,,,,,,,,,,, +Frenchify,,,Frenchifies,,Frenchifying,,,,,Frenchified,Frenchified,,,,,,,,,,,, +down,,,downs,,downing,,,,,downed,downed,,,,,,,,,,,, +slurp,,,slurps,,slurping,,,,,slurped,slurped,,,,,,,,,,,, +translocate,,,translocates,,translocating,,,,,translocated,translocated,,,,,,,,,,,, +chime,,,chimes,,chiming,,,,,chimed,chimed,,,,,,,,,,,, +unseal,,,unseals,,unsealing,,,,,unsealed,unsealed,,,,,,,,,,,, +unseam,,,unseams,,unseaming,,,,,unseamed,unseamed,,,,,,,,,,,, +chitter,,,chitters,,chittering,,,,,chittered,chittered,,,,,,,,,,,, +initial,,,initials,,initialling,,,,,initialled,initialled,,,,,,,,,,,, +subdivide,,,subdivides,,subdividing,,,,,subdivided,subdivided,,,,,,,,,,,, +chelate,,,chelates,,chelating,,,,,chelated,chelated,,,,,,,,,,,, +misbecome,,,misbecomes,,misbecoming,,,,,misbecame,misbecame,,,,,,,,,,,, +lampoon,,,lampoons,,lampooning,,,,,lampooned,lampooned,,,,,,,,,,,, +deputize,,,deputizes,,deputizing,,,,,deputized,deputized,,,,,,,,,,,, +unseat,,,unseats,,unseating,,,,,unseated,unseated,,,,,,,,,,,, +stalk,,,stalks,,stalking,,,,,stalked,stalked,,,,,,,,,,,, +smoodge,,,smoodges,,smoodging,,,,,smoodged,smoodged,,,,,,,,,,,, +fork,,,forks,,forking,,,,,forked,forked,,,,,,,,,,,, +starve,,,starves,,starving,,,,,starved,starved,,,,,,,,,,,, +form,,,forms,,forming,,,,,formed,formed,,,,,,,,,,,, +analyze,,,analyzes,,analyzing,,,,,analyzed,analyzed,,,,,,,,,,,, +forest,,,,,foring,,,,,fored,fored,,,,,,,,,,,, +ford,,,fords,,fording,,,,,forded,forded,,,,,,,,,,,, +diaper,,,diapers,,diapering,,,,,diapered,diapered,,,,,,,,,,,, +turpentine,,,turpentines,,turpentining,,,,,turpentined,turpentined,,,,,,,,,,,, +polevault,,,polevaults,,polevaulting,,,,,polevaulted,polevaulted,,,,,,,,,,,, +overburden,,,overburdens,,overburdening,,,,,overburdened,overburdened,,,,,,,,,,,, +surrender,,,surrenders,,surrendering,,,,,surrendered,surrendered,,,,,,,,,,,, +pavilion,,,pavilions,,pavilioning,,,,,pavilioned,pavilioned,,,,,,,,,,,, +empt,,,empts,,empting,,,,,empted,empted,,,,,,,,,,,, +ingraft,,,ingrafts,,ingrafting,,,,,ingrafted,ingrafted,,,,,,,,,,,, +boomerang,,,boomerangs,,boomeranging,,,,,boomeranged,boomeranged,,,,,,,,,,,, +aircool,,,aircools,,aircooling,,,,,aircooled,aircooled,,,,,,,,,,,, +delete,,,deletes,,deleting,,,,,deleted,deleted,,,,,,,,,,,, +diagnose,,,diagnoses,,diagnosing,,,,,diagnosed,diagnosed,,,,,,,,,,,, +forespeak,,,forespeaks,,forespeaking,,,,,forespoke,forespoken,,,,,,,,,,,, +shin,,,shins,,shinning,,,,,shinned,shinned,,,,,,,,,,,, +shim,,,shims,,shimming,,,,,shimmed,shimmed,,,,,,,,,,,, +bureaucratize,,,bureaucratizes,,bureaucratizing,,,,,bureaucratized,bureaucratized,,,,,,,,,,,, +sidestep,,,sidesteps,,sidestepping,,,,,sidestepped,sidestepped,,,,,,,,,,,, +sticky,,,stickies,,stickying,,,,,stickied,stickied,,,,,,,,,,,, +scrawl,,,scrawls,,scrawling,,,,,scrawled,scrawled,,,,,,,,,,,, +revitalize,,,revitalizes,,revitalizing,,,,,revitalized,revitalized,,,,,,,,,,,, +vivify,,,vivifies,,vivifying,,,,,vivified,vivified,,,,,,,,,,,, +ship,,,ships,,shipping,,,,,shipped,shipped,,,,,,,,,,,, +swill,,,swills,,swilling,,,,,swilled,swilled,,,,,,,,,,,, +addle,,,addles,,addling,,,,,addled,addled,,,,,,,,,,,, +shit,,,shits,,shitting,,,,,shit,shit,,,,,,,,,,,, +graft,,,grafts,,grafting,,,,,grafted,grafted,,,,,,,,,,,, +discriminate,,,discriminates,,discriminating,,,,,discriminated,discriminated,,,,,,,,,,,, +disaccord,,,disaccords,,disaccording,,,,,disaccorded,disaccorded,,,,,,,,,,,, +excel,,,excels,,excelling,,,,,excelled,excelled,,,,,,,,,,,, +maledict,,,maledicts,,maledicting,,,,,maledicted,maledicted,,,,,,,,,,,, +congeal,,,congeals,,congealing,,,,,congealed,congealed,,,,,,,,,,,, +warehouse,,,warehouses,,warehousing,,,,,warehoused,warehoused,,,,,,,,,,,, +interlard,,,interlards,,interlarding,,,,,interlarded,interlarded,,,,,,,,,,,, +garland,,,garlands,,garlanding,,,,,garlanded,garlanded,,,,,,,,,,,, +handicap,,,handicaps,,handicapping,,,,,handicapped,handicapped,,,,,,,,,,,, +bilge,,,bilges,,bilging,,,,,bilged,bilged,,,,,,,,,,,, +slink,,,slinks,,slinking,,,,,slunk,slunk,,,,,,,,,,,, +diet,,,diets,,dieting,,,,,dieted,dieted,,,,,,,,,,,, +infatuate,,,infatuates,,infatuating,,,,,infatuated,infatuated,,,,,,,,,,,, +journey,,,journeys,,journeying,,,,,journeyed,journeyed,,,,,,,,,,,, +reign,,,reigns,,reigning,,,,,reigned,reigned,,,,,,,,,,,, +skinpop,,,skinpops,,skinpopping,,,,,skinpopped,skinpopped,,,,,,,,,,,, +weekend,,,weekends,,weekending,,,,,weekended,weekended,,,,,,,,,,,, +endamage,,,endamages,,endamaging,,,,,endamaged,endamaged,,,,,,,,,,,, +derail,,,derails,,derailing,,,,,derailed,derailed,,,,,,,,,,,, +assume,,,assumes,,assuming,,,,,assumed,assumed,,,,,,,,,,,, +jacket,,,jackets,,jacketing,,,,,jacketed,jacketed,,,,,,,,,,,, +reroute,,,reroutes,,rerouting,,,,,rerouted,rerouted,,,,,,,,,,,, +meander,,,meanders,,meandering,,,,,meandered,meandered,,,,,,,,,,,, +decelerate,,,decelerates,,decelerating,,,,,decelerated,decelerated,,,,,,,,,,,, +camber,,,cambers,,cambering,,,,,cambered,cambered,,,,,,,,,,,, +befriend,,,befriends,,befriending,,,,,befriended,befriended,,,,,,,,,,,, +revoke,,,revokes,,revoking,,,,,revoked,revoked,,,,,,,,,,,, +fletch,,,fletches,,fletching,,,,,fletched,fletched,,,,,,,,,,,, +skip,,,skips,,skipping,,,,,skipped,skipped,,,,,,,,,,,, +relieve,,,relieves,,relieving,,,,,relieved,relieved,,,,,,,,,,,, +peruse,,,peruses,,perusing,,,,,perused,perused,,,,,,,,,,,, +invent,,,invents,,inventing,,,,,invented,invented,,,,,,,,,,,, +doubletongue,,,doubletongues,,doubletonguing,,,,,doubletongued,doubletongued,,,,,,,,,,,, +redouble,,,redoubles,,redoubling,,,,,redoubled,redoubled,,,,,,,,,,,, +skin,,,skins,,skinning,,,,,skinned,skinned,,,,,,,,,,,, +spruik,,,spruiks,,spruiking,,,,,spruiked,spruiked,,,,,,,,,,,, +interdigitate,,,interdigitates,,interdigitating,,,,,interdigitated,interdigitated,,,,,,,,,,,, +smock,,,smocks,,smocking,,,,,smocked,smocked,,,,,,,,,,,, +milk,,,milks,,milking,,,,,milked,milked,,,,,,,,,,,, +skeletonize,,,skeletonizes,,skeletonizing,,,,,skeletonized,skeletonized,,,,,,,,,,,, +sidetrack,,,sidetracks,,side-tracking,,,,,sidetracked,side-tracked,,,,,,,,,,,, +misread,,,misreads,,misreading,,,,,misread,misread,,,,,,,,,,,, +depend,,,depends,,depending,,,,,depended,depended,,,,,,,,,,,, +summersault,,,,,summersaulting,,,,,summersaulted,summersaulted,,,,,,,,,,,, +tariff,,,tariffs,,tariffing,,,,,tariffed,tariffed,,,,,,,,,,,, +swoon,,,swoons,,swooning,,,,,swooned,swooned,,,,,,,,,,,, +father,,,fathers,,fathering,,,,,fathered,fathered,,,,,,,,,,,, +pressgang,,,pressgangs,,pressganging,,,,,pressganged,pressganged,,,,,,,,,,,, +amaze,,,amazes,,amazing,,,,,amazed,amazed,,,,,,,,,,,, +swoop,,,swoops,,swooping,,,,,swooped,swooped,,,,,,,,,,,, +quintuplicate,,,quintuplicates,,quintuplicating,,,,,quintuplicated,quintuplicated,,,,,,,,,,,, +unburden,,,unburdens,,unburdening,,,,,unburdened,unburdened,,,,,,,,,,,, +encircle,,,encircles,,encircling,,,,,encircled,encircled,,,,,,,,,,,, +keck,,,kecks,,kecking,,,,,kecked,kecked,,,,,,,,,,,, +string,,,strings,,stringing,,,,,strung,strung,,,,,,,,,,,, +shoogle,,,shoogles,,shoogling,,,,,shoogled,shoogled,,,,,,,,,,,, +bullyrag,,,bullyrags,,bullyragging,,,,,bullyragged,bullyragged,,,,,,,,,,,, +nationalize,,,nationalizes,,nationalizing,,,,,nationalized,nationalized,,,,,,,,,,,, +Europeanize,,,Europeanizes,,Europeanizing,,,,,Europeanized,Europeanized,,,,,,,,,,,, +lynch,,,lynches,,lynching,,,,,lynched,lynched,,,,,,,,,,,, +jettison,,,jettisons,,jettisoning,,,,,jettisoned,jettisoned,,,,,,,,,,,, +materialize,,,materializes,,materializing,,,,,materialized,materialized,,,,,,,,,,,, +dim,,,dims,,dimming,,,,,dimmed,dimmed,,,,,,,,,,,, +din,,,dins,,dinning,,,,,dinned,dinned,,,,,,,,,,,, +die,,,dies,,dying,,,,,died,died,,,,,,,,,,,, +economize,,,economizes,,economizing,,,,,economized,economized,,,,,,,,,,,, +dig,,,digs,,digging,,,,,dug,dug,,,,,,,,,,,, +dib,,,dibs,,dibbing,,,,,dibbed,dibbed,,,,,,,,,,,, +hooray,,,hoorays,,hooraying,,,,,hoorayed,hoorayed,,,,,,,,,,,, +item,,,items,,iteming,,,,,itemed,itemed,,,,,,,,,,,, +grimace,,,grimaces,,grimacing,,,,,grimaced,grimaced,,,,,,,,,,,, +dip,,,dips,,dipping,,,,,dipped,dipped,,,,,,,,,,,, +round,,,rounds,,rounding,,,,,rounded,rounded,,,,,,,,,,,, +shave,,,shaves,,shaving,,,,,shaved,shaven,,,,,,,,,,,, +overhaul,,,overhauls,,overhauling,,,,,overhauled,overhauled,,,,,,,,,,,, +slake,,,slakes,,slaking,,,,,slaked,slaked,,,,,,,,,,,, +trisect,,,trisects,,trisecting,,,,,trisected,trisected,,,,,,,,,,,, +twaddle,,,twaddles,,twaddling,,,,,twaddled,twaddled,,,,,,,,,,,, +unbar,,,unbars,,unbarring,,,,,unbarred,unbarred,,,,,,,,,,,, +favour,,,favours,,favouring,,,,,favoured,favoured,,,,,,,,,,,, +fillet,,,fillets,,filleting,,,,,filleted,filleted,,,,,,,,,,,, +reunite,,,reunites,,reuniting,,,,,reunited,reunited,,,,,,,,,,,, +suspect,,,suspects,,suspecting,,,,,suspected,suspected,,,,,,,,,,,, +divinize,,,divinizes,,divinizing,,,,,divinized,divinized,,,,,,,,,,,, +extemporize,,,extemporizes,,extemporizing,,,,,extemporized,extemporized,,,,,,,,,,,, +dwarf,,,dwarfs,,dwarfing,,,,,dwarfed,dwarfed,,,,,,,,,,,, +etherealize,,,etherealizes,,etherealizing,,,,,etherealized,etherealized,,,,,,,,,,,, +clerk,,,clerks,,clerking,,,,,clerked,clerked,,,,,,,,,,,, +briquette,,,briquettes,,briquetting,,,,,briquetted,briquetted,,,,,,,,,,,, +overwinter,,,overwinters,,overwintering,,,,,overwintered,overwintered,,,,,,,,,,,, +detest,,,detests,,detesting,,,,,detested,detested,,,,,,,,,,,, +decipher,,,deciphers,,deciphering,,,,,deciphered,deciphered,,,,,,,,,,,, +oversimplify,,,oversimplifies,,oversimplifying,,,,,oversimplified,oversimplified,,,,,,,,,,,, +wait,,,waits,,waiting,,,,,waited,waited,,,,,,,,,,,, +box,,,boxes,,boxing,,,,,boxed,boxed,,,,,,,,,,,, +cuckoo,,,cuckoos,,cuckooing,,,,,cuckooed,cuckooed,,,,,,,,,,,, +bop,,,bops,,bopping,,,,,bopped,bopped,,,,,,,,,,,, +shift,,,shifts,,shifting,,,,,shifted,shifted,,,,,,,,,,,, +bot,,,,,,,,,,,,,,,,,,,,,,, +bow,,,bows,,bowing,,,,,bowed,bowed,,,,,,,,,,,, +dither,,,dithers,,dithering,,,,,dithered,dithered,,,,,,,,,,,, +boo,,,boos,,booing,,,,,booed,booed,,,,,,,,,,,, +bob,,,bobs,,bobbing,,,,,bobbed,bobbed,,,,,,,,,,,, +conglobate,,,conglobates,,conglobating,,,,,conglobated,conglobated,,,,,,,,,,,, +massage,,,massages,,massaging,,,,,massaged,massaged,,,,,,,,,,,, +demodulate,,,demodulates,,demodulating,,,,,demodulated,demodulated,,,,,,,,,,,, +treasure,,,treasures,,treasuring,,,,,treasured,treasured,,,,,,,,,,,, +elect,,,elects,,electing,,,,,elected,elected,,,,,,,,,,,, +stet,,,stets,,stetting,,,,,stetted,stetted,,,,,,,,,,,, +sightread,,,sightreads,,sightreading,,,,,sightread,sightread,,,,,,,,,,,, +supinate,,,supinates,,supinating,,,,,supinated,supinated,,,,,,,,,,,, +quibble,,,quibbles,,quibbling,,,,,quibbled,quibbled,,,,,,,,,,,, +verge,,,verges,,verging,,,,,verged,verged,,,,,,,,,,,, +surmount,,,surmounts,,surmounting,,,,,surmounted,surmounted,,,,,,,,,,,, +tabu,,,tabus,,tabuing,,,,,tabued,tabued,,,,,,,,,,,, +transplant,,,transplants,,transplanting,,,,,transplanted,transplanted,,,,,,,,,,,, +anthropomorphize,,,anthropomorphizes,,anthropomorphizing,,,,,anthropomorphized,anthropomorphized,,,,,,,,,,,, +telpher,,,telphers,,telphering,,,,,telphered,telphered,,,,,,,,,,,, +cocknify,,,cocknifies,,cocknifying,,,,,cocknified,cocknified,,,,,,,,,,,, +confound,,,confounds,,confounding,,,,,confounded,confounded,,,,,,,,,,,, +subtract,,,subtracts,,subtracting,,,,,subtracted,subtracted,,,,,,,,,,,, +visit,,,visits,,visiting,,,,,visited,visited,,,,,,,,,,,, +summersault,,,summersaults,,somersaulting,,,,,somersaulted,somersaulted,,,,,,,,,,,, +encode,,,encodes,,encoding,,,,,encoded,encoded,,,,,,,,,,,, +sharpen,,,sharpens,,sharpening,,,,,sharpened,sharpened,,,,,,,,,,,, +swagger,,,swaggers,,swaggering,,,,,swaggered,swaggered,,,,,,,,,,,, +excide,,,excides,,exciding,,,,,excided,excided,,,,,,,,,,,, +cremate,,,cremates,,cremating,,,,,cremated,cremated,,,,,,,,,,,, +repast,,,repasts,,repasting,,,,,repasted,repasted,,,,,,,,,,,, +pipeline,,,pipelines,,pipelining,,,,,pipelined,pipelined,,,,,,,,,,,, +fly,,,flies,,flying,,,,,flew,flown,,,,,,,,,,,, +demolish,,,demolishes,,demolishing,,,,,demolished,demolished,,,,,,,,,,,, +impel,,,impels,,impelling,,,,,impelled,impelled,,,,,,,,,,,, +sour,,,sours,,souring,,,,,soured,soured,,,,,,,,,,,, +symmetrize,,,symmetrizes,,symmetrizing,,,,,symmetrized,symmetrized,,,,,,,,,,,, +arrive,,,arrives,,arriving,,,,,arrived,arrived,,,,,,,,,,,, +claim,,,claims,,claiming,,,,,claimed,claimed,,,,,,,,,,,, +immortalize,,,immortalizes,,immortalizing,,,,,immortalized,immortalized,,,,,,,,,,,, +intergrade,,,intergrades,,intergrading,,,,,intergraded,intergraded,,,,,,,,,,,, +predict,,,predicts,,predicting,,,,,predicted,predicted,,,,,,,,,,,, +fuck,,,fucks,,fucking,,,,,fucked,fucked,,,,,,,,,,,, +sample,,,samples,,sampling,,,,,sampled,sampled,,,,,,,,,,,, +disbelieve,,,disbelieves,,disbelieving,,,,,disbelieved,disbelieved,,,,,,,,,,,, +craze,,,crazes,,crazing,,,,,crazed,crazed,,,,,,,,,,,, +normalize,,,normalizes,,normalizing,,,,,normalized,normalized,,,,,,,,,,,, +purr,,,purrs,,purring,,,,,purred,purred,,,,,,,,,,,, +shinty,,,shinties,,shintying,,,,,shintied,shintied,,,,,,,,,,,, +tilt,,,tilts,,tilting,,,,,tilted,tilted,,,,,,,,,,,, +ping,,,pings,,pinging,,,,,pinged,pinged,,,,,,,,,,,, +parch,,,parches,,parching,,,,,parched,parched,,,,,,,,,,,, +pine,,,pines,,pining,,,,,pined,pined,,,,,,,,,,,, +till,,,tills,,tilling,,,,,tilled,tilled,,,,,,,,,,,, +tile,,,tiles,,tiling,,,,,tiled,tiled,,,,,,,,,,,, +purl,,,purls,,purling,,,,,purled,purled,,,,,,,,,,,, +map,,,maps,,mapping,,,,,mapped,mapped,,,,,,,,,,,, +mar,,,mars,,marring,,,,,marred,marred,,,,,,,,,,,, +mat,,,mats,,matting,,,,,matted,matted,,,,,,,,,,,, +legislate,,,legislates,,legislating,,,,,legislated,legislated,,,,,,,,,,,, +may,,mayest,,,,,,,,,,mayn't,,,,,,,,,,, +mad,,,mads,,madding,,,,,madded,madded,,,,,,,,,,,, +methylate,,,methylates,,methylating,,,,,methylated,methylated,,,,,,,,,,,, +subrogate,,,subrogates,,subrogating,,,,,subrogated,subrogated,,,,,,,,,,,, +catcall,,,catcalls,,catcalling,,,,,catcalled,catcalled,,,,,,,,,,,, +metricate,,,metricates,,metricating,,,,,metricated,metricated,,,,,,,,,,,, +fossilize,,,fossilizes,,fossilizing,,,,,fossilized,fossilized,,,,,,,,,,,, +itinerate,,,itinerates,,itinerating,,,,,itinerated,itinerated,,,,,,,,,,,, +closeup,,,,,,,,,,,,,,,,,,,,,,, +omen,,,omens,,omening,,,,,omened,omened,,,,,,,,,,,, +perambulate,,,perambulates,,perambulating,,,,,perambulated,perambulated,,,,,,,,,,,, +purify,,,purifies,,purifying,,,,,purified,purified,,,,,,,,,,,, +disembowel,,,disembowels,,disembowelling,,,,,disembowelled,disembowelled,,,,,,,,,,,, +cascade,,,cascades,,cascading,,,,,cascaded,cascaded,,,,,,,,,,,, +absquatulate,,,absquatulates,,absquatulating,,,,,absquatulated,absquatulated,,,,,,,,,,,, +jail,,,jails,,jailing,,,,,jailed,jailed,,,,,,,,,,,, +deposit,,,deposits,,depositing,,,,,deposited,deposited,,,,,,,,,,,, +deceive,,,deceives,,deceiving,,,,,deceived,deceived,,,,,,,,,,,, +unleash,,,unleashes,,unleashing,,,,,unleashed,unleashed,,,,,,,,,,,, +tawse,,,tawses,,tawsing,,,,,tawsed,tawsed,,,,,,,,,,,, +bungle,,,bungles,,bungling,,,,,bungled,bungled,,,,,,,,,,,, +gesture,,,gestures,,gesturing,,,,,gestured,gestured,,,,,,,,,,,, +uncork,,,uncorks,,uncorking,,,,,uncorked,uncorked,,,,,,,,,,,, +shop-lift,,,shop-lifts,,shop-lifting,,,,,shop-lifted,shop-lifted,,,,,,,,,,,, +shield,,,shields,,shielding,,,,,shielded,shielded,,,,,,,,,,,, +re-sign,,,re-signs,,re-signing,,,,,re-signed,re-signed,,,,,,,,,,,, +clubhaul,,,clubhauls,,clubhauling,,,,,clubhauled,clubhauled,,,,,,,,,,,, +recoup,,,recoups,,recouping,,,,,recouped,recouped,,,,,,,,,,,, +terrace,,,terraces,,terracing,,,,,terraced,terraced,,,,,,,,,,,, +pitch,,,pitches,,pitching,,,,,pitched,pitched,,,,,,,,,,,, +equip,,,equips,,equipping,,,,,equipped,equipped,,,,,,,,,,,, +grout,,,grouts,,grouting,,,,,grouted,grouted,,,,,,,,,,,, +outbrave,,,outbraves,,outbraving,,,,,outbraved,outbraved,,,,,,,,,,,, +group,,,groups,,grouping,,,,,grouped,grouped,,,,,,,,,,,, +monitor,,,monitors,,monitoring,,,,,monitored,monitored,,,,,,,,,,,, +gibbet,,,gibbets,,gibbeting,,,,,gibbeted,gibbeted,,,,,,,,,,,, +tellurize,,,tellurizes,,tellurizing,,,,,tellurized,tellurized,,,,,,,,,,,, +maim,,,maims,,maiming,,,,,maimed,maimed,,,,,,,,,,,, +mail,,,mails,,mailing,,,,,mailed,mailed,,,,,,,,,,,, +enfeoff,,,enfeoffs,,enfeoffing,,,,,enfeoffed,enfeoffed,,,,,,,,,,,, +mollycoddle,,,mollycoddles,,mollycoddling,,,,,mollycoddled,mollycoddled,,,,,,,,,,,, +finance,,,finances,,financing,,,,,financed,financed,,,,,,,,,,,, +shatter,,,shatters,,shattering,,,,,shattered,shattered,,,,,,,,,,,, +emplane,,,emplanes,,emplaning,,,,,emplaned,emplaned,,,,,,,,,,,, +tucker,,,tuckers,,tuckering,,,,,tuckered,tuckered,,,,,,,,,,,, +lunch,,,lunches,,lunching,,,,,lunched,lunched,,,,,,,,,,,, +titillate,,,titillates,,titillating,,,,,titillated,titillated,,,,,,,,,,,, +bullshit,,,bullshits,,bullshitting,,,,,bullshitted,bullshitted,,,,,,,,,,,, +possess,,,possesses,,possessing,,,,,possessed,possessed,,,,,,,,,,,, +outweigh,,,outweighs,,outweighing,,,,,outweighed,outweighed,,,,,,,,,,,, +fudge,,,fudges,,fudging,,,,,fudged,fudged,,,,,,,,,,,, +promulgate,,,promulgates,,promulgating,,,,,promulgated,promulgated,,,,,,,,,,,, +gamble,,,gambles,,gambling,,,,,gambled,gambled,,,,,,,,,,,, +rock,,,rocks,,rocking,,,,,rocked,rocked,,,,,,,,,,,, +hijack,,,hijacks,,hijacking,,,,,hijacked,hijacked,,,,,,,,,,,, +redraw,,,redraws,,redrawing,,,,,redrawed,redrawed,,,,,,,,,,,, +precancel,,,precancels,,precancelling,,,,,precancelled,precancelled,,,,,,,,,,,, +surfeit,,,surfeits,,surfeiting,,,,,surfeited,surfeited,,,,,,,,,,,, +nonpros,,,nonprosses,,nonprossing,,,,,nonprossed,nonprossed,,,,,,,,,,,, +gird,,,girds,,girding,,,,,girt,girt,,,,,,,,,,,, +unclasp,,,unclasps,,unclasping,,,,,unclasped,unclasped,,,,,,,,,,,, +obsolesce,,,obsolesces,,obsolescing,,,,,obsolesced,obsolesced,,,,,,,,,,,, +despumate,,,despumates,,despumating,,,,,despumated,despumated,,,,,,,,,,,, +relive,,,relives,,reliving,,,,,relived,relived,,,,,,,,,,,, +stitch,,,stitches,,stitching,,,,,stitched,stitched,,,,,,,,,,,, +undulate,,,undulates,,undulating,,,,,undulated,undulated,,,,,,,,,,,, +bitch,,,bitches,,bitching,,,,,bitched,bitched,,,,,,,,,,,, +unlimber,,,unlimbers,,unlimbering,,,,,unlimbered,unlimbered,,,,,,,,,,,, +blubber,,,blubbers,,blubbering,,,,,blubbered,blubbered,,,,,,,,,,,, +dominate,,,dominates,,dominating,,,,,dominated,dominated,,,,,,,,,,,, +correct,,,corrects,,correcting,,,,,corrected,corrected,,,,,,,,,,,, +ammoniate,,,ammoniates,,ammoniating,,,,,ammoniated,ammoniated,,,,,,,,,,,, +smatter,,,smatters,,smattering,,,,,smattered,smattered,,,,,,,,,,,, +smudge,,,smudges,,smudging,,,,,smudged,smudged,,,,,,,,,,,, +doublespace,,,doublespaces,,doublespacing,,,,,doublespaced,doublespaced,,,,,,,,,,,, +previse,,,previses,,prevising,,,,,prevised,prevised,,,,,,,,,,,, +spiel,,,spiels,,spieling,,,,,spieled,spieled,,,,,,,,,,,, +baptize,,,baptizes,,baptizing,,,,,baptized,baptized,,,,,,,,,,,, +fluidize,,,fluidizes,,fluidizing,,,,,fluidized,fluidized,,,,,,,,,,,, +uncover,,,uncovers,,uncovering,,,,,uncovered,uncovered,,,,,,,,,,,, +jaywalk,,,jaywalks,,jaywalking,,,,,jaywalked,jaywalked,,,,,,,,,,,, +cough,,,coughs,,coughing,,,,,coughed,coughed,,,,,,,,,,,, +orb,,,orbs,,orbing,,,,,orbed,orbed,,,,,,,,,,,, +advance,,,advances,,advancing,,,,,advanced,advanced,,,,,,,,,,,, +pollard,,,pollards,,pollarding,,,,,pollarded,pollarded,,,,,,,,,,,, +corrugate,,,corrugates,,corrugating,,,,,corrugated,corrugated,,,,,,,,,,,, +think,,,thinks,,thinking,,,,,thought,thought,,,,,,,,,,,, +frequent,,,frequents,,frequenting,,,,,frequented,frequented,,,,,,,,,,,, +layer,,,lays,,laying,,,,,laid,laid,,,,,,,,,,,, +cheese,,,,,cheesing,,,,,cheesed,cheesed,,,,,,,,,,,, +commercialize,,,commercializes,,commercializing,,,,,commercialized,commercialized,,,,,,,,,,,, +crib,,,cribs,,cribbing,,,,,cribbed,cribbed,,,,,,,,,,,, +disburse,,,disburses,,disbursing,,,,,disbursed,disbursed,,,,,,,,,,,, +long,,,longs,,longing,,,,,longed,longed,,,,,,,,,,,, +carry,,,carries,,carrying,,,,,carried,carried,,,,,,,,,,,, +cloture,,,clotures,,cloturing,,,,,clotured,clotured,,,,,,,,,,,, +basify,,,basifies,,basifying,,,,,basified,basified,,,,,,,,,,,, +interchange,,,interchanges,,interchanging,,,,,interchanged,interchanged,,,,,,,,,,,, +lap,,,laps,,lapping,,,,,lapped,lapped,,,,,,,,,,,, +lambaste,,,lambasts,,lambasting,,,,,lambasted,lambasted,,,,,,,,,,,, +escort,,,escorts,,escorting,,,,,escorted,escorted,,,,,,,,,,,, +artificialize,,,artificializes,,artificializing,,,,,artificialized,artificialized,,,,,,,,,,,, +daunt,,,daunts,,daunting,,,,,daunted,daunted,,,,,,,,,,,, +repatriate,,,repatriates,,repatriating,,,,,repatriated,repatriated,,,,,,,,,,,, +broadcast,,,broadcasts,,broadcasting,,,,,broadcasted,broadcasted,,,,,,,,,,,, +interdict,,,interdicts,,interdicting,,,,,interdicted,interdicted,,,,,,,,,,,, +butt,,,butts,,butting,,,,,butted,butted,,,,,,,,,,,, +blackguard,,,blackguards,,blackguarding,,,,,blackguarded,blackguarded,,,,,,,,,,,, +hemstitch,,,hemstitches,,hemstitching,,,,,hemstitched,hemstitched,,,,,,,,,,,, +infiltrate,,,infiltrates,,infiltrating,,,,,infiltrated,infiltrated,,,,,,,,,,,, +deafen,,,deafens,,deafening,,,,,deafened,deafened,,,,,,,,,,,, +graphitize,,,graphitizes,,graphitizing,,,,,graphitized,graphitized,,,,,,,,,,,, +gotta,,,,,,,,,,,gotta,,,,,,,,,,,, +underprice,,,underprices,,underpricing,,,,,underpriced,underpriced,,,,,,,,,,,, +venture,,,ventures,,venturing,,,,,ventured,ventured,,,,,,,,,,,, +proofread,,,proofreads,,proofreading,,,,,proofread,proofread,,,,,,,,,,,, +lullaby,,,lullabies,,lullabying,,,,,lullabied,lullabied,,,,,,,,,,,, +lick,,,licks,,licking,,,,,licked,licked,,,,,,,,,,,, +capsize,,,capsizes,,capsizing,,,,,capsized,capsized,,,,,,,,,,,, +stereochrome,,,stereochromes,,stereochroming,,,,,stereochromed,stereochromed,,,,,,,,,,,, +tantalize,,,tantalizes,,tantalizing,,,,,tantalized,tantalized,,,,,,,,,,,, +retort,,,retorts,,retorting,,,,,retorted,retorted,,,,,,,,,,,, +seal,,,seals,,sealing,,,,,sealed,sealed,,,,,,,,,,,, +dash,,,dashes,,dashing,,,,,dashed,dashed,,,,,,,,,,,, +sulk,,,sulks,,sulking,,,,,sulked,sulked,,,,,,,,,,,, +mechanize,,,mechanizes,,mechanizing,,,,,mechanized,mechanized,,,,,,,,,,,, +calendar,,,calendars,,calendaring,,,,,calendared,calendared,,,,,,,,,,,, +squat,,,squats,,squatting,,,,,squatted,squatted,,,,,,,,,,,, +isolate,,,isolates,,isolating,,,,,isolated,isolated,,,,,,,,,,,, +clunk,,,clunks,,clunking,,,,,clunked,clunked,,,,,,,,,,,, +canton,,,cantons,,cantoning,,,,,cantoned,cantoned,,,,,,,,,,,, +channel,,,channels,,channelling,,,,,channelled,channelled,,,,,,,,,,,, +pain,,,pains,,paining,,,,,pained,pained,,,,,,,,,,,, +trace,,,traces,,tracing,,,,,traced,traced,,,,,,,,,,,, +roster,,,rosters,,rostering,,,,,rostered,rostered,,,,,,,,,,,, +track,,,tracks,,tracking,,,,,tracked,tracked,,,,,,,,,,,, +baize,,,baizes,,baizing,,,,,baized,baized,,,,,,,,,,,, +zigzag,,,zigzags,,zigzagging,,,,,zigzagged,zigzagged,,,,,,,,,,,, +assault,,,assaults,,assaulting,,,,,assaulted,assaulted,,,,,,,,,,,, +barrage,,,barrages,,barraging,,,,,barraged,barraged,,,,,,,,,,,, +inspirit,,,inspirits,,inspiriting,,,,,inspirited,inspirited,,,,,,,,,,,, +pair,,,pairs,,pairing,,,,,paired,paired,,,,,,,,,,,, +marginate,,,marginates,,marginating,,,,,marginated,marginated,,,,,,,,,,,, +typeset,,,typesets,,typesetting,,,,,typeset,typeset,,,,,,,,,,,, +scowl,,,scowls,,scowling,,,,,scowled,scowled,,,,,,,,,,,, +voodoo,,,voodoos,,voodooing,,,,,voodooed,voodooed,,,,,,,,,,,, +reed,,,reeds,,reeding,,,,,reeded,reeded,,,,,,,,,,,, +unstep,,,unsteps,,unstepping,,,,,unstepped,unstepped,,,,,,,,,,,, +shop,,,shops,,shopping,,,,,shopped,shopped,,,,,,,,,,,, +flyfish,,,flyfishes,,flyfishing,,,,,flyfished,flyfished,,,,,,,,,,,, +shot,,,,,,,,,,shot,shot,,,,,,,,,,,, +show,,,shows,,showing,,,,,showed,shown,,,,,,,,,,,, +Prussianize,,,Prussianizes,,Prussianizing,,,,,Prussianized,Prussianized,,,,,,,,,,,, +accession,,,accessions,,accessioning,,,,,accessioned,accessioned,,,,,,,,,,,, +elevate,,,elevates,,elevating,,,,,elevated,elevated,,,,,,,,,,,, +revest,,,revests,,revesting,,,,,revested,revested,,,,,,,,,,,, +premonish,,,premonishes,,premonishing,,,,,premonished,premonished,,,,,,,,,,,, +shoe,,,shoes,,shoeing,,,,,shod,shod,,,,,,,,,,,, +disunite,,,disunites,,disuniting,,,,,disunited,disunited,,,,,,,,,,,, +estop,,,estops,,estopping,,,,,estopped,estopped,,,,,,,,,,,, +corner,,,corners,,cornering,,,,,cornered,cornered,,,,,,,,,,,, +forecast,,,forecasts,,forecasting,,,,,forecasted,forecasted,,,,,,,,,,,, +shoo,,,shoos,,shooing,,,,,shooed,shooed,,,,,,,,,,,, +fend,,,fends,,fending,,,,,fended,fended,,,,,,,,,,,, +dice,,,dices,,dicing,,,,,diced,diced,,,,,,,,,,,, +plume,,,plumes,,pluming,,,,,plumed,plumed,,,,,,,,,,,, +machinate,,,machinates,,machinating,,,,,machinated,machinated,,,,,,,,,,,, +plumb,,,plumbs,,plumbing,,,,,plumbed,plumbed,,,,,,,,,,,, +re-create,,,re-creates,,re-creating,,,,,recreated,re-created,,,,,,,,,,,, +manoeuvre,,,manoeuvres,,manoeuvring,,,,,manoeuvred,manoeuvred,,,,,,,,,,,, +black,,,blacks,,,,,,,,,,,,,,,,,,,, +mistranslate,,,mistranslates,,mistranslating,,,,,mistranslated,mistranslated,,,,,,,,,,,, +travesty,,,travesties,,travestying,,,,,travestied,travestied,,,,,,,,,,,, +plump,,,plumps,,plumping,,,,,plumped,plumped,,,,,,,,,,,, +programtrade,,,programtrades,,programtrading,,,,,programtraded,programtraded,,,,,,,,,,,, +dulcify,,,dulcifies,,dulcifying,,,,,dulcified,dulcified,,,,,,,,,,,, +esterify,,,esterifies,,esterifying,,,,,esterified,esterified,,,,,,,,,,,, +get,,,gets,,getting,,,,,got,gotten,,,,,,,,,,,, +stomp,,,stomps,,stomping,,,,,stomped,stomped,,,,,,,,,,,, +grubstake,,,grubstakes,,grubstaking,,,,,grubstaked,grubstaked,,,,,,,,,,,, +gee,,,gees,,geing,,,,,geed,geed,,,,,,,,,,,, +poleaxe,,,,,poleaxeing,,,,,poleaxeed,poleaxeed,,,,,,,,,,,, +wheeze,,,wheezes,,wheezing,,,,,wheezed,wheezed,,,,,,,,,,,, +gibber,,,gibbers,,gibbering,,,,,gibbered,gibbered,,,,,,,,,,,, +hyphenate,,,hyphenates,,hyphening,,,,,hyphened,hyphened,,,,,,,,,,,, +gem,,,gems,,gemming,,,,,gemmed,gemmed,,,,,,,,,,,, +disinherit,,,disinherits,,disinheriting,,,,,disinherited,disinherited,,,,,,,,,,,, +beseech,,,beseeches,,beseeching,,,,,besought,besought,,,,,,,,,,,, +harbinger,,,harbingers,,harbingering,,,,,harbingered,harbingered,,,,,,,,,,,, +shadowbox,,,shadowboxes,,shadowboxing,,,,,shadowboxed,shadowboxed,,,,,,,,,,,, +overmatch,,,overmatches,,overmatching,,,,,overmatched,overmatched,,,,,,,,,,,, +gammon,,,gammons,,gammoning,,,,,gammoned,gammoned,,,,,,,,,,,, +tallow,,,tallows,,tallowing,,,,,tallowed,tallowed,,,,,,,,,,,, +consubstantiate,,,consubstantiates,,consubstantiating,,,,,consubstantiated,consubstantiated,,,,,,,,,,,, +kernel,,,kernels,,kernelling,,,,,kernelled,kernelled,,,,,,,,,,,, +fixate,,,fixates,,fixating,,,,,fixated,fixated,,,,,,,,,,,, +seat,,,seats,,seating,,,,,seated,seated,,,,,,,,,,,, +seam,,,seams,,seaming,,,,,seamed,seamed,,,,,,,,,,,, +misconduct,,,misconducts,,misconducting,,,,,misconducted,misconducted,,,,,,,,,,,, +pebble,,,pebbles,,pebbling,,,,,pebbled,pebbled,,,,,,,,,,,, +adjudge,,,adjudges,,adjudging,,,,,adjudged,adjudged,,,,,,,,,,,, +wonder,,,wonders,,wondering,,,,,wondered,wondered,,,,,,,,,,,, +limber,,,limbers,,limbering,,,,,limbered,limbered,,,,,,,,,,,, +ornament,,,ornaments,,ornamenting,,,,,ornamented,ornamented,,,,,,,,,,,, +ideate,,,ideates,,ideating,,,,,ideated,ideated,,,,,,,,,,,, +label,,,labels,,labelling,,,,,labelled,labelled,,,,,,,,,,,, +pump,,,pumps,,pumping,,,,,pumped,pumped,,,,,,,,,,,, +satiate,,,satiates,,satiating,,,,,satiated,satiated,,,,,,,,,,,, +tup,,,tups,,tupping,,,,,tupped,tupped,,,,,,,,,,,, +tut,,,tuts,,tutting,,,,,tutted,tutted,,,,,,,,,,,, +countenance,,,countenances,,countenancing,,,,,countenanced,countenanced,,,,,,,,,,,, +tun,,,tuns,,tunning,,,,,tunned,tunned,,,,,,,,,,,, +tub,,,tubs,,tubbing,,,,,tubbed,tubbed,,,,,,,,,,,, +tug,,,tugs,,tugging,,,,,tugged,tugged,,,,,,,,,,,, +librate,,,librates,,librating,,,,,librated,librated,,,,,,,,,,,, +tonsure,,,tonsures,,tonsuring,,,,,tonsured,tonsured,,,,,,,,,,,, +hoke,,,hokes,,hoking,,,,,hoked,hoked,,,,,,,,,,,, +fulminate,,,fulminates,,fulminating,,,,,fulminated,fulminated,,,,,,,,,,,, +dedicate,,,dedicates,,dedicating,,,,,dedicated,dedicated,,,,,,,,,,,, +tour,,,tours,,touring,,,,,toured,toured,,,,,,,,,,,, +tout,,,touts,,touting,,,,,touted,touted,,,,,,,,,,,, +remake,,,remakes,,remaking,,,,,remade,remade,,,,,,,,,,,, +valorize,,,valorizes,,valorizing,,,,,valorized,valorized,,,,,,,,,,,, +shikar,,,shikars,,shikarring,,,,,shikarred,shikarred,,,,,,,,,,,, +aboutface,,,aboutfaces,,aboutfacing,,,,,aboutfaced,aboutfaced,,,,,,,,,,,, +spank,,,spanks,,spanking,,,,,spanked,spanked,,,,,,,,,,,, +uncouple,,,uncouples,,uncoupling,,,,,uncoupled,uncoupled,,,,,,,,,,,, +cancel,,,cancels,,cancelling,,,,,cancelled,cancelled,,,,,,,,,,,, +undock,,,undocks,,undocking,,,,,undocked,undocked,,,,,,,,,,,, +tinkle,,,tinkles,,tinkling,,,,,tinkled,tinkled,,,,,,,,,,,, +sned,,,sneds,,snedding,,,,,snedded,snedded,,,,,,,,,,,, +intrude,,,intrudes,,intruding,,,,,intruded,intruded,,,,,,,,,,,, +caricature,,,caricatures,,caricaturing,,,,,caricatured,caricatured,,,,,,,,,,,, +tramp,,,tramps,,tramping,,,,,tramped,tramped,,,,,,,,,,,, +marl,,,marls,,marling,,,,,marled,marled,,,,,,,,,,,, +wobble,,,wobbles,,wobbling,,,,,wobbled,wobbled,,,,,,,,,,,, +certify,,,certifies,,certifying,,,,,certified,certified,,,,,,,,,,,, +mark,,,marks,,marking,,,,,marked,marked,,,,,,,,,,,, +understate,,,understates,,understating,,,,,understated,understated,,,,,,,,,,,, +sentinel,,,sentinels,,sentineling,,,,,sentineled,sentineled,,,,,,,,,,,, +clepe,,,clepes,,cleping,,,,,yclept,yclept,,,,,,,,,,,, +squash,,,squashes,,squashing,,,,,squashed,squashed,,,,,,,,,,,, +disesteem,,,disesteems,,disesteeming,,,,,disesteemed,disesteemed,,,,,,,,,,,, +deconsecrate,,,deconsecrates,,deconsecrating,,,,,deconsecrated,deconsecrated,,,,,,,,,,,, +wake,,,wakes,,waking,,,,,woke,woken,,,,,,,,,,,, +overdose,,,overdoses,,overdosing,,,,,overdosed,overdosed,,,,,,,,,,,, +sound,,,sounds,,sounding,,,,,sounded,sounded,,,,,,,,,,,, +gloze,,,glozes,,glozing,,,,,glozed,glozed,,,,,,,,,,,, +master-mind,,,master-minds,,master-minding,,,,,masterminded,master-minded,,,,,,,,,,,, +invigorate,,,invigorates,,invigorating,,,,,invigorated,invigorated,,,,,,,,,,,, +slumber,,,slumbers,,slumbering,,,,,slumbered,slumbered,,,,,,,,,,,, +tuck,,,tucks,,tucking,,,,,tucked,tucked,,,,,,,,,,,, +cannonade,,,cannonades,,cannonading,,,,,cannonaded,cannonaded,,,,,,,,,,,, +compile,,,compiles,,compiling,,,,,compiled,compiled,,,,,,,,,,,, +cock,,,cocks,,cocking,,,,,cocked,cocked,,,,,,,,,,,, +huckster,,,hucksters,,huckstering,,,,,huckstered,huckstered,,,,,,,,,,,, +bathe,,,bathes,,bathing,,,,,bathed,bathed,,,,,,,,,,,, +hedge-hop,,,hedge-hops,,hedgehopping,,,,,hedgehopped,hedge-hopped,,,,,,,,,,,, +marcel,,,marcels,,marcelling,,,,,marcelled,marcelled,,,,,,,,,,,, +cluster,,,clusters,,clustering,,,,,clustered,clustered,,,,,,,,,,,, +idolatrize,,,idolatrizes,,idolatrizing,,,,,idolatrized,idolatrized,,,,,,,,,,,, +pat,,,pats,,patting,,,,,patted,patted,,,,,,,,,,,, +doctor,,,doctors,,doctoring,,,,,doctored,doctored,,,,,,,,,,,, +pay,,,pays,,paying,,,,,payed,payed,,,,,,,,,,,, +lave,,,laves,,laving,,,,,laved,laved,,,,,,,,,,,, +demur,,,demurs,,demurring,,,,,demurred,demurred,,,,,,,,,,,, +pad,,,pads,,padding,,,,,padded,padded,,,,,,,,,,,, +pal,,,pals,,palling,,,,,palled,palled,,,,,,,,,,,, +pan,,,pans,,panning,,,,,panned,panned,,,,,,,,,,,, +spring-clean,,,spring-cleans,,spring-cleaning,,,,,spring-cleaned,spring-cleaned,,,,,,,,,,,, +exhaust,,,exhausts,,exhausting,,,,,exhausted,exhausted,,,,,,,,,,,, +oil,,,oils,,oiling,,,,,oiled,oiled,,,,,,,,,,,, +assist,,,assists,,assisting,,,,,assisted,assisted,,,,,,,,,,,, +munch,,,munches,,munching,,,,,munched,munched,,,,,,,,,,,, +cauterize,,,cauterizes,,cauterizing,,,,,cauterized,cauterized,,,,,,,,,,,, +companion,,,companions,,companioning,,,,,companioned,companioned,,,,,,,,,,,, +steamroller,,,steamrollers,,steam-rollering,,,,,steamrollered,steam-rollered,,,,,,,,,,,, +adjure,,,adjures,,adjuring,,,,,adjured,adjured,,,,,,,,,,,, +weave,,,weaves,,weaving,,,,,wove,woven,,,,,,,,,,,, +countermarch,,,countermarches,,countermarching,,,,,countermarched,countermarched,,,,,,,,,,,, +drain,,,drains,,draining,,,,,drained,drained,,,,,,,,,,,, +suffuse,,,suffuses,,suffusing,,,,,suffused,suffused,,,,,,,,,,,, +strickle,,,strickles,,strickling,,,,,strickled,strickled,,,,,,,,,,,, +solve,,,solves,,solving,,,,,solved,solved,,,,,,,,,,,, +bottle,,,bottles,,bottling,,,,,bottled,bottled,,,,,,,,,,,, +soundproof,,,soundproofs,,soundproofing,,,,,soundproofed,soundproofed,,,,,,,,,,,, +parody,,,parodys,,parodying,,,,,parodied,parodied,,,,,,,,,,,, +overprint,,,overprints,,overprinting,,,,,overprinted,overprinted,,,,,,,,,,,, +fume,,,fumes,,fuming,,,,,fumed,fumed,,,,,,,,,,,, +superinduce,,,superinduces,,superinducing,,,,,superinduced,superinduced,,,,,,,,,,,, +imprint,,,imprints,,imprinting,,,,,imprinted,imprinted,,,,,,,,,,,, +griddle,,,griddles,,griddling,,,,,griddled,griddled,,,,,,,,,,,, +sinter,,,sinters,,sintering,,,,,sintered,sintered,,,,,,,,,,,, +prill,,,prills,,prilling,,,,,prilled,prilled,,,,,,,,,,,, +ski-jump,,,ski-jumps,,ski-jumping,,,,,ski-jumped,ski-jumped,,,,,,,,,,,, +forgo,,,forgoes,,forgoing,,,,,forwent,forgone,,,,,,,,,,,, +beagle,,,beagles,,beagling,,,,,beagled,beagled,,,,,,,,,,,, +pile,,,piles,,piling,,,,,piled,piled,,,,,,,,,,,, +decalcify,,,decalcifies,,decalcifying,,,,,decalcified,decalcified,,,,,,,,,,,, +eviscerate,,,eviscerates,,eviscerating,,,,,eviscerated,eviscerated,,,,,,,,,,,, +pill,,,pills,,pilling,,,,,pilled,pilled,,,,,,,,,,,, +grip,,,grips,,gripping,,,,,gript,gript,,,,,,,,,,,, +zugzwang,,,zugzwangs,,zugzwanging,,,,,zugzwanged,zugzwanged,,,,,,,,,,,, +grit,,,grits,,gritting,,,,,gritted,gritted,,,,,,,,,,,, +mop,,,mops,,mopping,,,,,mopped,mopped,,,,,,,,,,,, +mow,,,mows,,mowing,,,,,mowed,mown,,,,,,,,,,,, +moo,,,moos,,mooing,,,,,mooed,mooed,,,,,,,,,,,, +mob,,,mobs,,mobbing,,,,,mobbed,mobbed,,,,,,,,,,,, +railroad,,,,,railroading,,,,,railroaded,railroaded,,,,,,,,,,,, +implicate,,,implicates,,implicating,,,,,implicated,implicated,,,,,,,,,,,, +grin,,,grins,,grinning,,,,,grinned,grinned,,,,,,,,,,,, +militarize,,,militarizes,,militarizing,,,,,militarized,militarized,,,,,,,,,,,, +first-foot,,,first-foots,,first-footing,,,,,first-footed,first-footed,,,,,,,,,,,, +chamber,,,chambers,,chambering,,,,,chambered,chambered,,,,,,,,,,,, +nose,,,noses,,nosing,,,,,nosed,nosed,,,,,,,,,,,, +nosh,,,noshes,,noshing,,,,,noshed,noshed,,,,,,,,,,,, +overpitch,,,overpitches,,overpitching,,,,,overpitched,overpitched,,,,,,,,,,,, +afflict,,,afflicts,,afflicting,,,,,afflicted,afflicted,,,,,,,,,,,, +re-press,,,re-presses,,re-pressing,,,,,repressed,re-pressed,,,,,,,,,,,, +commandeer,,,commandeers,,commandeering,,,,,commandeered,commandeered,,,,,,,,,,,, +ascend,,,ascends,,ascending,,,,,ascended,ascended,,,,,,,,,,,, +dole,,,doles,,doling,,,,,doled,doled,,,,,,,,,,,, +impolder,,,impolders,,impoldering,,,,,impoldered,impoldered,,,,,,,,,,,, +erase,,,erases,,erasing,,,,,erased,erased,,,,,,,,,,,, +pasture,,,pastures,,pasturing,,,,,pastured,pastured,,,,,,,,,,,, +gross,,,grosses,,grossing,,,,,grossed,grossed,,,,,,,,,,,, +skelly,,,skellies,,skellying,,,,,skellied,skellied,,,,,,,,,,,, +confirm,,,confirms,,confirming,,,,,confirmed,confirmed,,,,,,,,,,,, +ruggedize,,,ruggedizes,,ruggedizing,,,,,ruggedized,ruggedized,,,,,,,,,,,, +trow,,,trows,,trowing,,,,,trowed,trowed,,,,,,,,,,,, +pioneer,,,pioneers,,pioneering,,,,,pioneered,pioneered,,,,,,,,,,,, +inject,,,injects,,injecting,,,,,injected,injected,,,,,,,,,,,, +gladden,,,gladdens,,gladdening,,,,,gladdened,gladdened,,,,,,,,,,,, +moderate,,,moderates,,moderating,,,,,moderated,moderated,,,,,,,,,,,, +knife,,,knifes,,knifing,,,,,knifed,knifed,,,,,,,,,,,, +squall,,,squalls,,squalling,,,,,squalled,squalled,,,,,,,,,,,, +giggle,,,giggles,,giggling,,,,,giggled,giggled,,,,,,,,,,,, +chirp,,,chirps,,chirping,,,,,chirped,chirped,,,,,,,,,,,, +roar,,,roars,,roaring,,,,,roared,roared,,,,,,,,,,,, +island,,,islands,,islanding,,,,,islanded,islanded,,,,,,,,,,,, +fringe,,,fringes,,fringing,,,,,fringed,fringed,,,,,,,,,,,, +thrive,,,thrives,,thriving,,,,,thrived,thriven,,,,,,,,,,,, +lithograph,,,lithographs,,lithographing,,,,,lithographed,lithographed,,,,,,,,,,,, +solidify,,,solidifies,,solidifying,,,,,solidified,solidified,,,,,,,,,,,, +roam,,,roams,,roaming,,,,,roamed,roamed,,,,,,,,,,,, +remonetize,,,remonetizes,,remonetizing,,,,,remonetized,remonetized,,,,,,,,,,,, +repine,,,repines,,repining,,,,,repined,repined,,,,,,,,,,,, +dagger,,,daggers,,daggering,,,,,daggered,daggered,,,,,,,,,,,, +prohibit,,,prohibits,,prohibiting,,,,,prohibited,prohibited,,,,,,,,,,,, +actuate,,,actuates,,actuating,,,,,actuated,actuated,,,,,,,,,,,, +harness,,,harnesses,,harnessing,,,,,harnessed,harnessed,,,,,,,,,,,, +whiten,,,whitens,,whitening,,,,,whitened,whitened,,,,,,,,,,,, +strip,,,strips,,stripping,,,,,stripped,stripped,,,,,,,,,,,, +spline,,,splines,,splining,,,,,splined,splined,,,,,,,,,,,, +purfle,,,purfles,,purfling,,,,,purfled,purfled,,,,,,,,,,,, +bedim,,,bedims,,bedimming,,,,,bedimmed,bedimmed,,,,,,,,,,,, +enroot,,,enroots,,enrooting,,,,,enrooted,enrooted,,,,,,,,,,,, +vaporize,,,vaporizes,,vaporizing,,,,,vaporized,vaporized,,,,,,,,,,,, +madden,,,maddens,,maddening,,,,,maddened,maddened,,,,,,,,,,,, +decode,,,decodes,,decoding,,,,,decoded,decoded,,,,,,,,,,,, +galvanize,,,galvanizes,,galvanizing,,,,,galvanized,galvanized,,,,,,,,,,,, +outmatch,,,outmatches,,outmatching,,,,,outmatched,outmatched,,,,,,,,,,,, +disfrock,,,disfrocks,,disfrocking,,,,,disfrocked,disfrocked,,,,,,,,,,,, +coldshoulder,,,coldshoulders,,coldshouldering,,,,,coldshouldered,coldshouldered,,,,,,,,,,,, +immerge,,,immerges,,immerging,,,,,immerged,immerged,,,,,,,,,,,, +shroud,,,shrouds,,shrouding,,,,,shrouded,shrouded,,,,,,,,,,,, +hiccup,,,hiccups,,hiccuping,,,,,hiccuped,hiccuped,,,,,,,,,,,, +gore,,,gores,,goring,,,,,gored,gored,,,,,,,,,,,, +defoliate,,,defoliates,,defoliating,,,,,defoliated,defoliated,,,,,,,,,,,, +supervene,,,supervenes,,supervening,,,,,supervened,supervened,,,,,,,,,,,, +fulgurate,,,fulgurates,,fulgurating,,,,,fulgurated,fulgurated,,,,,,,,,,,, +spice,,,spices,,spicing,,,,,spiced,spiced,,,,,,,,,,,, +annihilate,,,annihilates,,annihilating,,,,,annihilated,annihilated,,,,,,,,,,,, +proselyte,,,proselytes,,proselyting,,,,,proselyted,proselyted,,,,,,,,,,,, +imbrue,,,imbrues,,imbruing,,,,,imbrued,imbrued,,,,,,,,,,,, +rewire,,,rewires,,rewiring,,,,,rewired,rewired,,,,,,,,,,,, +eschew,,,eschews,,eschewing,,,,,eschewed,eschewed,,,,,,,,,,,, +grouch,,,grouches,,grouching,,,,,grouched,grouched,,,,,,,,,,,, +blackbird,,,blackbirds,,blackbirding,,,,,blackbirded,blackbirded,,,,,,,,,,,, +imbed,,,imbeds,,imbedding,,,,,imbedded,imbedded,,,,,,,,,,,, +deadlock,,,deadlocks,,deadlocking,,,,,deadlocked,deadlocked,,,,,,,,,,,, +censor,,,censors,,censoring,,,,,censored,censored,,,,,,,,,,,, +devitalize,,,devitalizes,,devitalizing,,,,,devitalized,devitalized,,,,,,,,,,,, +examine,,,examines,,examining,,,,,examined,examined,,,,,,,,,,,, +deem,,,deems,,deeming,,,,,deemed,deemed,,,,,,,,,,,, +nucleate,,,nucleates,,nucleating,,,,,nucleated,nucleated,,,,,,,,,,,, +file,,,files,,filing,,,,,filed,filed,,,,,,,,,,,, +deed,,,deeds,,deeding,,,,,deeded,deeded,,,,,,,,,,,, +hound,,,hounds,,hounding,,,,,hounded,hounded,,,,,,,,,,,, +film,,,films,,filming,,,,,filmed,filmed,,,,,,,,,,,, +fill,,,fills,,filling,,,,,filled,filled,,,,,,,,,,,, +repent,,,repents,,repenting,,,,,repented,repented,,,,,,,,,,,, +commingle,,,commingles,,commingling,,,,,commingled,commingled,,,,,,,,,,,, +field,,,fields,,fielding,,,,,fielded,fielded,,,,,,,,,,,, +prise,,,prises,,prising,,,,,prised,prised,,,,,,,,,,,, +victimize,,,victimizes,,victimizing,,,,,victimized,victimized,,,,,,,,,,,, +forjudge,,,forjudges,,forjudging,,,,,forjudged,forjudged,,,,,,,,,,,, +shelter,,,shelters,,sheltering,,,,,sheltered,sheltered,,,,,,,,,,,, +rigidify,,,rigidifies,,rigidifying,,,,,rigidified,rigidified,,,,,,,,,,,, +scarper,,,scarpers,,scarpering,,,,,scarpered,scarpered,,,,,,,,,,,, +democratize,,,democratizes,,democratizing,,,,,democratized,democratized,,,,,,,,,,,, +tackle,,,tackles,,tackling,,,,,tackled,tackled,,,,,,,,,,,, +revolve,,,revolves,,revolving,,,,,revolved,revolved,,,,,,,,,,,, +sneeze,,,sneezes,,sneezing,,,,,sneezed,sneezed,,,,,,,,,,,, +delineate,,,delineates,,delineating,,,,,delineated,delineated,,,,,,,,,,,, +grudge,,,grudges,,grudging,,,,,grudged,grudged,,,,,,,,,,,, +syllable,,,syllables,,syllabling,,,,,syllabled,syllabled,,,,,,,,,,,, +scroll,,,scrolls,,scrolling,,,,,scrolled,scrolled,,,,,,,,,,,, +unsex,,,unsexes,,unsexing,,,,,unsexed,unsexed,,,,,,,,,,,, +burrow,,,burrows,,burrowing,,,,,burrowed,burrowed,,,,,,,,,,,, +represent,,,represents,,representing,,,,,represented,represented,,,,,,,,,,,, +forget,,,forgets,,forgetting,,,,,forgot,forgotten,,,,,,,,,,,, +founder,,,founders,,foundering,,,,,foundered,foundered,,,,,,,,,,,, +paginate,,,paginates,,paginating,,,,,paginated,paginated,,,,,,,,,,,, +rebound,,,rebinds,,rebinding,,,,,rebound,rebound,,,,,,,,,,,, +sunk,,,sunks,,sunking,,,,,sunked,sunked,,,,,,,,,,,, +zing,,,zings,,zinging,,,,,zinged,zinged,,,,,,,,,,,, +commute,,,commutes,,commuting,,,,,commuted,commuted,,,,,,,,,,,, +catheterize,,,catheterizes,,catheterizing,,,,,catheterized,catheterized,,,,,,,,,,,, +misadvise,,,misadvises,,misadvising,,,,,misadvised,misadvised,,,,,,,,,,,, +codename,,,codenames,,codenaming,,,,,codenamed,codenamed,,,,,,,,,,,, +crimson,,,crimsons,,crimsoning,,,,,crimsoned,crimsoned,,,,,,,,,,,, +bestir,,,bestirs,,bestirring,,,,,bestirred,bestirred,,,,,,,,,,,, +parcel,,,parcels,,parcelling,,,,,parcelled,parcelled,,,,,,,,,,,, +counterproposal,,,counterproposals,,counterproposaling,,,,,counterproposaled,counterproposaled,,,,,,,,,,,, +righten,,,rightens,,rightening,,,,,rightened,rightened,,,,,,,,,,,, +hybridize,,,hybridizes,,hybridizing,,,,,hybridized,hybridized,,,,,,,,,,,, +malinger,,,malingers,,malingering,,,,,malingered,malingered,,,,,,,,,,,, +scour,,,scours,,scouring,,,,,scoured,scoured,,,,,,,,,,,, +fall,,,falls,,falling,,,,,fell,fallen,,,,,,,,,,,, +bottleneck,,,bottlenecks,,bottlenecking,,,,,bottlenecked,bottlenecked,,,,,,,,,,,, +alien,,,aliens,,aliening,,,,,aliened,aliened,,,,,,,,,,,, +dampen,,,dampens,,dampening,,,,,dampened,dampened,,,,,,,,,,,, +unrip,,,unrips,,unripping,,,,,unripped,unripped,,,,,,,,,,,, +subsoil,,,subsoils,,subsoiling,,,,,subsoiled,subsoiled,,,,,,,,,,,, +triangulate,,,triangulates,,triangulating,,,,,triangulated,triangulated,,,,,,,,,,,, +enrapture,,,enraptures,,enrapturing,,,,,enraptured,enraptured,,,,,,,,,,,, +unrig,,,unrigs,,unrigging,,,,,unrigged,unrigged,,,,,,,,,,,, +chandelle,,,chandelles,,chandelling,,,,,chandelled,chandelled,,,,,,,,,,,, +underwrite,,,underwrites,,underwriting,,,,,underwrote,underwritten,,,,,,,,,,,, +abridge,,,abridges,,abridging,,,,,abridged,abridged,,,,,,,,,,,, +clinch,,,clinches,,clinching,,,,,clinched,clinched,,,,,,,,,,,, +outwork,,,outworks,,outworking,,,,,outworked,outworked,,,,,,,,,,,, +gnarl,,,gnars,,gnarling,,,,,gnarled,gnarled,,,,,,,,,,,, +zero,,,zeroes,,zeroing,,,,,zeroed,zeroed,,,,,,,,,,,, +overlie,,,overlies,,overlying,,,,,overlay,overlain,,,,,,,,,,,, +depicture,,,depictures,,depicturing,,,,,depictured,depictured,,,,,,,,,,,, +further,,,furthers,,furthering,,,,,furthered,furthered,,,,,,,,,,,, +misrepresent,,,misrepresents,,misrepresenting,,,,,misrepresented,misrepresented,,,,,,,,,,,, +ribbon,,,ribbons,,ribboning,,,,,ribboned,ribboned,,,,,,,,,,,, +dial,,,dials,,dialing,,,,,dialed,dialed,,,,,,,,,,,, +ruminate,,,ruminates,,ruminating,,,,,ruminated,ruminated,,,,,,,,,,,, +stook,,,stooks,,stooking,,,,,stooked,stooked,,,,,,,,,,,, +stool,,,stools,,stooling,,,,,stooled,stooled,,,,,,,,,,,, +overshot,,,,,,,,,,overshot,overshot,,,,,,,,,,,, +verbalize,,,verbalizes,,verbalizing,,,,,verbalized,verbalized,,,,,,,,,,,, +stoop,,,stoops,,stooping,,,,,stooped,stooped,,,,,,,,,,,, +abye,,,abys,,abying,,,,,abought,abought,,,,,,,,,,,, +falsify,,,falsifies,,falsifying,,,,,falsified,falsified,,,,,,,,,,,, +oppilate,,,oppilates,,oppilating,,,,,oppilated,oppilated,,,,,,,,,,,, +apocopate,,,apocopates,,apocopating,,,,,apocopated,apocopated,,,,,,,,,,,, +mull,,,mulls,,mulling,,,,,mulled,mulled,,,,,,,,,,,, +twang,,,twangs,,twanging,,,,,twanged,twanged,,,,,,,,,,,, +mothproof,,,moth-proofs,,moth-proofing,,,,,mothproofed,moth-proofed,,,,,,,,,,,, +ingratiate,,,ingratiates,,ingratiating,,,,,ingratiated,ingratiated,,,,,,,,,,,, +beacon,,,beacons,,beaconing,,,,,beaconed,beaconed,,,,,,,,,,,, +table,,,tables,,tabling,,,,,tabled,tabled,,,,,,,,,,,, +monetize,,,monetizes,,monetizing,,,,,monetized,monetized,,,,,,,,,,,, +search,,,searches,,searching,,,,,searched,searched,,,,,,,,,,,, +upcast,,,upcasts,,upcasting,,,,,upcast,upcast,,,,,,,,,,,, +luxuriate,,,luxuriates,,luxuriating,,,,,luxuriated,luxuriated,,,,,,,,,,,, +margin,,,margins,,margining,,,,,margined,margined,,,,,,,,,,,, +scurry,,,scurries,,scurrying,,,,,scurried,scurried,,,,,,,,,,,, +spotlight,,,spotlights,,spotlighting,,,,,spotlit,spotlit,,,,,,,,,,,, +narrow,,,narrows,,narrowing,,,,,narrowed,narrowed,,,,,,,,,,,, +fatten,,,fattens,,fattening,,,,,fattened,fattened,,,,,,,,,,,, +authorize,,,authorizes,,authorizing,,,,,authorized,authorized,,,,,,,,,,,, +alphabetize,,,alphabetizes,,alphabetizing,,,,,alphabetized,alphabetized,,,,,,,,,,,, +shanghai,,,shanghais,,shanghaiing,,,,,shanghaied,shanghaied,,,,,,,,,,,, +perpetuate,,,perpetuates,,perpetuating,,,,,perpetuated,perpetuated,,,,,,,,,,,, +prejudge,,,prejudges,,prejudging,,,,,prejudged,prejudged,,,,,,,,,,,, +caravan,,,caravans,,caravanning,,,,,caravanned,caravanned,,,,,,,,,,,, +transit,,,transits,,transiting,,,,,transited,transited,,,,,,,,,,,, +chalk,,,chalks,,chalking,,,,,chalked,chalked,,,,,,,,,,,, +sanction,,,sanctions,,sanctioning,,,,,sanctioned,sanctioned,,,,,,,,,,,, +huzzah,,,huzzahs,,huzzahing,,,,,huzzahed,huzzahed,,,,,,,,,,,, +melodramatize,,,melodramatizes,,melodramatizing,,,,,melodramatized,melodramatized,,,,,,,,,,,, +plane-table,,,plane-tables,,plane-tabling,,,,,plane-tabled,plane-tabled,,,,,,,,,,,, +eye,,,eyes,,eying,,,,,eyed,eyed,,,,,,,,,,,, +score,,,scores,,scoring,,,,,scored,scored,,,,,,,,,,,, +codify,,,codifies,,codifying,,,,,codified,codified,,,,,,,,,,,, +trounce,,,trounces,,trouncing,,,,,trounced,trounced,,,,,,,,,,,, +over-burden,,,over-burdens,,over-burdening,,,,,overburdened,over-burdened,,,,,,,,,,,, +puke,,,pukes,,puking,,,,,puked,puked,,,,,,,,,,,, +splash,,,splashes,,splashing,,,,,splashed,splashed,,,,,,,,,,,, +libel,,,libels,,libelling,,,,,libelled,libelled,,,,,,,,,,,, +crepitate,,,crepitates,,crepitating,,,,,crepitated,crepitated,,,,,,,,,,,, +raft,,,rafts,,rafting,,,,,rafted,rafted,,,,,,,,,,,, +intumesce,,,intumesces,,intumescing,,,,,intumesced,intumesced,,,,,,,,,,,, +popple,,,popples,,poppling,,,,,poppled,poppled,,,,,,,,,,,, +diamond,,,diamonds,,diamonding,,,,,diamonded,diamonded,,,,,,,,,,,, +tenderize,,,tenderizes,,tenderizing,,,,,tenderized,tenderized,,,,,,,,,,,, +dematerialize,,,dematerializes,,dematerializing,,,,,dematerialized,dematerialized,,,,,,,,,,,, +stable,,,stables,,stabling,,,,,stabled,stabled,,,,,,,,,,,, +reconvert,,,reconverts,,reconverting,,,,,reconverted,reconverted,,,,,,,,,,,, +sniggle,,,sniggles,,sniggling,,,,,sniggled,sniggled,,,,,,,,,,,, +mill,,,mills,,milling,,,,,milled,milled,,,,,,,,,,,, +animadvert,,,animadverts,,animadverting,,,,,animadverted,animadverted,,,,,,,,,,,, +watersoak,,,watersoaks,,watersoaking,,,,,watersoaked,watersoaked,,,,,,,,,,,, +blandish,,,blandishes,,blandishing,,,,,blandished,blandished,,,,,,,,,,,, +counterclaim,,,counterclaims,,counterclaiming,,,,,counterclaimed,counterclaimed,,,,,,,,,,,, +middle,,,middles,,middling,,,,,middled,middled,,,,,,,,,,,, +flyblow,,,flyblows,,flyblowing,,,,,flyblew,flyblown,,,,,,,,,,,, +recall,,,recalls,,recalling,,,,,recalled,recalled,,,,,,,,,,,, +dew,,,dews,,dewing,,,,,dewed,dewed,,,,,,,,,,,, +remain,,,remains,,remaining,,,,,remained,remained,,,,,,,,,,,, +paragraph,,,paragraphs,,paragraphing,,,,,paragraphed,paragraphed,,,,,,,,,,,, +den,,,dens,,denning,,,,,denned,denned,,,,,,,,,,,, +flyte,,,flytes,,flyting,,,,,flyted,flyted,,,,,,,,,,,, +abandon,,,abandons,,abandoning,,,,,abandoned,abandoned,,,,,,,,,,,, +marble,,,marbles,,marbling,,,,,marbled,marbled,,,,,,,,,,,, +bivouac,,,bivouacs,,bivouacking,,,,,bivouacked,bivouacked,,,,,,,,,,,, +sleuth,,,sleuths,,sleuthing,,,,,sleuthed,sleuthed,,,,,,,,,,,, +compare,,,compares,,comparing,,,,,compared,compared,,,,,,,,,,,, +buttress,,,buttresses,,buttressing,,,,,buttressed,buttressed,,,,,,,,,,,, +share,,,shares,,sharing,,,,,shared,shared,,,,,,,,,,,, +spall,,,spalls,,spalling,,,,,spalled,spalled,,,,,,,,,,,, +attain,,,attains,,attaining,,,,,attained,attained,,,,,,,,,,,, +junket,,,junkets,,junketing,,,,,junketed,junketed,,,,,,,,,,,, +sharp,,,sharps,,sharping,,,,,sharped,sharped,,,,,,,,,,,, +fillip,,,fillips,,filliping,,,,,filliped,filliped,,,,,,,,,,,, +freckle,,,freckles,,freckling,,,,,freckled,freckled,,,,,,,,,,,, +interbreed,,,interbreeds,,interbreeding,,,,,interbred,interbred,,,,,,,,,,,, +incubate,,,incubates,,incubating,,,,,incubated,incubated,,,,,,,,,,,, +sermonize,,,sermonizes,,sermonizing,,,,,sermonized,sermonized,,,,,,,,,,,, +comfort,,,comforts,,comforting,,,,,comforted,comforted,,,,,,,,,,,, +sprig,,,sprigs,,sprigging,,,,,sprigged,sprigged,,,,,,,,,,,, +Balkanize,,,Balkanizes,,Balkanizing,,,,,Balkanized,Balkanized,,,,,,,,,,,, +bleat,,,bleats,,bleating,,,,,bleated,bleated,,,,,,,,,,,, +blear,,,blear,,blearing,,,,,bleared,bleared,,,,,,,,,,,, +blacken,,,blackens,,blacking,,,,,blackened,blackened,,,,,,,,,,,, +interpose,,,interposes,,interposing,,,,,interposed,interposed,,,,,,,,,,,, +explicate,,,explicates,,explicating,,,,,explicated,explicated,,,,,,,,,,,, +blood,,,bloods,,blooding,,,,,blooded,blooded,,,,,,,,,,,, +reclassify,,,reclassifies,,reclassifying,,,,,reclassified,reclassified,,,,,,,,,,,, +bloom,,,blooms,,blooming,,,,,bloomed,bloomed,,,,,,,,,,,, +chute,,,chutes,,chuting,,,,,chuted,chuted,,,,,,,,,,,, +coax,,,coaxes,,coaxing,,,,,coaxed,coaxed,,,,,,,,,,,, +reiterate,,,reiterates,,reiterating,,,,,reiterated,reiterated,,,,,,,,,,,, +coat,,,coats,,coating,,,,,coated,coated,,,,,,,,,,,, +paw,,,paws,,pawing,,,,,pawed,pawed,,,,,,,,,,,, +blunder,,,blunders,,blundering,,,,,blundered,blundered,,,,,,,,,,,, +mislead,,,misleads,,misleading,,,,,misled,misled,,,,,,,,,,,, +coal,,,coals,,coaling,,,,,coaled,coaled,,,,,,,,,,,, +evanesce,,,evanesces,,evanescing,,,,,evanesced,evanesced,,,,,,,,,,,, +pleasure,,,pleasures,,pleasuring,,,,,pleasured,pleasured,,,,,,,,,,,, +lollop,,,lollops,,lolloping,,,,,lolloped,lolloped,,,,,,,,,,,, +serenade,,,serenades,,serenading,,,,,serenaded,serenaded,,,,,,,,,,,, +unchurch,,,unchurches,,unchurching,,,,,unchurched,unchurched,,,,,,,,,,,, +displease,,,displeases,,displeasing,,,,,displeased,displeased,,,,,,,,,,,, +oblique,,,obliques,,obliquing,,,,,obliqued,obliqued,,,,,,,,,,,, +name-drop,,,name-drops,,name-dropping,,,,,name-dropped,name-dropped,,,,,,,,,,,, +suffer,,,suffers,,suffering,,,,,suffered,suffered,,,,,,,,,,,, +prevaricate,,,prevaricates,,prevaricating,,,,,prevaricated,prevaricated,,,,,,,,,,,, +fissure,,,fissures,,fissuring,,,,,fissured,fissured,,,,,,,,,,,, +bosom,,,bosoms,,bosoming,,,,,bosomed,bosomed,,,,,,,,,,,, +pend,,,pends,,pending,,,,,pended,pended,,,,,,,,,,,, +emend,,,emends,,emending,,,,,emended,emended,,,,,,,,,,,, +dolly,,,dollies,,dollying,,,,,dollied,dollied,,,,,,,,,,,, +unswear,,,unswears,,unswearing,,,,,unswore,unsworn,,,,,,,,,,,, +redraft,,,redrafts,,redrafting,,,,,redrafted,redrafted,,,,,,,,,,,, +braise,,,braises,,braising,,,,,braised,braised,,,,,,,,,,,, +bereft,,,,,,,,,,bereft,bereft,,,,,,,,,,,, +lath,,,laths,,lathing,,,,,lathed,lathed,,,,,,,,,,,, +underestimate,,,underestimates,,underestimating,,,,,underestimated,underestimated,,,,,,,,,,,, +goof,,,goofs,,goofing,,,,,goofed,goofed,,,,,,,,,,,, +better,,,,,,,,,,,,,,,,,,,,,,, +detour,,,detours,,detouring,,,,,detoured,detoured,,,,,,,,,,,, +compound,,,compounds,,compounding,,,,,compounded,compounded,,,,,,,,,,,, +wiredraw,,,wiredraws,,wiredrawing,,,,,wiredrew,wiredrawn,,,,,,,,,,,, +detach,,,detaches,,detaching,,,,,detached,detached,,,,,,,,,,,, +complain,,,complains,,complaining,,,,,complained,complained,,,,,,,,,,,, +restrict,,,restricts,,restricting,,,,,restricted,restricted,,,,,,,,,,,, +huddle,,,huddles,,huddling,,,,,huddled,huddled,,,,,,,,,,,, +rant,,,rants,,ranting,,,,,ranted,ranted,,,,,,,,,,,, +auspicate,,,auspicates,,auspicating,,,,,auspicated,auspicated,,,,,,,,,,,, +safeconduct,,,safeconducts,,safeconducting,,,,,safeconducted,safeconducted,,,,,,,,,,,, +countersign,,,countersigns,,countersigning,,,,,countersigned,countersigned,,,,,,,,,,,, +evade,,,evades,,evading,,,,,evaded,evaded,,,,,,,,,,,, +token,,,tokens,,tokening,,,,,tokened,tokened,,,,,,,,,,,, +reft,,,,,,,,,,reft,reft,,,,,,,,,,,, +quintuple,,,quintuples,,quintupling,,,,,quintupled,quintupled,,,,,,,,,,,, +politicize,,,politicizes,,politicizing,,,,,politicized,politicized,,,,,,,,,,,, +clamp,,,clamps,,clamping,,,,,clamped,clamped,,,,,,,,,,,, +harm,,,harms,,harming,,,,,harmed,harmed,,,,,,,,,,,, +hark,,,harks,,harking,,,,,harked,harked,,,,,,,,,,,, +house,,,houses,,housing,,,,,housed,housed,,,,,,,,,,,, +hare,,,hares,,haring,,,,,hared,hared,,,,,,,,,,,, +electroplate,,,electroplates,,electroplating,,,,,electroplated,electroplated,,,,,,,,,,,, +connect,,,connects,,connecting,,,,,connected,connected,,,,,,,,,,,, +fist,,,fists,,fisting,,,,,fisted,fisted,,,,,,,,,,,, +ripple,,,ripples,,rippling,,,,,rippled,rippled,,,,,,,,,,,, +callus,,,calluses,,callusing,,,,,callused,callused,,,,,,,,,,,, +orient,,,orients,,orienting,,,,,oriented,oriented,,,,,,,,,,,, +harp,,,harps,,harping,,,,,harped,harped,,,,,,,,,,,, +inshrine,,,inshrines,,inshrining,,,,,inshrined,inshrined,,,,,,,,,,,, +flower,,,flowers,,flowering,,,,,flowered,flowered,,,,,,,,,,,, +prink,,,prinks,,prinking,,,,,prinked,prinked,,,,,,,,,,,, +coauthor,,,coauthors,,coauthoring,,,,,coauthored,coauthored,,,,,,,,,,,, +vitiate,,,vitiates,,vitiating,,,,,vitiated,vitiated,,,,,,,,,,,, +avenge,,,avenges,,avenging,,,,,avenged,avenged,,,,,,,,,,,, +print,,,prints,,printing,,,,,printed,printed,,,,,,,,,,,, +bully,,,bullies,,bullying,,,,,bullied,bullied,,,,,,,,,,,, +idealize,,,idealizes,,idealizing,,,,,idealized,idealized,,,,,,,,,,,, +decompress,,,decompresses,,decompressing,,,,,decompressed,decompressed,,,,,,,,,,,, +golly,,,gollies,,gollying,,,,,gollied,gollied,,,,,,,,,,,, +recast,,,recasts,,recasting,,,,,recast,recast,,,,,,,,,,,, +stratify,,,stratifies,,stratifying,,,,,stratified,stratified,,,,,,,,,,,, +omit,,,omits,,omitting,,,,,omitted,omitted,,,,,,,,,,,, +desiccate,,,desiccates,,desiccating,,,,,desiccated,desiccated,,,,,,,,,,,, +predate,,,predates,,predating,,,,,predated,predated,,,,,,,,,,,, +wither,,,withers,,withering,,,,,withered,withered,,,,,,,,,,,, +subjectify,,,subjectifies,,subjectifying,,,,,subjectified,subjectified,,,,,,,,,,,, +corkscrew,,,corkscrews,,corkscrewing,,,,,corkscrewed,corkscrewed,,,,,,,,,,,, +trickle,,,trickles,,trickling,,,,,trickled,trickled,,,,,,,,,,,, +copper,,,coppers,,coppering,,,,,coppered,coppered,,,,,,,,,,,, +perturb,,,perturbs,,perturbing,,,,,perturbed,perturbed,,,,,,,,,,,, +pop,,,pops,,popping,,,,,popped,popped,,,,,,,,,,,, +dong,,,dongs,,donging,,,,,donged,donged,,,,,,,,,,,, +wager,,,wagers,,wagering,,,,,wagered,wagered,,,,,,,,,,,, +jabber,,,jabbers,,jabbering,,,,,jabbered,jabbered,,,,,,,,,,,, +yawp,,,yawps,,yawping,,,,,yawped,yawped,,,,,,,,,,,, +clapperclaw,,,clapperclaws,,clapperclawing,,,,,clapperclawed,clapperclawed,,,,,,,,,,,, +foot-slog,,,foot-slogs,,foot-slogging,,,,,foot-slogged,foot-slogged,,,,,,,,,,,, +divorce,,,divorces,,divorcing,,,,,divorced,divorced,,,,,,,,,,,, +triplicate,,,triplicates,,triplicating,,,,,triplicated,triplicated,,,,,,,,,,,, +subtilize,,,subtilizes,,subtilizing,,,,,subtilized,subtilized,,,,,,,,,,,, +revive,,,revives,,reviving,,,,,revived,revived,,,,,,,,,,,, +construct,,,constructs,,constructing,,,,,constructed,constructed,,,,,,,,,,,, +paint,,,paints,,painting,,,,,painted,painted,,,,,,,,,,,, +leash,,,leashes,,leashing,,,,,leashed,leashed,,,,,,,,,,,, +smoothen,,,smoothens,,smoothening,,,,,smoothened,smoothened,,,,,,,,,,,, +lease,,,leases,,leasing,,,,,leased,leased,,,,,,,,,,,, +catapult,,,catapults,,catapulting,,,,,catapulted,catapulted,,,,,,,,,,,, +bumble,,,bumbles,,bumbling,,,,,bumbled,bumbled,,,,,,,,,,,, +pare,,,pares,,paring,,,,,pared,pared,,,,,,,,,,,, +travail,,,travails,,travailing,,,,,travailed,travailed,,,,,,,,,,,, +needle,,,needles,,needling,,,,,needled,needled,,,,,,,,,,,, +park,,,parks,,parking,,,,,parked,parked,,,,,,,,,,,, +part,,,parts,,parting,,,,,parted,parted,,,,,,,,,,,, +differentiate,,,differentiates,,differentiating,,,,,differentiated,differentiated,,,,,,,,,,,, +believe,,,believes,,believing,,,,,believed,believed,,,,,,,,,,,, +oscillate,,,oscillates,,oscillating,,,,,oscillated,oscillated,,,,,,,,,,,, +preachify,,,preachifies,,preachifying,,,,,preachified,preachified,,,,,,,,,,,, +commiserate,,,commiserates,,commiserating,,,,,commiserated,commiserated,,,,,,,,,,,, +fractionize,,,fractionizes,,fractionizing,,,,,fractionized,fractionized,,,,,,,,,,,, +airdry,,,airdries,,airdrying,,,,,airdried,airdried,,,,,,,,,,,, +sedate,,,sedates,,sedating,,,,,sedated,sedated,,,,,,,,,,,, +garble,,,garbles,,garbling,,,,,garbled,garbled,,,,,,,,,,,, +declare,,,declares,,declaring,,,,,declared,declared,,,,,,,,,,,, +flitter,,,flitters,,flittering,,,,,flittered,flittered,,,,,,,,,,,, +swerve,,,swerves,,swerving,,,,,swerved,swerved,,,,,,,,,,,, +prefigure,,,prefigures,,prefiguring,,,,,prefigured,prefigured,,,,,,,,,,,, +plead,,,pleads,,pleading,,,,,pled,pled,,,,,,,,,,,, +elegize,,,elegizes,,elegizing,,,,,elegized,elegized,,,,,,,,,,,, +affray,,,affrays,,affraying,,,,,affrayed,affrayed,,,,,,,,,,,, +twiddle,,,twiddles,,twiddling,,,,,twiddled,twiddled,,,,,,,,,,,, +protrude,,,protrudes,,protruding,,,,,protruded,protruded,,,,,,,,,,,, +dismember,,,dismembers,,dismembering,,,,,dismembered,dismembered,,,,,,,,,,,, +blanch,,,blanches,,blanching,,,,,blanched,blanched,,,,,,,,,,,, +refute,,,refutes,,refuting,,,,,refuted,refuted,,,,,,,,,,,, +trip,,,trips,,tripping,,,,,tripped,tripped,,,,,,,,,,,, +feeze,,,feezes,,feezing,,,,,feezed,feezed,,,,,,,,,,,, +couch,,,couches,,couching,,,,,couched,couched,,,,,,,,,,,, +build,,,builds,,building,,,,,built,built,,,,,,,,,,,, +rowel,,,rowels,,rowelling,,,,,rowelled,rowelled,,,,,,,,,,,, +pressurize,,,pressurizes,,pressurizing,,,,,pressurized,pressurized,,,,,,,,,,,, +flute,,,flutes,,fluting,,,,,fluted,fluted,,,,,,,,,,,, +chart,,,charts,,charting,,,,,charted,charted,,,,,,,,,,,, +charm,,,charms,,charming,,,,,charmed,charmed,,,,,,,,,,,, +outpoint,,,outpoints,,outpointing,,,,,outpointed,outpointed,,,,,,,,,,,, +booby-trap,,,booby-traps,,booby-trapping,,,,,booby-trapped,booby-trapped,,,,,,,,,,,, +pauperize,,,pauperizes,,pauperizing,,,,,pauperized,pauperized,,,,,,,,,,,, +fluctuate,,,fluctuates,,fluctuating,,,,,fluctuated,fluctuated,,,,,,,,,,,, +saturate,,,saturates,,saturating,,,,,saturated,saturated,,,,,,,,,,,, +squelch,,,squelches,,squelching,,,,,squelched,squelched,,,,,,,,,,,, +elasticate,,,elasticates,,elasticating,,,,,elasticated,elasticated,,,,,,,,,,,, +standoff,,,,,,,,,,,,,,,,,,,,,,, +impaste,,,impastes,,impasting,,,,,impasted,impasted,,,,,,,,,,,, +tampon,,,tampons,,tamponing,,,,,tamponed,tamponed,,,,,,,,,,,, +carny,,,carnies,,carnying,,,,,carnied,carnied,,,,,,,,,,,, +converge,,,converges,,converging,,,,,converged,converged,,,,,,,,,,,, +fink,,,finks,,finking,,,,,finked,finked,,,,,,,,,,,, +chock,,,chocks,,chocking,,,,,chocked,chocked,,,,,,,,,,,, +fine,,,fines,,fining,,,,,fined,fined,,,,,,,,,,,, +found,,,finds,,finding,,,,,found,found,,,,,,,,,,,, +scorify,,,scorifies,,scorifying,,,,,scorified,scorified,,,,,,,,,,,, +mineralize,,,mineralizes,,mineralizing,,,,,mineralized,mineralized,,,,,,,,,,,, +relent,,,relents,,relenting,,,,,relented,relented,,,,,,,,,,,, +lather,,,lathers,,lathering,,,,,lathered,lathered,,,,,,,,,,,, +override,,,overrides,,overriding,,,,,overrode,overridden,,,,,,,,,,,, +prearrange,,,prearranges,,prearranging,,,,,prearranged,prearranged,,,,,,,,,,,, +devastate,,,devastates,,devastating,,,,,devastated,devastated,,,,,,,,,,,, +batten,,,battens,,battening,,,,,battened,battened,,,,,,,,,,,, +express,,,expresses,,expressing,,,,,expressed,expressed,,,,,,,,,,,, +ferret,,,ferrets,,ferreting,,,,,ferreted,ferreted,,,,,,,,,,,, +cheapen,,,cheapens,,cheapening,,,,,cheapened,cheapened,,,,,,,,,,,, +batter,,,batters,,battering,,,,,battered,battered,,,,,,,,,,,, +breast,,,breasts,,breasting,,,,,breasted,breasted,,,,,,,,,,,, +cumulate,,,cumulates,,cumulating,,,,,cumulated,cumulated,,,,,,,,,,,, +inaugurate,,,inaugurates,,inaugurating,,,,,inaugurated,inaugurated,,,,,,,,,,,, +pellet,,,pellets,,pelleting,,,,,pelleted,pelleted,,,,,,,,,,,, +target,,,targets,,targeting,,,,,targeted,targeted,,,,,,,,,,,, +huff,,,huffs,,huffing,,,,,huffed,huffed,,,,,,,,,,,, +elapse,,,elapses,,elapsing,,,,,elapsed,elapsed,,,,,,,,,,,, +resolve,,,resolves,,resolving,,,,,resolved,resolved,,,,,,,,,,,, +susurrate,,,susurrates,,susurrating,,,,,susurrated,susurrated,,,,,,,,,,,, +remove,,,removes,,removing,,,,,removed,removed,,,,,,,,,,,, +supercede,,,supercedes,,superceding,,,,,superceded,superceded,,,,,,,,,,,, +toe-dance,,,toe-dances,,toe-dancing,,,,,toe-danced,toe-danced,,,,,,,,,,,, +gazump,,,gazumps,,gazumping,,,,,gazumped,gazumped,,,,,,,,,,,, +arouse,,,arouses,,arousing,,,,,aroused,aroused,,,,,,,,,,,, +softland,,,softlands,,softlanding,,,,,softlanded,softlanded,,,,,,,,,,,, +tender,,,tenders,,tendering,,,,,tendered,tendered,,,,,,,,,,,, +petrify,,,petrifies,,petrifying,,,,,petrified,petrified,,,,,,,,,,,, +marinate,,,marinates,,marinating,,,,,marinated,marinated,,,,,,,,,,,, +debar,,,debars,,debarring,,,,,debarred,debarred,,,,,,,,,,,, +equivocate,,,equivocates,,equivocating,,,,,equivocated,equivocated,,,,,,,,,,,, +please,,,pleases,,pleasing,,,,,pleased,pleased,,,,,,,,,,,, +phototype,,,phototypes,,phototyping,,,,,phototyped,phototyped,,,,,,,,,,,, +abrade,,,abrades,,abrading,,,,,abraded,abraded,,,,,,,,,,,, +donate,,,donates,,donating,,,,,donated,donated,,,,,,,,,,,, +debag,,,debags,,debagging,,,,,debagged,debagged,,,,,,,,,,,, +concatenate,,,concatenates,,concatenating,,,,,concatenated,concatenated,,,,,,,,,,,, +rosin,,,rosins,,rosining,,,,,rosined,rosined,,,,,,,,,,,, +complement,,,complements,,complementing,,,,,complemented,complemented,,,,,,,,,,,, +silver-plate,,,silver-plates,,silver-plating,,,,,silver-plated,silver-plated,,,,,,,,,,,, +parbuckle,,,parbuckles,,parbuckling,,,,,parbuckled,parbuckled,,,,,,,,,,,, +barrack,,,barracks,,barracking,,,,,barracked,barracked,,,,,,,,,,,, +scuttle,,,scuttles,,scuttling,,,,,scuttled,scuttled,,,,,,,,,,,, +premise,,,premises,,premising,,,,,premised,premised,,,,,,,,,,,, +incapsulate,,,incapsulates,,incapsulating,,,,,incapsulated,incapsulated,,,,,,,,,,,, +poniard,,,poniards,,poniarding,,,,,poniarded,poniarded,,,,,,,,,,,, +reverse,,,reverses,,reversing,,,,,reversed,reversed,,,,,,,,,,,, +scythe,,,scythes,,scything,,,,,scythed,scythed,,,,,,,,,,,, +spume,,,spumes,,spuming,,,,,spumed,spumed,,,,,,,,,,,, +keypunch,,,keypunches,,keypunching,,,,,keypunched,keypunched,,,,,,,,,,,, +undershoot,,,undershoots,,undershooting,,,,,,,,,,,,,,,,,, +confabulate,,,confabulates,,confabulating,,,,,confabulated,confabulated,,,,,,,,,,,, +consume,,,consumes,,consuming,,,,,consumed,consumed,,,,,,,,,,,, +point,,,points,,pointing,,,,,pointed,pointed,,,,,,,,,,,, +dwindle,,,dwindles,,dwindling,,,,,dwindled,dwindled,,,,,,,,,,,, +smother,,,smothers,,smothering,,,,,smothered,smothered,,,,,,,,,,,, +shutdown,,,,,,,,,,,,,,,,,,,,,,, +poind,,,poinds,,poinding,,,,,poinded,poinded,,,,,,,,,,,, +wrick,,,wricks,,wricking,,,,,wricked,wricked,,,,,,,,,,,, +toddle,,,toddles,,toddling,,,,,toddled,toddled,,,,,,,,,,,, +civilize,,,civilizes,,civilizing,,,,,civilized,civilized,,,,,,,,,,,, +raise,,,raises,,raising,,,,,raised,raised,,,,,,,,,,,, +dovetail,,,dovetails,,dovetailing,,,,,dovetailed,dovetailed,,,,,,,,,,,, +smote,,,smotes,,smoting,,,,,smoted,smoted,,,,,,,,,,,, +create,,,creates,,creating,,,,,created,created,,,,,,,,,,,, +appall,,,appals,,appalling,,,,,appalled,appalled,,,,,,,,,,,, +volley,,,volleys,,volleying,,,,,volleyed,volleyed,,,,,,,,,,,, +gat,,,gats,,gating,,,,,gated,gated,,,,,,,,,,,, +gas,,,gasses,,gassing,,,,,gassed,gassed,,,,,,,,,,,, +misgive,,,misgives,,misgiving,,,,,misgave,misgiven,,,,,,,,,,,, +gam,,,gams,,gamming,,,,,gammed,gammed,,,,,,,,,,,, +jellify,,,jellifies,,jellifying,,,,,jellified,jellified,,,,,,,,,,,, +formularize,,,formularizes,,formularizing,,,,,formularized,formularized,,,,,,,,,,,, +undercharge,,,undercharges,,undercharging,,,,,undercharged,undercharged,,,,,,,,,,,, +gag,,,gags,,gagging,,,,,gagged,gagged,,,,,,,,,,,, +gad,,,gads,,gadding,,,,,gadded,gadded,,,,,,,,,,,, +chatter,,,chatters,,chattering,,,,,chattered,chattered,,,,,,,,,,,, +gab,,,gabs,,gabbing,,,,,gabbed,gabbed,,,,,,,,,,,, +cognize,,,cognizes,,cognizing,,,,,cognized,cognized,,,,,,,,,,,, +straiten,,,straitens,,straitening,,,,,straitened,straitened,,,,,,,,,,,, +pierce,,,pierces,,piercing,,,,,pierced,pierced,,,,,,,,,,,, +fur,,,furs,,furring,,,,,furred,furred,,,,,,,,,,,, +dehypnotize,,,dehypnotizes,,dehypnotizing,,,,,dehypnotized,dehypnotized,,,,,,,,,,,, +bill,,,bills,,billing,,,,,billed,billed,,,,,,,,,,,, +bilk,,,bilks,,bilking,,,,,bilked,bilked,,,,,,,,,,,, +horseshoe,,,horseshoes,,horseshoeing,,,,,horseshoed,horseshoed,,,,,,,,,,,, +fun,,,funs,,funning,,,,,funned,funned,,,,,,,,,,,, +astrict,,,astricts,,astricting,,,,,astricted,astricted,,,,,,,,,,,, +approximate,,,approximates,,approximating,,,,,approximated,approximated,,,,,,,,,,,, +escheat,,,escheats,,escheating,,,,,escheated,escheated,,,,,,,,,,,, +astound,,,astounds,,astounding,,,,,astounded,astounded,,,,,,,,,,,, +echelon,,,echelons,,echeloning,,,,,echeloned,echeloned,,,,,,,,,,,, +calender,,,calenders,,calendering,,,,,calendered,calendered,,,,,,,,,,,, +backpedal,,,backpedals,,backpedalling,,,,,backpedalled,backpedalled,,,,,,,,,,,, +enervate,,,enervates,,enervating,,,,,enervated,enervated,,,,,,,,,,,, +solemnify,,,solemnifies,,solemnifying,,,,,solemnified,solemnified,,,,,,,,,,,, +commutate,,,commutates,,commutating,,,,,commutated,commutated,,,,,,,,,,,, +regulate,,,regulates,,regulating,,,,,regulated,regulated,,,,,,,,,,,, +irradiate,,,irradiates,,irradiating,,,,,irradiated,irradiated,,,,,,,,,,,, +ingrain,,,ingrains,,ingraining,,,,,ingrained,ingrained,,,,,,,,,,,, +seduce,,,seduces,,seducing,,,,,seduced,seduced,,,,,,,,,,,, +externalize,,,externalizes,,externalizing,,,,,externalized,externalized,,,,,,,,,,,, +discourse,,,discourses,,discoursing,,,,,discoursed,discoursed,,,,,,,,,,,, +republicanize,,,republicanizes,,republicanizing,,,,,republicanized,republicanized,,,,,,,,,,,, +emphasize,,,emphasizes,,emphasizing,,,,,emphasized,emphasized,,,,,,,,,,,, +bristle,,,bristles,,bristling,,,,,bristled,bristled,,,,,,,,,,,, +ray,,,rays,,raying,,,,,rayed,rayed,,,,,,,,,,,, +relativize,,,relativizes,,relativizing,,,,,relativized,relativized,,,,,,,,,,,, +windmill,,,windmills,,windmilling,,,,,windmilled,windmilled,,,,,,,,,,,, +contravene,,,contravenes,,contravening,,,,,contravened,contravened,,,,,,,,,,,, +equiponderate,,,equiponderates,,equiponderating,,,,,equiponderated,equiponderated,,,,,,,,,,,, +itch,,,itches,,itching,,,,,itched,itched,,,,,,,,,,,, +kill,,,kills,,killing,,,,,killed,killed,,,,,,,,,,,, +flurry,,,flurries,,flurrying,,,,,flurried,flurried,,,,,,,,,,,, +purpose,,,purposes,,purposing,,,,,purposed,purposed,,,,,,,,,,,, +aggregate,,,aggregates,,aggregating,,,,,aggregated,aggregated,,,,,,,,,,,, +unveil,,,unveils,,unveiling,,,,,unveiled,unveiled,,,,,,,,,,,, +degustate,,,degusts,,degusting,,,,,degusted,degusted,,,,,,,,,,,, +swish,,,swishes,,swishing,,,,,swished,swished,,,,,,,,,,,, +finesse,,,finesses,,finessing,,,,,finessed,finessed,,,,,,,,,,,, +supersede,,,supersedes,,superseding,,,,,superseded,superseded,,,,,,,,,,,, +rearm,,,rearms,,rearming,,,,,rearmed,rearmed,,,,,,,,,,,, +unlay,,,unlays,,unlaying,,,,,unlaid,unlaid,,,,,,,,,,,, +decuple,,,decuples,,decupling,,,,,decupled,decupled,,,,,,,,,,,, +crossreference,,,crossreferences,,crossreferencing,,,,,crossreferenced,crossreferenced,,,,,,,,,,,, +reard,,,reards,,rearding,,,,,rearded,rearded,,,,,,,,,,,, +appertain,,,appertains,,appertaining,,,,,appertained,appertained,,,,,,,,,,,, +withdraw,,,withdraws,,withdrawing,,,,,withdrew,withdrawn,,,,,,,,,,,, +toil,,,toils,,toiling,,,,,toiled,toiled,,,,,,,,,,,, +recant,,,recants,,recanting,,,,,recanted,recanted,,,,,,,,,,,, +spend,,,spends,,spending,,,,,spent,spent,,,,,,,,,,,, +howl,,,howls,,howling,,,,,howled,howled,,,,,,,,,,,, +darn,,,darns,,darning,,,,,darned,darned,,,,,,,,,,,, +segregate,,,segregates,,segregating,,,,,segregated,segregated,,,,,,,,,,,, +shape,,,shapes,,shaping,,,,,shaped,shaped,,,,,,,,,,,, +disendow,,,disendows,,disendowing,,,,,disendowed,disendowed,,,,,,,,,,,, +timber,,,timbers,,timbering,,,,,timbered,timbered,,,,,,,,,,,, +discipline,,,disciplines,,disciplining,,,,,disciplined,disciplined,,,,,,,,,,,, +cut,,,cuts,,cutting,,,,,cut,cut,,,,,,,,,,,, +cup,,,cups,,cupping,,,,,cupped,cupped,,,,,,,,,,,, +courtmartial,,,courtmartials,,courtmartialing,,,,,courtmartialed,courtmartialed,,,,,,,,,,,, +alternate,,,alternates,,alternating,,,,,alternated,alternated,,,,,,,,,,,, +cue,,,cues,,cuing,,,,,cued,cued,,,,,,,,,,,, +misshape,,,misshapes,,misshaping,,,,,misshaped,misshaped,,,,,,,,,,,, +cub,,,cubs,,cubbing,,,,,cubbed,cubbed,,,,,,,,,,,, +reproof,,,reproofs,,,,,,,,,,,,,,,,,,,, +misdeal,,,misdeals,,misdealing,,,,,misdealt,misdealt,,,,,,,,,,,, +squawk,,,squawks,,squawking,,,,,squawked,squawked,,,,,,,,,,,, +over-simplify,,,over-simplifies,,over-simplifying,,,,,oversimplified,over-simplified,,,,,,,,,,,, +bid,,,bids,,bidding,,,,,bid,bidden,,,,,,,,,,,, +Mohammedanize,,,Mohammedanizes,,Mohammedanizing,,,,,Mohammedanized,Mohammedanized,,,,,,,,,,,, +displace,,,displaces,,displacing,,,,,displaced,displaced,,,,,,,,,,,, +redeem,,,redeems,,redeeming,,,,,redeemed,redeemed,,,,,,,,,,,, +divagate,,,divagates,,divagating,,,,,divagated,divagated,,,,,,,,,,,, +decaffeinate,,,decaffeinates,,decaffeinating,,,,,decaffeinated,decaffeinated,,,,,,,,,,,, +bit,,,bits,,bitting,,,,,bitted,bitted,,,,,,,,,,,, +pollinate,,,pollinates,,pollinating,,,,,pollinated,pollinated,,,,,,,,,,,, +knock,,,knocks,,knocking,,,,,knocked,knocked,,,,,,,,,,,, +phlebotomize,,,phlebotomizes,,phlebotomizing,,,,,phlebotomized,phlebotomized,,,,,,,,,,,, +blemish,,,blemishes,,blemishing,,,,,blemished,blemished,,,,,,,,,,,, +miff,,,miffs,,miffing,,,,,miffed,miffed,,,,,,,,,,,, +retake,,,retakes,,retaking,,,,,retook,retaken,,,,,,,,,,,, +glove,,,gloves,,gloving,,,,,gloved,gloved,,,,,,,,,,,, +flux,,,fluxes,,fluxing,,,,,fluxed,fluxed,,,,,,,,,,,, +isomerize,,,isomerizes,,isomerizing,,,,,isomerized,isomerized,,,,,,,,,,,, +wis,,,wises,,wising,,,,,wised,wised,,,,,,,,,,,, +transgress,,,transgresses,,transgressing,,,,,transgressed,transgressed,,,,,,,,,,,, +disconsider,,,disconsiders,,disconsidering,,,,,disconsidered,disconsidered,,,,,,,,,,,, +rede,,,redes,,reding,,,,,reded,reded,,,,,,,,,,,, +redd,,,redds,,,,,,,redd,redd,,,,,,,,,,,, +back,,,backs,,backing,,,,,backed,backed,,,,,,,,,,,, +impeach,,,impeaches,,impeaching,,,,,impeached,impeached,,,,,,,,,,,, +accelerate,,,accelerates,,accelerating,,,,,accelerated,accelerated,,,,,,,,,,,, +mirror,,,mirrors,,mirroring,,,,,mirrored,mirrored,,,,,,,,,,,, +candle,,,candles,,candling,,,,,candled,candled,,,,,,,,,,,, +scrump,,,scrumps,,scrumping,,,,,scrumped,scrumped,,,,,,,,,,,, +scald,,,scalds,,scalding,,,,,scalded,scalded,,,,,,,,,,,, +scale,,,scales,,scaling,,,,,scaled,scaled,,,,,,,,,,,, +reinstitute,,,reinstitutes,,reinstituting,,,,,reinstituted,reinstituted,,,,,,,,,,,, +pet,,,pets,,petting,,,,,petted,petted,,,,,,,,,,,, +pelt,,,pelts,,pelting,,,,,pelted,pelted,,,,,,,,,,,, +pep,,,peps,,pepping,,,,,pepped,pepped,,,,,,,,,,,, +pen,,,pens,,penning,,,,,pent,penned,,,,,,,,,,,, +eliminate,,,eliminates,,eliminating,,,,,eliminated,eliminated,,,,,,,,,,,, +scalp,,,scalps,,scalping,,,,,scalped,scalped,,,,,,,,,,,, +lard,,,lards,,larding,,,,,larded,larded,,,,,,,,,,,, +lark,,,larks,,larking,,,,,larked,larked,,,,,,,,,,,, +pee,,,pees,,peeing,,,,,peed,peed,,,,,,,,,,,, +peg,,,pegs,,pegging,,,,,pegged,pegged,,,,,,,,,,,, +invade,,,invades,,invading,,,,,invaded,invaded,,,,,,,,,,,, +corrival,,,corrivals,,corrivaling,,,,,corrivaled,corrivaled,,,,,,,,,,,, +tut-tut,,,tut-tuts,,tut-tutting,,,,,tut-tutted,tut-tutted,,,,,,,,,,,, +militate,,,militates,,militating,,,,,militated,militated,,,,,,,,,,,, +use,,,uses,,using,,,,,used,used,,,,,,,,,,,, +kockelsch,,,kockelsches,,kockelsching,,,,,kockelsched,kockelsched,,,,,,,,,,,, +foliate,,,foliates,,foliating,,,,,foliated,foliated,,,,,,,,,,,, +optimize,,,optimizes,,optimizing,,,,,optimized,optimized,,,,,,,,,,,, +snoop,,,snoops,,snooping,,,,,snooped,snooped,,,,,,,,,,,, +hypnotize,,,hypnotizes,,hypnotizing,,,,,hypnotized,hypnotized,,,,,,,,,,,, +preconize,,,preconizes,,preconizing,,,,,preconized,preconized,,,,,,,,,,,, +bluster,,,blusters,,blustering,,,,,blustered,blustered,,,,,,,,,,,, +alkalify,,,alkalifies,,alkalifying,,,,,alkalified,alkalified,,,,,,,,,,,, +ebonize,,,ebonizes,,ebonizing,,,,,ebonized,ebonized,,,,,,,,,,,, +jimmy,,,jimmies,,jimmying,,,,,jimmied,jimmied,,,,,,,,,,,, +sniffle,,,sniffles,,sniffling,,,,,sniffled,sniffled,,,,,,,,,,,, +depose,,,deposes,,deposing,,,,,deposed,deposed,,,,,,,,,,,, +tiff,,,tiffs,,tiffing,,,,,tiffed,tiffed,,,,,,,,,,,, +clack,,,clacks,,clacking,,,,,clacked,clacked,,,,,,,,,,,, +epilate,,,epilates,,epilating,,,,,epilated,epilated,,,,,,,,,,,, +lesson,,,lessons,,lessoning,,,,,lessoned,lessoned,,,,,,,,,,,, +dispend,,,dispends,,dispending,,,,,dispended,dispended,,,,,,,,,,,, +vamoose,,,vamooses,,vamoosing,,,,,vamoosed,vamoosed,,,,,,,,,,,, +singlefoot,,,singlefoots,,singlefooting,,,,,singlefooted,singlefooted,,,,,,,,,,,, +overstrain,,,overstrains,,overstraining,,,,,overstrained,overstrained,,,,,,,,,,,, +emblaze,,,emblazes,,emblazing,,,,,emblazed,emblazed,,,,,,,,,,,, +scrimshank,,,scrimshanks,,scrimshanking,,,,,scrimshanked,scrimshanked,,,,,,,,,,,, +overpower,,,overpowers,,overpowering,,,,,overpowered,overpowered,,,,,,,,,,,, +copyedit,,,copyedits,,copyediting,,,,,copyedited,copyedited,,,,,,,,,,,, +debilitate,,,debilitates,,debilitating,,,,,debilitated,debilitated,,,,,,,,,,,, +forward,,,forwards,,forwarding,,,,,forwarded,forwarded,,,,,,,,,,,, +prostitute,,,prostitutes,,prostituting,,,,,prostituted,prostituted,,,,,,,,,,,, +invite,,,invites,,inviting,,,,,invited,invited,,,,,,,,,,,, +pronounce,,,pronounces,,pronouncing,,,,,pronounced,pronounced,,,,,,,,,,,, +jaga,,,jagas,,jagaing,,,,,jagaed,jagaed,,,,,,,,,,,, +fankle,,,fankles,,fankling,,,,,fankled,fankled,,,,,,,,,,,, +cloud,,,clouds,,clouding,,,,,clouded,clouded,,,,,,,,,,,, +discomfit,,,discomfits,,discomfiting,,,,,discomfited,discomfited,,,,,,,,,,,, +gollop,,,gollops,,golloping,,,,,golloped,golloped,,,,,,,,,,,, +carburet,,,carburets,,carburetting,,,,,carburetted,carburetted,,,,,,,,,,,, +groove,,,grooves,,grooving,,,,,grooved,grooved,,,,,,,,,,,, +repulse,,,repulses,,repulsing,,,,,repulsed,repulsed,,,,,,,,,,,, +flop,,,flops,,flopping,,,,,flopped,flopped,,,,,,,,,,,, +metal,,,metals,,metaling,,,,,metaled,metaled,,,,,,,,,,,, +foregather,,,foregathers,,foregathering,,,,,foregathered,foregathered,,,,,,,,,,,, +deprive,,,deprives,,depriving,,,,,deprived,deprived,,,,,,,,,,,, +curd,,,curds,,curding,,,,,curded,curded,,,,,,,,,,,, +cure,,,cures,,curing,,,,,cured,cured,,,,,,,,,,,, +curb,,,curbs,,curbing,,,,,curbed,curbed,,,,,,,,,,,, +curl,,,curls,,curling,,,,,curled,curled,,,,,,,,,,,, +antiquate,,,antiquates,,antiquating,,,,,antiquated,antiquated,,,,,,,,,,,, +prevail,,,prevails,,prevailing,,,,,prevailed,prevailed,,,,,,,,,,,, +overfeed,,,overfeeds,,overfeeding,,,,,overfed,overfed,,,,,,,,,,,, +adjudicate,,,adjudicates,,adjudicating,,,,,adjudicated,adjudicated,,,,,,,,,,,, +anesthetize,,,anesthetizes,,anesthetizing,,,,,anesthetized,anesthetized,,,,,,,,,,,, +sterilize,,,sterilizes,,sterilizing,,,,,sterilized,sterilized,,,,,,,,,,,, +excrete,,,excretes,,excreting,,,,,excreted,excreted,,,,,,,,,,,, +assassinate,,,assassinates,,assassinating,,,,,assassinated,assassinated,,,,,,,,,,,, +confine,,,confines,,confining,,,,,confined,confined,,,,,,,,,,,, +quaff,,,quaffs,,quaffing,,,,,quaffed,quaffed,,,,,,,,,,,, +cellar,,,cellars,,cellaring,,,,,cellared,cellared,,,,,,,,,,,, +lend,,,lends,,lending,,,,,lent,lent,,,,,,,,,,,, +cater,,,caters,,catering,,,,,catered,catered,,,,,,,,,,,, +macerate,,,macerates,,macerating,,,,,macerated,macerated,,,,,,,,,,,, +desert,,,deserts,,deserting,,,,,deserted,deserted,,,,,,,,,,,, +comanage,,,comanages,,comanaging,,,,,comanaged,comanaged,,,,,,,,,,,, +bedaub,,,bedaubs,,bedaubing,,,,,bedaubed,bedaubed,,,,,,,,,,,, +mixup,,,,,,,,,,,,,,,,,,,,,,, +rinse,,,rinses,,rinsing,,,,,rinsed,rinsed,,,,,,,,,,,, +pussyfoot,,,pussyfoots,,pussyfooting,,,,,pussyfooted,pussyfooted,,,,,,,,,,,, +whang,,,whangs,,whanging,,,,,whanged,whanged,,,,,,,,,,,, +wrangle,,,wrangles,,wrangling,,,,,wrangled,wrangled,,,,,,,,,,,, +query,,,queries,,querying,,,,,queried,queried,,,,,,,,,,,, +strew,,,strews,,strewing,,,,,strewed,strewn,,,,,,,,,,,, +liquesce,,,liquesces,,liquescing,,,,,liquesced,liquesced,,,,,,,,,,,, +welter,,,welters,,weltering,,,,,weltered,weltered,,,,,,,,,,,, +compost,,,composts,,composting,,,,,composted,composted,,,,,,,,,,,, +blaze,,,blazes,,blazing,,,,,blazed,blazed,,,,,,,,,,,, +weather,,,weathers,,weathering,,,,,weathered,weathered,,,,,,,,,,,, +gravel,,,gravels,,gravelling,,,,,gravelled,gravelled,,,,,,,,,,,, +brigade,,,brigades,,brigading,,,,,brigaded,brigaded,,,,,,,,,,,, +electrocute,,,electrocutes,,electrocuting,,,,,electrocuted,electrocuted,,,,,,,,,,,, +assay,,,assays,,assaying,,,,,assayed,assayed,,,,,,,,,,,, +birddog,,,birddogs,,birddogging,,,,,birddogged,birddogged,,,,,,,,,,,, +rime,,,rimes,,riming,,,,,rimed,rimed,,,,,,,,,,,, +expertize,,,expertizes,,expertizing,,,,,expertized,expertized,,,,,,,,,,,, +accuse,,,accuses,,accusing,,,,,accused,accused,,,,,,,,,,,, +reverberate,,,reverberates,,reverberating,,,,,reverberated,reverberated,,,,,,,,,,,, +thwack,,,thwacks,,thwacking,,,,,thwacked,thwacked,,,,,,,,,,,, +embay,,,embays,,embaying,,,,,embayed,embayed,,,,,,,,,,,, +arrange,,,arranges,,arranging,,,,,arranged,arranged,,,,,,,,,,,, +homogenize,,,homogenizes,,homogenizing,,,,,homogenized,homogenized,,,,,,,,,,,, +knight,,,knights,,knighting,,,,,knighted,knighted,,,,,,,,,,,, +shock,,,shocks,,shocking,,,,,shocked,shocked,,,,,,,,,,,, +mobilize,,,mobilizes,,mobilizing,,,,,mobilized,mobilized,,,,,,,,,,,, +refer,,,refers,,referring,,,,,referred,referred,,,,,,,,,,,, +ride,,,rides,,riding,,,,,rode,ridden,,,,,,,,,,,, +buckram,,,buckrams,,buckraming,,,,,buckramed,buckramed,,,,,,,,,,,, +crow,,,crows,,crowing,,,,,crowed,crowed,,,,,,,,,,,, +queer,,,queers,,queering,,,,,queered,queered,,,,,,,,,,,, +crop,,,crops,,cropping,,,,,cropped,cropped,,,,,,,,,,,, +undergo,,,undergoes,,undergoing,,,,,underwent,undergone,,,,,,,,,,,, +prate,,,prates,,prating,,,,,prated,prated,,,,,,,,,,,, +roughhew,,,roughhews,,roughhewing,,,,,roughhewn,roughhewn,,,,,,,,,,,, +append,,,appends,,appending,,,,,appended,appended,,,,,,,,,,,, +decontaminate,,,decontaminates,,decontaminating,,,,,decontaminated,decontaminated,,,,,,,,,,,, +zest,,,zests,,zesting,,,,,zested,zested,,,,,,,,,,,, +speckle,,,speckles,,speckling,,,,,speckled,speckled,,,,,,,,,,,, +tambour,,,tambours,,tambouring,,,,,tamboured,tamboured,,,,,,,,,,,, +paddle,,,paddles,,paddling,,,,,paddled,paddled,,,,,,,,,,,, +access,,,accesses,,accessing,,,,,accessed,accessed,,,,,,,,,,,, +lumber,,,lumbers,,lumbering,,,,,lumbered,lumbered,,,,,,,,,,,, +exercise,,,exercises,,exercising,,,,,exercised,exercised,,,,,,,,,,,, +body,,,bodies,,bodying,,,,,bodied,bodied,,,,,,,,,,,, +exchange,,,exchanges,,exchanging,,,,,exchanged,exchanged,,,,,,,,,,,, +sprung,,,sprungs,,sprunging,,,,,sprunged,sprunged,,,,,,,,,,,, +intercept,,,intercepts,,intercepting,,,,,intercepted,intercepted,,,,,,,,,,,, +sink,,,sinks,,sinking,,,,,sunk,sunken,,,,,,,,,,,, +dissuade,,,dissuades,,dissuading,,,,,dissuaded,dissuaded,,,,,,,,,,,, +sing,,,sings,,singing,,,,,sang,sung,,,,,,,,,,,, +abnegate,,,abnegates,,abnegating,,,,,abnegated,abnegated,,,,,,,,,,,, +bode,,,bodes,,boding,,,,,boded,boded,,,,,,,,,,,, +incinerate,,,incinerates,,incinerating,,,,,incinerated,incinerated,,,,,,,,,,,, +cere,,,ceres,,cering,,,,,cered,cered,,,,,,,,,,,, +resurrect,,,resurrects,,resurrecting,,,,,resurrected,resurrected,,,,,,,,,,,, +crystallize,,,crystallizes,,crystallizing,,,,,crystallized,crystallized,,,,,,,,,,,, +implement,,,implements,,implementing,,,,,implemented,implemented,,,,,,,,,,,, +honor,,,honors,,honoring,,,,,honored,honored,,,,,,,,,,,, +abominate,,,abominates,,abominating,,,,,abominated,abominated,,,,,,,,,,,, +limp,,,limps,,limping,,,,,limped,limped,,,,,,,,,,,, +uprear,,,uprears,,uprearing,,,,,upreared,upreared,,,,,,,,,,,, +egress,,,egresses,,egressing,,,,,egressed,egressed,,,,,,,,,,,, +methought,,,methoughts,,methoughting,,,,,methoughted,methoughted,,,,,,,,,,,, +limb,,,limbs,,limbing,,,,,limbed,limbed,,,,,,,,,,,, +scandal,,,scandals,,scandaling,,,,,scandaled,scandaled,,,,,,,,,,,, +staple,,,staples,,stapling,,,,,stapled,stapled,,,,,,,,,,,, +lime,,,limes,,liming,,,,,limed,limed,,,,,,,,,,,, +superordinate,,,superordinates,,superordinating,,,,,superordinated,superordinated,,,,,,,,,,,, +emblemize,,,emblemizes,,emblemizing,,,,,emblemized,emblemized,,,,,,,,,,,, +appliqu_e,,,appliqu_es,,appliqu_eing,,,,,appliqu_eed,appliqu_eed,,,,,,,,,,,, +aviate,,,aviates,,aviating,,,,,aviated,aviated,,,,,,,,,,,, +overbear,,,overbears,,overbearing,,,,,overbore,overborne,,,,,,,,,,,, +charcoal,,,charcoals,,charcoaling,,,,,charcoaled,charcoaled,,,,,,,,,,,, +engender,,,engenders,,engendering,,,,,engendered,engendered,,,,,,,,,,,, +billet,,,billets,,billeting,,,,,billeted,billeted,,,,,,,,,,,, +thatch,,,thatchs,,thatching,,,,,thatched,thatched,,,,,,,,,,,, +trail,,,trails,,trailing,,,,,trailed,trailed,,,,,,,,,,,, +train,,,trains,,training,,,,,trained,trained,,,,,,,,,,,, +coruscate,,,coruscates,,coruscating,,,,,coruscated,coruscated,,,,,,,,,,,, +enslave,,,enslaves,,enslaving,,,,,enslaved,enslaved,,,,,,,,,,,, +supererogate,,,supererogates,,supererogating,,,,,supererogated,supererogated,,,,,,,,,,,, +harvest,,,harvests,,harvesting,,,,,harvested,harvested,,,,,,,,,,,, +renovate,,,renovates,,renovating,,,,,renovated,renovated,,,,,,,,,,,, +account,,,accounts,,accounting,,,,,accounted,accounted,,,,,,,,,,,, +tunnel,,,tunnels,,tunnelling,,,,,tunnelled,tunnelled,,,,,,,,,,,, +sibilate,,,sibilates,,sibilating,,,,,sibilated,sibilated,,,,,,,,,,,, +praise,,,praises,,praising,,,,,praised,praised,,,,,,,,,,,, +smear,,,smears,,smearing,,,,,smeared,smeared,,,,,,,,,,,, +alit,,,,,,,,,,alit,alit,,,,,,,,,,,, +institute,,,institutes,,instituting,,,,,instituted,instituted,,,,,,,,,,,, +interlope,,,interlopes,,interloping,,,,,interloped,interloped,,,,,,,,,,,, +antedate,,,antedates,,antedating,,,,,antedated,antedated,,,,,,,,,,,, +lamb,,,lambs,,lambing,,,,,lambed,lambed,,,,,,,,,,,, +rumble,,,rumbles,,rumbling,,,,,rumbled,rumbled,,,,,,,,,,,, +lame,,,lames,,laming,,,,,lamed,lamed,,,,,,,,,,,, +inwrap,,,inwraps,,inwrapping,,,,,inwrapped,inwrapped,,,,,,,,,,,, +thrall,,,thralls,,thralling,,,,,thralled,thralled,,,,,,,,,,,, +fete,,,fetes,,feting,,,,,feted,feted,,,,,,,,,,,, +anglicize,,,anglicizes,,anglicizing,,,,,anglicized,anglicized,,,,,,,,,,,, +forest,,,forests,,foresting,,,,,forested,forested,,,,,,,,,,,, +reexport,,,reexports,,reexporting,,,,,reexported,reexported,,,,,,,,,,,, +occlude,,,occludes,,occluding,,,,,occluded,occluded,,,,,,,,,,,, +stock,,,stocks,,stocking,,,,,stocked,stocked,,,,,,,,,,,, +frag,,,frags,,fragging,,,,,fragged,fragged,,,,,,,,,,,, +spin-dry,,,spin-dries,,spin-drying,,,,,spin-dried,spin-dried,,,,,,,,,,,, +hight,,,,,,,,,,,hight,,,,,,,,,,,, +nullify,,,nullifies,,nullifying,,,,,nullified,nullified,,,,,,,,,,,, +bemire,,,bemires,,bemiring,,,,,bemired,bemired,,,,,,,,,,,, +bluff,,,bluffs,,bluffing,,,,,bluffed,bluffed,,,,,,,,,,,, +frap,,,fraps,,frapping,,,,,frapped,frapped,,,,,,,,,,,, +physic,,,physics,,physicking,,,,,physicked,physicked,,,,,,,,,,,, +succuss,,,succusses,,succussing,,,,,succussed,succussed,,,,,,,,,,,, +drape,,,drapes,,draping,,,,,draped,draped,,,,,,,,,,,, +memorize,,,memorizes,,memorizing,,,,,memorized,memorized,,,,,,,,,,,, +bound,,,binds,,binding,,,,,bound,bound,,,,,,,,,,,, +correspond,,,corresponds,,corresponding,,,,,corresponded,corresponded,,,,,,,,,,,, +testdrive,,,testdrives,,testdriving,,,,,testdrove,testdriven,,,,,,,,,,,, +stevedore,,,stevedores,,stevedoring,,,,,stevedored,stevedored,,,,,,,,,,,, +dispraise,,,dispraises,,dispraising,,,,,dispraised,dispraised,,,,,,,,,,,, +furnish,,,furnishes,,furnishing,,,,,furnished,furnished,,,,,,,,,,,, +ignite,,,ignites,,igniting,,,,,ignited,ignited,,,,,,,,,,,, +scroop,,,scroops,,scrooping,,,,,scrooped,scrooped,,,,,,,,,,,, +disarm,,,disarms,,disarming,,,,,disarmed,disarmed,,,,,,,,,,,, +meter,,,meters,,metering,,,,,metered,metered,,,,,,,,,,,, +epigrammatize,,,epigrammatizes,,epigrammatizing,,,,,epigrammatized,epigrammatized,,,,,,,,,,,, +bunko,,,bunkos,,bunkoing,,,,,bunkoed,bunkoed,,,,,,,,,,,, +accrete,,,accretes,,accreting,,,,,accreted,accreted,,,,,,,,,,,, +envisage,,,envisages,,envisaging,,,,,envisaged,envisaged,,,,,,,,,,,, +bunch,,,bunches,,bunching,,,,,bunched,bunched,,,,,,,,,,,, +cudgel,,,cudgels,,cudgelling,,,,,cudgelled,cudgelled,,,,,,,,,,,, +bird's-nest,,,bird's-nests,,bird's-nesting,,,,,bird's-nested,bird's-nested,,,,,,,,,,,, +labour,,,labours,,labouring,,,,,laboured,laboured,,,,,,,,,,,, +age,,,ages,,aging,,,,,aged,aged,,,,,,,,,,,, +privatize,,,privatizes,,privatizing,,,,,privatized,privatized,,,,,,,,,,,, +sufflate,,,sufflates,,sufflating,,,,,sufflated,sufflated,,,,,,,,,,,, +solfa,,,solfas,,solfaing,,,,,solfaed,solfaed,,,,,,,,,,,, +outbid,,,outbids,,outbidding,,,,,outbid,outbidden,,,,,,,,,,,, +dab,,,dabs,,dabbing,,,,,dabbed,dabbed,,,,,,,,,,,, +dam,,,dams,,damming,,,,,dammed,dammed,,,,,,,,,,,, +spell,,,spells,,spelling,,,,,spelt,spelt,,,,,,,,,,,, +muddle,,,muddles,,muddling,,,,,muddled,muddled,,,,,,,,,,,, +denigrate,,,denigrates,,denigrating,,,,,denigrated,denigrated,,,,,,,,,,,, +mention,,,mentions,,mentioning,,,,,mentioned,mentioned,,,,,,,,,,,, +dap,,,daps,,dapping,,,,,dapped,dapped,,,,,,,,,,,, +mandate,,,mandates,,mandating,,,,,mandated,mandated,,,,,,,,,,,, +greaten,,,greatens,,greatening,,,,,greatened,greatened,,,,,,,,,,,, +outgas,,,outgasses,,outgassing,,,,,outgassed,outgassed,,,,,,,,,,,, +strive,,,strives,,striving,,,,,strove,striven,,,,,,,,,,,, +flail,,,flails,,flailing,,,,,flailed,flailed,,,,,,,,,,,, +fictionalize,,,fictionalizes,,fictionalizing,,,,,fictionalized,fictionalized,,,,,,,,,,,, +thrill,,,thrills,,thrilling,,,,,thrilled,thrilled,,,,,,,,,,,, +slacken,,,slackens,,slackening,,,,,slackened,slackened,,,,,,,,,,,, +preclude,,,precludes,,precluding,,,,,precluded,precluded,,,,,,,,,,,, +disregard,,,disregards,,disregarding,,,,,disregarded,disregarded,,,,,,,,,,,, +crosspollinate,,,crosspollinates,,crosspollinating,,,,,crosspollinated,crosspollinated,,,,,,,,,,,, +skate,,,skates,,skating,,,,,skated,skated,,,,,,,,,,,, +fare,,,fares,,faring,,,,,fared,fared,,,,,,,,,,,, +activate,,,activates,,activating,,,,,activated,activated,,,,,,,,,,,, +thwart,,,thwarts,,thwarting,,,,,thwarted,thwarted,,,,,,,,,,,, +tallage,,,tallages,,tallaging,,,,,tallaged,tallaged,,,,,,,,,,,, +calibrate,,,calibrates,,calibrating,,,,,calibrated,calibrated,,,,,,,,,,,, +wade,,,wades,,wading,,,,,waded,waded,,,,,,,,,,,, +fondle,,,fondles,,fondling,,,,,fondled,fondled,,,,,,,,,,,, +matter,,,matts,,,,,,,,,,,,,,,,,,,, +defend,,,defends,,defending,,,,,defended,defended,,,,,,,,,,,, +understudy,,,understudies,,understudying,,,,,understudied,understudied,,,,,,,,,,,, +highhat,,,highhats,,highhatting,,,,,highhatted,highhatted,,,,,,,,,,,, +ret,,,rets,,retting,,,,,retted,retted,,,,,,,,,,,, +repress,,,represses,,repressing,,,,,repressed,repressed,,,,,,,,,,,, +stub,,,stubs,,stubbing,,,,,stubbed,stubbed,,,,,,,,,,,, +mate,,,mates,,mating,,,,,mated,mated,,,,,,,,,,,, +stud,,,studs,,studding,,,,,studded,studded,,,,,,,,,,,, +lecture,,,lectures,,lecturing,,,,,lectured,lectured,,,,,,,,,,,, +postpone,,,postpones,,postponing,,,,,postponed,postponed,,,,,,,,,,,, +stun,,,stuns,,stunning,,,,,stunned,stunned,,,,,,,,,,,, +red,,,reds,,redding,,,,,redded,redded,,,,,,,,,,,, +stum,,,stums,,stumming,,,,,stummed,stummed,,,,,,,,,,,, +frank,,,franks,,franking,,,,,franked,franked,,,,,,,,,,,, +hanker,,,hankers,,hankering,,,,,hankered,hankered,,,,,,,,,,,, +clarify,,,clarifies,,clarifying,,,,,clarified,clarified,,,,,,,,,,,, +upbraid,,,upbraids,,upbraiding,,,,,upbraided,upbraided,,,,,,,,,,,, +hazard,,,hazards,,hazarding,,,,,hazarded,hazarded,,,,,,,,,,,, +bleed,,,bleeds,,bleeding,,,,,bled,bled,,,,,,,,,,,, +indent,,,indents,,indenting,,,,,indented,indented,,,,,,,,,,,, +peeve,,,peeves,,peeving,,,,,peeved,peeved,,,,,,,,,,,, +mortar,,,mortars,,mortaring,,,,,mortared,mortared,,,,,,,,,,,, +yarn,,,yarns,,yarning,,,,,yarned,yarned,,,,,,,,,,,, +steam,,,steams,,steaming,,,,,steamed,steamed,,,,,,,,,,,, +farrow,,,farrows,,farrowing,,,,,farrowed,farrowed,,,,,,,,,,,, +curette,,,curettes,,curetting,,,,,curetted,curetted,,,,,,,,,,,, +retain,,,retains,,retaining,,,,,retained,retained,,,,,,,,,,,, +retail,,,retails,,retailing,,,,,retailed,retailed,,,,,,,,,,,, +facilitate,,,facilitates,,facilitating,,,,,facilitated,facilitated,,,,,,,,,,,, +predominate,,,predominates,,predominating,,,,,predominated,predominated,,,,,,,,,,,, +suffix,,,suffixes,,suffixing,,,,,suffixed,suffixed,,,,,,,,,,,, +overshoot,,,overshoots,,overshooting,,,,,overshot,overshot,,,,,,,,,,,, +sack,,,sacks,,sacking,,,,,sacked,sacked,,,,,,,,,,,, +whoop,,,whoops,,whooping,,,,,whooped,whooped,,,,,,,,,,,, +betroth,,,betroths,,betrothing,,,,,betrothed,betrothed,,,,,,,,,,,, +hurdle,,,hurdles,,hurdling,,,,,hurdled,hurdled,,,,,,,,,,,, +instill,,,instils,,instilling,,,,,instilled,instilled,,,,,,,,,,,, +frazzle,,,frazzles,,frazzling,,,,,frazzled,frazzled,,,,,,,,,,,, +stencil,,,stencils,,stencilling,,,,,stencilled,stencilled,,,,,,,,,,,, +tootle,,,tootles,,tootling,,,,,tootled,tootled,,,,,,,,,,,, +regurgitate,,,regurgitates,,regurgitating,,,,,regurgitated,regurgitated,,,,,,,,,,,, +jingle,,,jingles,,jingling,,,,,jingled,jingled,,,,,,,,,,,, +nut,,,nuts,,nutting,,,,,nutted,nutted,,,,,,,,,,,, +dissever,,,dissevers,,dissevering,,,,,dissevered,dissevered,,,,,,,,,,,, +flume,,,flumes,,fluming,,,,,flumed,flumed,,,,,,,,,,,, +gear,,,gears,,gearing,,,,,geared,geared,,,,,,,,,,,, +eavesdrop,,,eavesdrops,,eavesdropping,,,,,eavesdropped,eavesdropped,,,,,,,,,,,, +retrench,,,retrenches,,retrenching,,,,,retrenched,retrenched,,,,,,,,,,,, +acquire,,,acquires,,acquiring,,,,,acquired,acquired,,,,,,,,,,,, +unmake,,,unmakes,,unmaking,,,,,unmade,unmade,,,,,,,,,,,, +dry-salt,,,dry-salts,,dry-salting,,,,,dry-salted,dry-salted,,,,,,,,,,,, +hem,,,hems,,hemming,,,,,hummed,hemmed,,,,,,,,,,,, +reaffirm,,,reaffirms,,reaffirming,,,,,reaffirmed,reaffirmed,,,,,,,,,,,, +outcross,,,outcrosses,,outcrossing,,,,,outcrossed,outcrossed,,,,,,,,,,,, +over-estimate,,,over-estimates,,over-estimating,,,,,overestimated,over-estimated,,,,,,,,,,,, +systemize,,,systemizes,,systemizing,,,,,systemized,systemized,,,,,,,,,,,, +prune,,,prunes,,pruning,,,,,pruned,pruned,,,,,,,,,,,, +shampoo,,,shampoos,,shampooing,,,,,shampooed,shampooed,,,,,,,,,,,, +ferule,,,ferules,,feruling,,,,,feruled,feruled,,,,,,,,,,,, +impale,,,impales,,impaling,,,,,impaled,impaled,,,,,,,,,,,, +gambol,,,gambols,,gambolling,,,,,gambolled,gambolled,,,,,,,,,,,, +electrotype,,,electrotypes,,electrotyping,,,,,electrotyped,electrotyped,,,,,,,,,,,, +neutralize,,,neutralizes,,neutralizing,,,,,neutralized,neutralized,,,,,,,,,,,, +deration,,,derations,,derationing,,,,,derationed,derationed,,,,,,,,,,,, +curvet,,,curvets,,curvetting,,,,,curvetted,curvetted,,,,,,,,,,,, +tidy,,,tidies,,tidying,,,,,tidied,tidied,,,,,,,,,,,, +forspeak,,,forspeaks,,forspeaking,,,,,forspoke,forspoken,,,,,,,,,,,, +tide,,,tides,,tiding,,,,,tided,tided,,,,,,,,,,,, +enucleate,,,enucleates,,enucleating,,,,,enucleated,enucleated,,,,,,,,,,,, +cavern,,,caverns,,caverning,,,,,caverned,caverned,,,,,,,,,,,, +have,,,has,,having,,,,,had,had,haven't,,,hasn't,,,,,,,hadn't,hadn't +dictate,,,dictates,,dictating,,,,,dictated,dictated,,,,,,,,,,,, +waken,,,wakens,,wakening,,,,,wakened,wakened,,,,,,,,,,,, +euchre,,,euchres,,euchring,,,,,euchred,euchred,,,,,,,,,,,, +mix,,,mixes,,mixing,,,,,mixed,mixed,,,,,,,,,,,, +whistlestop,,,whistlestops,,whistlestoping,,,,,whistlestoped,whistlestoped,,,,,,,,,,,, +neaten,,,neatens,,neatening,,,,,neatened,neatened,,,,,,,,,,,, +rubberstamp,,,rubberstamps,,rubberstamping,,,,,rubberstamped,rubberstamped,,,,,,,,,,,, +swot,,,swots,,swotting,,,,,swotted,swotted,,,,,,,,,,,, +fructify,,,fructifies,,fructifying,,,,,fructified,fructified,,,,,,,,,,,, +innervate,,,innervates,,innervating,,,,,innervated,innervated,,,,,,,,,,,, +featherbed,,,featherbeds,,featherbedding,,,,,featherbedded,featherbedded,,,,,,,,,,,, +procure,,,procures,,procuring,,,,,procured,procured,,,,,,,,,,,, +rearrange,,,rearranges,,rearranging,,,,,rearranged,rearranged,,,,,,,,,,,, +propagate,,,propagates,,propagating,,,,,propagated,propagated,,,,,,,,,,,, +clamber,,,clambers,,clambering,,,,,clambered,clambered,,,,,,,,,,,, +hoodwink,,,hoodwinks,,hoodwinking,,,,,hoodwinked,hoodwinked,,,,,,,,,,,, +sally,,,sallies,,sallying,,,,,sallied,sallied,,,,,,,,,,,, +snuffle,,,snuffles,,snuffling,,,,,snuffled,snuffled,,,,,,,,,,,, +gather,,,gathers,,gathering,,,,,gathered,gathered,,,,,,,,,,,, +request,,,requests,,requesting,,,,,requested,requested,,,,,,,,,,,, +rendezvous,,,rendezvouses,,rendezvousing,,,,,rendezvoused,rendezvoused,,,,,,,,,,,, +occasion,,,occasions,,occasioning,,,,,occasioned,occasioned,,,,,,,,,,,, +outlive,,,outlives,,outliving,,,,,outlived,outlived,,,,,,,,,,,, +squilgee,,,squilgees,,squilgeeing,,,,,squilgeed,squilgeed,,,,,,,,,,,, +thicken,,,thickens,,thickening,,,,,thickened,thickened,,,,,,,,,,,, +recess,,,recesses,,recessing,,,,,recessed,recessed,,,,,,,,,,,, +kite,,,kites,,kiting,,,,,kited,kited,,,,,,,,,,,, +incapacitate,,,incapacitates,,incapacitating,,,,,incapacitated,incapacitated,,,,,,,,,,,, +rebuke,,,rebukes,,rebuking,,,,,rebuked,rebuked,,,,,,,,,,,, +sidetrack,,,sidetracks,,sidetracking,,,,,sidetracked,sidetracked,,,,,,,,,,,, +floodlight,,,floodlights,,floodlighting,,,,,floodlit,floodlit,,,,,,,,,,,, +staff,,,staffs,,staffing,,,,,staffed,staffed,,,,,,,,,,,, +stonk,,,stonks,,stonking,,,,,stonked,stonked,,,,,,,,,,,, +obsecrate,,,obsecrates,,obsecrating,,,,,obsecrated,obsecrated,,,,,,,,,,,, +mug,,,mugs,,mugging,,,,,mugged,mugged,,,,,,,,,,,, +ossify,,,ossifies,,ossifying,,,,,ossified,ossified,,,,,,,,,,,, +prolong,,,prolongs,,prolonging,,,,,prolonged,prolonged,,,,,,,,,,,, +resubmit,,,resubmits,,resubmiting,,,,,resubmited,resubmited,,,,,,,,,,,, +vacillate,,,vacillates,,vacillating,,,,,vacillated,vacillated,,,,,,,,,,,, +outstand,,,outstands,,outstanding,,,,,outstood,outstood,,,,,,,,,,,, +outwear,,,outwears,,outwearing,,,,,outwore,outworn,,,,,,,,,,,, +woosh,,,wooshes,,wooshing,,,,,wooshed,wooshed,,,,,,,,,,,, +spiflicate,,,spiflicates,,spiflicating,,,,,spiflicated,spiflicated,,,,,,,,,,,, +starch,,,starches,,starching,,,,,starched,starched,,,,,,,,,,,, +beat,,,beats,,beating,,,,,beat,beaten,,,,,,,,,,,, +pave,,,paves,,paving,,,,,paved,paved,,,,,,,,,,,, +accrue,,,accrues,,accruing,,,,,accrued,accrued,,,,,,,,,,,, +beam,,,beams,,beaming,,,,,beamed,beamed,,,,,,,,,,,, +mislay,,,mislays,,mislaying,,,,,mislaid,mislaid,,,,,,,,,,,, +bead,,,beads,,beading,,,,,beaded,beaded,,,,,,,,,,,, +unhelm,,,unhelms,,unhelming,,,,,unhelmed,unhelmed,,,,,,,,,,,, +albumenize,,,albumenizes,,albumenizing,,,,,albumenized,albumenized,,,,,,,,,,,, +misappropriate,,,misappropriates,,misappropriating,,,,,misappropriated,misappropriated,,,,,,,,,,,, +benumb,,,benumbs,,benumbing,,,,,benumbed,benumbed,,,,,,,,,,,, +reluct,,,relucts,,relucting,,,,,relucted,relucted,,,,,,,,,,,, +irrupt,,,irrupts,,irrupting,,,,,irrupted,irrupted,,,,,,,,,,,, +spreadeagle,,,spreadeagles,,spreadeagling,,,,,spreadeagled,spreadeagled,,,,,,,,,,,, +colorcode,,,colorcodes,,colorcoding,,,,,colorcoded,colorcoded,,,,,,,,,,,, +hypostasize,,,hypostasizes,,hypostasizing,,,,,hypostasized,hypostasized,,,,,,,,,,,, +defame,,,defames,,defaming,,,,,defamed,defamed,,,,,,,,,,,, +entomologize,,,entomologizes,,entomologizing,,,,,entomologized,entomologized,,,,,,,,,,,, +conform,,,conforms,,conforming,,,,,conformed,conformed,,,,,,,,,,,, +puddle,,,puddles,,puddling,,,,,puddled,puddled,,,,,,,,,,,, +blackball,,,blackballs,,blackballing,,,,,blackballed,blackballed,,,,,,,,,,,, +accord,,,accords,,according,,,,,accorded,accorded,,,,,,,,,,,, +dislodge,,,dislodges,,dislodging,,,,,dislodged,dislodged,,,,,,,,,,,, +racquet,,,racquets,,racqueting,,,,,racqueted,racqueted,,,,,,,,,,,, +extradite,,,extradites,,extraditing,,,,,extradited,extradited,,,,,,,,,,,, +rodomontade,,,rodomontades,,rodomontading,,,,,rodomontaded,rodomontaded,,,,,,,,,,,, +progress,,,progresses,,progressing,,,,,progressed,progressed,,,,,,,,,,,, +bramble,,,brambles,,brambling,,,,,brambled,brambled,,,,,,,,,,,, +admeasure,,,admeasures,,admeasuring,,,,,admeasured,admeasured,,,,,,,,,,,, +saut_e,,,saut_es,,saut_eing,,,,,saut_eed,saut_eed,,,,,,,,,,,, +gyve,,,gyves,,gyving,,,,,gyved,gyved,,,,,,,,,,,, +sorrow,,,sorrows,,sorrowing,,,,,sorrowed,sorrowed,,,,,,,,,,,, +grumble,,,grumbles,,grumbling,,,,,grumbled,grumbled,,,,,,,,,,,, +deliver,,,delivers,,delivering,,,,,delivered,delivered,,,,,,,,,,,, +gimlet,,,gimlets,,gimleting,,,,,gimleted,gimleted,,,,,,,,,,,, +roughhouse,,,roughhouses,,roughhousing,,,,,roughhoused,roughhoused,,,,,,,,,,,, +Italianize,,,Italianizes,,Italianizing,,,,,Italianized,Italianized,,,,,,,,,,,, +anodize,,,anodizes,,anodizing,,,,,anodized,anodized,,,,,,,,,,,, +trump,,,trumps,,trumping,,,,,trumped,trumped,,,,,,,,,,,, +joke,,,jokes,,joking,,,,,joked,joked,,,,,,,,,,,, +alcoholize,,,alcoholizes,,alcoholizing,,,,,alcoholized,alcoholized,,,,,,,,,,,, +equal,,,equals,,equaling,,,,,equaled,equaled,,,,,,,,,,,, +pulp,,,pulps,,pulping,,,,,pulped,pulped,,,,,,,,,,,, +assure,,,assures,,assuring,,,,,assured,assured,,,,,,,,,,,, +predispose,,,predisposes,,predisposing,,,,,predisposed,predisposed,,,,,,,,,,,, +re-form,,,re-forms,,re-forming,,,,,reformed,re-formed,,,,,,,,,,,, +overstaff,,,overstaffs,,overstaffing,,,,,overstaffed,overstaffed,,,,,,,,,,,, +swallow,,,swallows,,swallowing,,,,,swallowed,swallowed,,,,,,,,,,,, +comment,,,comments,,commenting,,,,,commented,commented,,,,,,,,,,,, +fester,,,festers,,festering,,,,,festered,festered,,,,,,,,,,,, +commend,,,commends,,commending,,,,,commended,commended,,,,,,,,,,,, +vend,,,vends,,vending,,,,,vended,vended,,,,,,,,,,,, +devoice,,,devoices,,devoicing,,,,,devoiced,devoiced,,,,,,,,,,,, +recompense,,,recompenses,,recompensing,,,,,recompensed,recompensed,,,,,,,,,,,, +harpoon,,,harpoons,,harpooning,,,,,harpooned,harpooned,,,,,,,,,,,, +electrify,,,electrifies,,electrifying,,,,,electrified,electrified,,,,,,,,,,,, +actualize,,,actualizes,,actualizing,,,,,actualized,actualized,,,,,,,,,,,, +muddy,,,muddies,,muddying,,,,,muddied,muddied,,,,,,,,,,,, +logroll,,,logrolls,,logrolling,,,,,logrolled,logrolled,,,,,,,,,,,, +gaze,,,gazes,,gazing,,,,,gazed,gazed,,,,,,,,,,,, +curtain,,,curtains,,curtaining,,,,,curtained,curtained,,,,,,,,,,,, +curtail,,,curtails,,curtailing,,,,,curtailed,curtailed,,,,,,,,,,,, +define,,,defines,,defining,,,,,defined,defined,,,,,,,,,,,, +upheave,,,upheaves,,upheaving,,,,,upheaved,upheaved,,,,,,,,,,,, +minify,,,minifies,,minifying,,,,,minified,minified,,,,,,,,,,,, +Photostat,,,Photostats,,Photostatting,,,,,Photostatted,Photostatted,,,,,,,,,,,, +protect,,,protects,,protecting,,,,,protected,protected,,,,,,,,,,,, +bulk,,,bulks,,bulking,,,,,bulked,bulked,,,,,,,,,,,, +tense,,,tenses,,tensing,,,,,tensed,tensed,,,,,,,,,,,, +bull,,,bulls,,bulling,,,,,bulled,bulled,,,,,,,,,,,, +exfoliate,,,exfoliates,,exfoliating,,,,,exfoliated,exfoliated,,,,,,,,,,,, +fellow,,,fellows,,fellowing,,,,,fellowed,fellowed,,,,,,,,,,,, +volunteer,,,volunteers,,volunteering,,,,,volunteered,volunteered,,,,,,,,,,,, +fustigate,,,fustigates,,fustigating,,,,,fustigated,fustigated,,,,,,,,,,,, +enshrinshrine,,,enshrinshrines,,enshrinshrining,,,,,enshrinshrined,enshrinshrined,,,,,,,,,,,, +value,,,values,,valuing,,,,,valued,valued,,,,,,,,,,,, +plait,,,plaits,,plaiting,,,,,plated,plaited,,,,,,,,,,,, +preconceive,,,preconceives,,preconceiving,,,,,preconceived,preconceived,,,,,,,,,,,, +scatter,,,scatters,,scattering,,,,,scattered,scattered,,,,,,,,,,,, +magnetize,,,magnetizes,,magnetizing,,,,,magnetized,magnetized,,,,,,,,,,,, +deek,,,deeks,,deeking,,,,,deeked,deeked,,,,,,,,,,,, +permeate,,,permeates,,permeating,,,,,permeated,permeated,,,,,,,,,,,, +vulcanize,,,vulcanizes,,vulcanizing,,,,,vulcanized,vulcanized,,,,,,,,,,,, +bicker,,,bickers,,bickering,,,,,bickered,bickered,,,,,,,,,,,, +dissent,,,dissents,,dissenting,,,,,dissented,dissented,,,,,,,,,,,, +quantize,,,quantizes,,quantizing,,,,,quantized,quantized,,,,,,,,,,,, +prose,,,proses,,prosing,,,,,prosed,prosed,,,,,,,,,,,, +partner,,,partners,,partnering,,,,,partnered,partnered,,,,,,,,,,,, +subirrigate,,,subirrigates,,subirrigating,,,,,subirrigated,subirrigated,,,,,,,,,,,, +anathematize,,,anathematizes,,anathematizing,,,,,anathematized,anathematized,,,,,,,,,,,, +portray,,,portrays,,portraying,,,,,portrayed,portrayed,,,,,,,,,,,, +facet,,,facets,,faceting,,,,,faceted,faceted,,,,,,,,,,,, +tremble,,,trembles,,trembling,,,,,trembled,trembled,,,,,,,,,,,, +eulogize,,,eulogizes,,eulogizing,,,,,eulogized,eulogized,,,,,,,,,,,, +unlade,,,unlades,,unlading,,,,,unladed,unladed,,,,,,,,,,,, +slobber,,,slobbers,,slobbering,,,,,slobbered,slobbered,,,,,,,,,,,, +shuttle,,,shuttles,,shuttling,,,,,shuttled,shuttled,,,,,,,,,,,, +infer,,,infers,,inferring,,,,,inferred,inferred,,,,,,,,,,,, +capsulize,,,capsulizes,,capsulizing,,,,,capsulized,capsulized,,,,,,,,,,,, +supercharge,,,supercharges,,supercharging,,,,,supercharged,supercharged,,,,,,,,,,,, +pockmark,,,pockmarks,,pockmarking,,,,,pockmarked,pockmarked,,,,,,,,,,,, +misgovern,,,misgoverns,,misgoverning,,,,,misgoverned,misgoverned,,,,,,,,,,,, +pinfold,,,pinfolds,,pinfolding,,,,,pinfolded,pinfolded,,,,,,,,,,,, +grandstand,,,grandstands,,grandstanding,,,,,grandstanded,grandstanded,,,,,,,,,,,, +breech,,,breeches,,breeching,,,,,breeched,breeched,,,,,,,,,,,, +topsoil,,,topsoils,,topsoiling,,,,,topsoiled,topsoiled,,,,,,,,,,,, +besmirch,,,besmirches,,besmirching,,,,,besmirched,besmirched,,,,,,,,,,,, +retard,,,retards,,retarding,,,,,retarded,retarded,,,,,,,,,,,, +centre,,,centres,,centring,,,,,centred,centred,,,,,,,,,,,, +backstitch,,,backstitches,,backstitching,,,,,backstitched,backstitched,,,,,,,,,,,, +underfund,,,underfunds,,underfunding,,,,,underfunded,underfunded,,,,,,,,,,,, +position,,,positions,,positioning,,,,,positioned,positioned,,,,,,,,,,,, +publicize,,,publicizes,,publicizing,,,,,publicized,publicized,,,,,,,,,,,, +muscle,,,muscles,,muscling,,,,,muscled,muscled,,,,,,,,,,,, +reintroduce,,,reintroduces,,reintroducing,,,,,reintroduced,reintroduced,,,,,,,,,,,, +fluoridate,,,fluoridates,,fluoridating,,,,,fluoridated,fluoridated,,,,,,,,,,,, +unarm,,,unarms,,unarming,,,,,unarmed,unarmed,,,,,,,,,,,, +excise,,,excises,,excising,,,,,excised,excised,,,,,,,,,,,, +ratify,,,ratifies,,ratifying,,,,,ratified,ratified,,,,,,,,,,,, +necessitate,,,necessitates,,necessitating,,,,,necessitated,necessitated,,,,,,,,,,,, +inveigle,,,inveigles,,inveigling,,,,,inveigled,inveigled,,,,,,,,,,,, +evince,,,evinces,,evincing,,,,,evinced,evinced,,,,,,,,,,,, +surpass,,,surpasses,,surpassing,,,,,surpassed,surpassed,,,,,,,,,,,, +localize,,,localizes,,localizing,,,,,localized,localized,,,,,,,,,,,, +graduate,,,graduates,,graduating,,,,,graduated,graduated,,,,,,,,,,,, +denaturize,,,denaturizes,,denaturizing,,,,,denaturized,denaturized,,,,,,,,,,,, +pretermit,,,pretermits,,pretermitting,,,,,pretermitted,pretermitted,,,,,,,,,,,, +tong,,,tongs,,tonging,,,,,tonged,tonged,,,,,,,,,,,, +smarm,,,smarms,,smarming,,,,,smarmed,smarmed,,,,,,,,,,,, +underact,,,underacts,,underacting,,,,,underacted,underacted,,,,,,,,,,,, +bench,,,benches,,benching,,,,,benched,benched,,,,,,,,,,,, +add,,,adds,,adding,,,,,added,added,,,,,,,,,,,, +decapitate,,,decapitates,,decapitating,,,,,decapitated,decapitated,,,,,,,,,,,, +scrimp,,,scrimps,,scrimping,,,,,scrimped,scrimped,,,,,,,,,,,, +ravel,,,ravels,,ravelling,,,,,ravelled,ravelled,,,,,,,,,,,, +ought,,,,,,,,,,,,oughtn't,,,,,,,,,,, +ravin,,,ravins,,ravining,,,,,ravined,ravined,,,,,,,,,,,, +miscalculate,,,miscalculates,,miscalculating,,,,,miscalculated,miscalculated,,,,,,,,,,,, +knacker,,,knackers,,knackering,,,,,knackered,knackered,,,,,,,,,,,, +overexert,,,overexerts,,overexerting,,,,,overexerted,overexerted,,,,,,,,,,,, +windowshop,,,windowshops,,windowshopping,,,,,windowshopped,windowshopped,,,,,,,,,,,, +insert,,,inserts,,inserting,,,,,inserted,inserted,,,,,,,,,,,, +like,,,likes,,liking,,,,,liked,liked,,,,,,,,,,,, +tram,,,trams,,tramming,,,,,trammed,trammed,,,,,,,,,,,, +contradistinguish,,,contradistinguishes,,contradistinguishing,,,,,contradistinguished,contradistinguished,,,,,,,,,,,, +heed,,,heeds,,heeding,,,,,heeded,heeded,,,,,,,,,,,, +arraign,,,arraigns,,arraigning,,,,,arraigned,arraigned,,,,,,,,,,,, +heel,,,heels,,heeling,,,,,heeled,heeled,,,,,,,,,,,, +decease,,,deceases,,deceasing,,,,,deceased,deceased,,,,,,,,,,,, +propel,,,propels,,propelling,,,,,propelled,propelled,,,,,,,,,,,, +hail,,,hails,,hailing,,,,,hailed,hailed,,,,,,,,,,,, +corroborate,,,corroborates,,corroborating,,,,,corroborated,corroborated,,,,,,,,,,,, +solemnize,,,solemnizes,,solemnizing,,,,,solemnized,solemnized,,,,,,,,,,,, +convey,,,conveys,,conveying,,,,,conveyed,conveyed,,,,,,,,,,,, +convex,,,convexes,,convexing,,,,,convexed,convexed,,,,,,,,,,,, +escallop,,,escallops,,escalloping,,,,,escalloped,escalloped,,,,,,,,,,,, +refill,,,refills,,refilling,,,,,refilled,refilled,,,,,,,,,,,, +reify,,,reifies,,reifying,,,,,reified,reified,,,,,,,,,,,, +shrug,,,shrugs,,shrugging,,,,,shrugged,shrugged,,,,,,,,,,,, +demobilize,,,demobilizes,,demobilizing,,,,,demobilized,demobilized,,,,,,,,,,,, +slide,,,slides,,sliding,,,,,slid,slidden,,,,,,,,,,,, +snuggle,,,snuggles,,snuggling,,,,,snuggled,snuggled,,,,,,,,,,,, +regain,,,regains,,regaining,,,,,regained,regained,,,,,,,,,,,, +pepper,,,peppers,,peppering,,,,,peppered,peppered,,,,,,,,,,,, +noise,,,noises,,noising,,,,,noised,noised,,,,,,,,,,,, +slight,,,slights,,slighting,,,,,slighted,slighted,,,,,,,,,,,, +aerify,,,aerifies,,aerifying,,,,,aerified,aerified,,,,,,,,,,,, +host,,,hosts,,hosting,,,,,hosted,hosted,,,,,,,,,,,, +expire,,,expires,,expiring,,,,,expired,expired,,,,,,,,,,,, +narrate,,,narrates,,narrating,,,,,narrated,narrated,,,,,,,,,,,, +panel,,,panels,,panelling,,,,,panelled,panelled,,,,,,,,,,,, +socket,,,sockets,,socketing,,,,,socketed,socketed,,,,,,,,,,,, +flake,,,flakes,,flaking,,,,,flaked,flaked,,,,,,,,,,,, +preen,,,preens,,preening,,,,,preened,preened,,,,,,,,,,,, +decimate,,,decimates,,decimating,,,,,decimated,decimated,,,,,,,,,,,, +beseem,,,beseems,,beseeming,,,,,beseemed,beseemed,,,,,,,,,,,, +evoke,,,evokes,,evoking,,,,,evoked,evoked,,,,,,,,,,,, +discard,,,discards,,discarding,,,,,discarded,discarded,,,,,,,,,,,, +reave,,,reaves,,reaving,,,,,reaved,reaved,,,,,,,,,,,, +miscast,,,miscasts,,miscasting,,,,,miscast,miscast,,,,,,,,,,,, +yaup,,,yaups,,yauping,,,,,yauped,yauped,,,,,,,,,,,, +droop,,,droops,,drooping,,,,,drooped,drooped,,,,,,,,,,,, +forereach,,,forereaches,,forereaching,,,,,forereached,forereached,,,,,,,,,,,, +guard,,,guards,,guarding,,,,,guarded,guarded,,,,,,,,,,,, +esteem,,,esteems,,esteeming,,,,,esteemed,esteemed,,,,,,,,,,,, +side-dress,,,side-dresses,,side-dressing,,,,,side-dressed,side-dressed,,,,,,,,,,,, +cross-breed,,,cross-breeds,,cross-breeding,,,,,cross-bred,cross-bred,,,,,,,,,,,, +ridge,,,ridges,,ridging,,,,,ridged,ridged,,,,,,,,,,,, +buckle,,,buckles,,buckling,,,,,buckled,buckled,,,,,,,,,,,, +outline,,,outlines,,outlining,,,,,outlined,outlined,,,,,,,,,,,, +condense,,,condenses,,condensing,,,,,condensed,condensed,,,,,,,,,,,, +theologize,,,theologizes,,theologizing,,,,,theologized,theologized,,,,,,,,,,,, +ablate,,,ablates,,ablating,,,,,ablated,ablated,,,,,,,,,,,, +introvert,,,introverts,,introverting,,,,,introverted,introverted,,,,,,,,,,,, +maze,,,,,mazing,,,,,mazed,mazed,,,,,,,,,,,, +offprint,,,offprints,,offprinting,,,,,offprinted,offprinted,,,,,,,,,,,, +buy,,,buys,,buying,,,,,bought,bought,,,,,,,,,,,, +ploat,,,ploats,,ploating,,,,,ploated,ploated,,,,,,,,,,,, +bur,,,burs,,burring,,,,,burred,burred,,,,,,,,,,,, +bus,,,busses,,bussing,,,,,bussed,bussed,,,,,,,,,,,, +brand,,,brands,,branding,,,,,branded,branded,,,,,,,,,,,, +disambiguate,,,disambiguates,,disambiguating,,,,,disambiguated,disambiguated,,,,,,,,,,,, +dandle,,,dandles,,dandling,,,,,dandled,dandled,,,,,,,,,,,, +plague,,,plagues,,plaguing,,,,,plagued,plagued,,,,,,,,,,,, +bum,,,bums,,bumming,,,,,bummed,bummed,,,,,,,,,,,, +tiller,,,tillers,,tillering,,,,,tillered,tillered,,,,,,,,,,,, +bug,,,bugs,,bugging,,,,,bugged,bugged,,,,,,,,,,,, +bud,,,buds,,budding,,,,,budded,budded,,,,,,,,,,,, +embargo,,,embargoes,,embargoing,,,,,embargoed,embargoed,,,,,,,,,,,, +intitule,,,intitules,,intituling,,,,,intituled,intituled,,,,,,,,,,,, +wise,,,,,wising,,,,,wised,wised,,,,,,,,,,,, +glory,,,glories,,glorying,,,,,gloried,gloried,,,,,,,,,,,, +flit,,,flits,,flitting,,,,,flitted,flitted,,,,,,,,,,,, +unload,,,unloads,,unloading,,,,,unloaded,unloaded,,,,,,,,,,,, +spacewalk,,,spacewalks,,spacewalking,,,,,spacewalked,spacewalked,,,,,,,,,,,, +flip,,,flips,,flipping,,,,,flipped,flipped,,,,,,,,,,,, +skylark,,,skylarks,,skylarking,,,,,skylarked,skylarked,,,,,,,,,,,, +wisp,,,wisps,,wisping,,,,,wisped,wisped,,,,,,,,,,,, +wist,,,wists,,wisting,,,,,wisted,wisted,,,,,,,,,,,, +cosher,,,coshers,,coshering,,,,,coshered,coshered,,,,,,,,,,,, +confect,,,confects,,confecting,,,,,confected,confected,,,,,,,,,,,, +troat,,,troats,,troating,,,,,troated,troated,,,,,,,,,,,, +pin,,,pins,,pinning,,,,,pinned,pinned,,,,,,,,,,,, +garter,,,garters,,gartering,,,,,gartered,gartered,,,,,,,,,,,, +pig,,,pigs,,pigging,,,,,pigged,pigged,,,,,,,,,,,, +hansel,,,hansels,,hanseling,,,,,hanseled,hanseled,,,,,,,,,,,, +pip,,,pips,,pipping,,,,,pipped,pipped,,,,,,,,,,,, +pit,,,pits,,pitting,,,,,pitted,pitted,,,,,,,,,,,, +presignify,,,presignifies,,presignifying,,,,,presignified,presignified,,,,,,,,,,,, +individuate,,,individuates,,individuating,,,,,individuated,individuated,,,,,,,,,,,, +detain,,,detains,,detaining,,,,,detained,detained,,,,,,,,,,,, +babbitt,,,babbitts,,babbitting,,,,,babbitted,babbitted,,,,,,,,,,,, +oar,,,oars,,oaring,,,,,oared,oared,,,,,,,,,,,, +counterweigh,,,counterweighs,,counterweighing,,,,,counterweighed,counterweighed,,,,,,,,,,,, +redden,,,reddens,,reddening,,,,,reddened,reddened,,,,,,,,,,,, +flange,,,flanges,,flanging,,,,,flanged,flanged,,,,,,,,,,,, +bundle,,,bundles,,bundling,,,,,bundled,bundled,,,,,,,,,,,, +wallow,,,wallows,,wallowing,,,,,wallowed,wallowed,,,,,,,,,,,, +shrank,,,shranks,,shranking,,,,,shranked,shranked,,,,,,,,,,,, +intussuscept,,,intussuscepts,,intussuscepting,,,,,intussuscepted,intussuscepted,,,,,,,,,,,, +wallop,,,wallops,,walloping,,,,,walloped,walloped,,,,,,,,,,,, +flue-cure,,,flue-cures,,flue-curing,,,,,flue-cured,flue-cured,,,,,,,,,,,, +ramble,,,rambles,,rambling,,,,,rambled,rambled,,,,,,,,,,,, +yelp,,,yelps,,yelping,,,,,yelped,yelped,,,,,,,,,,,, +bulwark,,,bulwarks,,bulwarking,,,,,bulwarked,bulwarked,,,,,,,,,,,, +mispled,,,mispleds,,mispleding,,,,,mispled,mispled,,,,,,,,,,,, +jab,,,jabs,,jabbing,,,,,jabbed,jabbed,,,,,,,,,,,, +intreat,,,intreats,,intreating,,,,,intreated,intreated,,,,,,,,,,,, +yell,,,yells,,yelling,,,,,yelled,yelled,,,,,,,,,,,, +parole,,,paroles,,paroling,,,,,paroled,paroled,,,,,,,,,,,, +ejaculate,,,ejaculates,,ejaculating,,,,,ejaculated,ejaculated,,,,,,,,,,,, +hitch,,,hitches,,hitching,,,,,hitched,hitched,,,,,,,,,,,, +sleet,,,sleets,,sleeting,,,,,sleeted,sleeted,,,,,,,,,,,, +sleep,,,sleeps,,sleeping,,,,,slept,slept,,,,,,,,,,,, +signalize,,,signalizes,,signalizing,,,,,signalized,signalized,,,,,,,,,,,, +hate,,,hates,,hating,,,,,hated,hated,,,,,,,,,,,, +muzzle,,,muzzles,,muzzling,,,,,muzzled,muzzled,,,,,,,,,,,, +Hoover,,,Hoovers,,Hoovering,,,,,Hoovered,Hoovered,,,,,,,,,,,, +violate,,,violates,,violating,,,,,violated,violated,,,,,,,,,,,, +caddy,,,caddies,,caddying,,,,,caddied,caddied,,,,,,,,,,,, +snipe,,,snipes,,sniping,,,,,sniped,sniped,,,,,,,,,,,, +tweet,,,tweets,,tweeting,,,,,tweeted,tweeted,,,,,,,,,,,, +whipsaw,,,whipsaws,,whipsawing,,,,,whipsawed,whipsawed,,,,,,,,,,,, +rankle,,,rankles,,rankling,,,,,rankled,rankled,,,,,,,,,,,, +doublecheck,,,doublechecks,,doublechecking,,,,,doublechecked,doublechecked,,,,,,,,,,,, +pride,,,prides,,priding,,,,,prided,prided,,,,,,,,,,,, +shellac,,,shellacs,,shellacking,,,,,shellacked,shellacked,,,,,,,,,,,, +merchant,,,merchants,,merchanting,,,,,merchanted,merchanted,,,,,,,,,,,, +derogate,,,derogates,,derogating,,,,,derogated,derogated,,,,,,,,,,,, +conjecture,,,conjectures,,conjecturing,,,,,conjectured,conjectured,,,,,,,,,,,, +risk,,,risks,,risking,,,,,risked,risked,,,,,,,,,,,, +dispense,,,dispenses,,dispensing,,,,,dispensed,dispensed,,,,,,,,,,,, +rise,,,rises,,rising,,,,,rose,risen,,,,,,,,,,,, +lurk,,,lurks,,lurking,,,,,lurked,lurked,,,,,,,,,,,, +abreact,,,abreacts,,abreacting,,,,,abreacted,abreacted,,,,,,,,,,,, +adumbrate,,,adumbrates,,adumbrating,,,,,adumbrated,adumbrated,,,,,,,,,,,, +disfranchise,,,disfranchises,,disfranchising,,,,,disfranchised,disfranchised,,,,,,,,,,,, +jack,,,jacks,,jacking,,,,,jacked,jacked,,,,,,,,,,,, +evert,,,everts,,everting,,,,,everted,everted,,,,,,,,,,,, +encounter,,,encounters,,encountering,,,,,encountered,encountered,,,,,,,,,,,, +school,,,schools,,schooling,,,,,schooled,schooled,,,,,,,,,,,, +parrot,,,parrots,,parroting,,,,,parroted,parroted,,,,,,,,,,,, +conceive,,,conceives,,conceiving,,,,,conceived,conceived,,,,,,,,,,,, +enjoy,,,enjoys,,enjoying,,,,,enjoyed,enjoyed,,,,,,,,,,,, +fricassee,,,fricassees,,fricasseeing,,,,,fricasseed,fricasseed,,,,,,,,,,,, +overdo,,,overdoes,,overdoing,,,,,overdid,overdone,,,,,,,,,,,, +bicycle,,,bicycles,,bicycling,,,,,bicycled,bicycled,,,,,,,,,,,, +intercut,,,intercuts,,intercutting,,,,,intercut,intercut,,,,,,,,,,,, +direct,,,directs,,directing,,,,,directed,directed,,,,,,,,,,,, +snafu,,,snafues,,snafuing,,,,,snafued,snafued,,,,,,,,,,,, +louden,,,loudens,,loudening,,,,,loudened,loudened,,,,,,,,,,,, +nail,,,nails,,nailing,,,,,nailed,nailed,,,,,,,,,,,, +scrutinize,,,scrutinizes,,scrutinizing,,,,,scrutinized,scrutinized,,,,,,,,,,,, +persuade,,,persuades,,persuading,,,,,persuaded,persuaded,,,,,,,,,,,, +channelize,,,channelizes,,channelizing,,,,,channelized,channelized,,,,,,,,,,,, +enounce,,,enounces,,enouncing,,,,,enounced,enounced,,,,,,,,,,,, +blue,,,blues,,bluing,,,,,blued,blued,,,,,,,,,,,, +hide,,,hides,,hiding,,,,,hid,hidden,,,,,,,,,,,, +conduce,,,conduces,,conducing,,,,,conduced,conduced,,,,,,,,,,,, +blub,,,blubs,,blubbing,,,,,blubbed,blubbed,,,,,,,,,,,, +worsen,,,worsens,,worsening,,,,,worsened,worsened,,,,,,,,,,,, +introspect,,,introspects,,introspecting,,,,,introspected,introspected,,,,,,,,,,,, +poison,,,poisons,,poisoning,,,,,poisoned,poisoned,,,,,,,,,,,, +insinuate,,,insinuates,,insinuating,,,,,insinuated,insinuated,,,,,,,,,,,, +indorse,,,indorses,,indorsing,,,,,indorsed,indorsed,,,,,,,,,,,, +jaundice,,,jaundices,,jaundicing,,,,,jaundiced,jaundiced,,,,,,,,,,,, +tetanize,,,tetanizes,,tetanizing,,,,,tetanized,tetanized,,,,,,,,,,,, +foreknow,,,foreknows,,foreknowing,,,,,foreknew,foreknown,,,,,,,,,,,, +dehydrogenize,,,dehydrogenizes,,dehydrogenizing,,,,,dehydrogenized,dehydrogenized,,,,,,,,,,,, +jampack,,,jampacks,,jampacking,,,,,jampacked,jampacked,,,,,,,,,,,, +metamorphose,,,metamorphoses,,metamorphosing,,,,,metamorphosed,metamorphosed,,,,,,,,,,,, +floreo,,,floreat,,,,,floruit,,floruit,,,,,,,,,,,,, +acidify,,,acidifies,,acidifying,,,,,acidified,acidified,,,,,,,,,,,, +punch,,,punches,,punching,,,,,punched,punched,,,,,,,,,,,, +superannuate,,,superannuates,,superannuating,,,,,superannuated,superannuated,,,,,,,,,,,, +verbify,,,verbifies,,verbifying,,,,,verbified,verbified,,,,,,,,,,,, +ravish,,,ravishes,,ravishing,,,,,ravished,ravished,,,,,,,,,,,, +auction,,,auctions,,auctioning,,,,,auctioned,auctioned,,,,,,,,,,,, +deoxidize,,,deoxidizes,,deoxidizing,,,,,deoxidized,deoxidized,,,,,,,,,,,, +ridicule,,,ridicules,,ridiculing,,,,,ridiculed,ridiculed,,,,,,,,,,,, +culminate,,,culminates,,culminating,,,,,culminated,culminated,,,,,,,,,,,, +outpace,,,outpaces,,outpacing,,,,,outpaced,outpaced,,,,,,,,,,,, +precis,,,precises,,precising,,,,,precised,precised,,,,,,,,,,,, +lignify,,,lignifies,,lignifying,,,,,lignified,lignified,,,,,,,,,,,, +leaven,,,leavens,,leavening,,,,,leavened,leavened,,,,,,,,,,,, +intersperse,,,intersperses,,interspersing,,,,,interspersed,interspersed,,,,,,,,,,,, +stray,,,strays,,straying,,,,,strayed,strayed,,,,,,,,,,,, +straw,,,straws,,strawing,,,,,strawed,strawed,,,,,,,,,,,, +stink,,,stinks,,stinking,,,,,stunk,,,,,,,,,,,,, +strap,,,straps,,strapping,,,,,strapped,strapped,,,,,,,,,,,, +descale,,,descales,,descaling,,,,,descaled,descaled,,,,,,,,,,,, +would,,,woulds,,woulding,,,,,woulded,woulded,wouldn't,,,,,,,,,,, +pigeonhole,,,pigeonholes,,pigeonholing,,,,,pigeonholed,pigeonholed,,,,,,,,,,,, +interlace,,,interlaces,,interlacing,,,,,interlaced,interlaced,,,,,,,,,,,, +racketeer,,,racketeers,,racketeering,,,,,racketeered,racketeered,,,,,,,,,,,, +underprop,,,underprops,,underpropping,,,,,underpropped,underpropped,,,,,,,,,,,, +swinge,,,swinges,,swingeing,,,,,swinged,swinged,,,,,,,,,,,, +spike,,,spikes,,spiking,,,,,spiked,spiked,,,,,,,,,,,, +overlive,,,overlives,,overliving,,,,,overlived,overlived,,,,,,,,,,,, +prevue,,,prevues,,prevuing,,,,,prevued,prevued,,,,,,,,,,,, +breathe,,,breathes,,breathing,,,,,breathed,breathed,,,,,,,,,,,, +blather,,,blathers,,blathering,,,,,blathered,blathered,,,,,,,,,,,, +saber,,,sabers,,sabering,,,,,sabered,sabered,,,,,,,,,,,, +interpenetrate,,,interpenetrates,,interpenetrating,,,,,interpenetrated,interpenetrated,,,,,,,,,,,, +muse,,,muses,,musing,,,,,mused,mused,,,,,,,,,,,, +typify,,,typifies,,typifying,,,,,typified,typified,,,,,,,,,,,, +phone,,,phones,,phoning,,,,,phoned,phoned,,,,,,,,,,,, +kipper,,,kippers,,kippering,,,,,kippered,kippered,,,,,,,,,,,, +masticate,,,masticates,,masticating,,,,,masticated,masticated,,,,,,,,,,,, +adjourn,,,adjourns,,adjourning,,,,,adjourned,adjourned,,,,,,,,,,,, +moil,,,moils,,moiling,,,,,moiled,moiled,,,,,,,,,,,, +pouch,,,pouches,,pouching,,,,,pouched,pouched,,,,,,,,,,,, +must,,,,,,,,,,,,mustn't,,,,,,,,,,, +shoot,,,shoots,,shooting,,,,,shot,shot,,,,,,,,,,,, +daff,,,daffs,,daffing,,,,,daffed,daffed,,,,,,,,,,,, +hutch,,,hutches,,hutching,,,,,hutched,hutched,,,,,,,,,,,, +join,,,joins,,joining,,,,,joined,joined,,,,,,,,,,,, +micturate,,,micturates,,micturating,,,,,micturated,micturated,,,,,,,,,,,, +outgain,,,outgains,,outgaining,,,,,outgained,outgained,,,,,,,,,,,, +declassify,,,declassifies,,declassifying,,,,,declassified,declassified,,,,,,,,,,,, +tissue,,,tissues,,tissuing,,,,,tissued,tissued,,,,,,,,,,,, +install,,,instals,,installing,,,,,installed,installed,,,,,,,,,,,, +salvage,,,salvages,,salvaging,,,,,salvaged,salvaged,,,,,,,,,,,, +aggrandize,,,aggrandizes,,aggrandizing,,,,,aggrandized,aggrandized,,,,,,,,,,,, +quarrel,,,quarrels,,quarrelling,,,,,quarrelled,quarrelled,,,,,,,,,,,, +defile,,,defiles,,defiling,,,,,defiled,defiled,,,,,,,,,,,, +loosen,,,loosens,,loosening,,,,,loosened,loosened,,,,,,,,,,,, +jumble,,,jumbles,,jumbling,,,,,jumbled,jumbled,,,,,,,,,,,, +attract,,,attracts,,attracting,,,,,attracted,attracted,,,,,,,,,,,, +calve,,,,,calving,,,,,calved,calved,,,,,,,,,,,, +guarantee,,,guarantees,,guaranteeing,,,,,guaranteed,guaranteed,,,,,,,,,,,, +collude,,,colludes,,colluding,,,,,colluded,colluded,,,,,,,,,,,, +end,,,ends,,ending,,,,,ended,ended,,,,,,,,,,,, +bung,,,bungs,,bunging,,,,,bunged,bunged,,,,,,,,,,,, +stride,,,strides,,striding,,,,,strode,strode,,,,,,,,,,,, +bunk,,,bunks,,bunking,,,,,bunked,bunked,,,,,,,,,,,, +slalom,,,slaloms,,slaloming,,,,,slalomed,slalomed,,,,,,,,,,,, +shred,,,shreds,,shredding,,,,,shredded,shredded,,,,,,,,,,,, +enquire,,,enquires,,enquiring,,,,,enquired,enquired,,,,,,,,,,,, +bunt,,,bunts,,bunting,,,,,bunted,bunted,,,,,,,,,,,, +gate,,,gates,,gating,,,,,gated,gated,,,,,,,,,,,, +bludge,,,bludges,,bludging,,,,,bludged,bludged,,,,,,,,,,,, +raffle,,,raffles,,raffling,,,,,raffled,raffled,,,,,,,,,,,, +moisten,,,moistens,,moistening,,,,,moistened,moistened,,,,,,,,,,,, +unhorse,,,unhorses,,unhorsing,,,,,unhorsed,unhorsed,,,,,,,,,,,, +befog,,,befogs,,befogging,,,,,befogged,befogged,,,,,,,,,,,, +mispronounce,,,mispronounces,,mispronouncing,,,,,mispronounced,mispronounced,,,,,,,,,,,, +undercapitalize,,,undercapitalizes,,undercapitalizing,,,,,undercapitalized,undercapitalized,,,,,,,,,,,, +mess,,,messes,,messing,,,,,messed,messed,,,,,,,,,,,, +famish,,,famishes,,famishing,,,,,famished,famished,,,,,,,,,,,, +lump,,,lumps,,lumping,,,,,lumped,lumped,,,,,,,,,,,, +whittle,,,whittles,,whittling,,,,,whittled,whittled,,,,,,,,,,,, +mesh,,,meshs,,meshing,,,,,meshed,meshed,,,,,,,,,,,, +parallel,,,parallels,,parallelling,,,,,parallelled,parallelled,,,,,,,,,,,, +derequisition,,,derequisitions,,derequisitioning,,,,,derequisitioned,derequisitioned,,,,,,,,,,,, +hedgehop,,,hedgehops,,hedgehopping,,,,,hedgehopped,hedgehopped,,,,,,,,,,,, +spout,,,spouts,,spouting,,,,,spouted,spouted,,,,,,,,,,,, +arbitrate,,,arbitrates,,arbitrating,,,,,arbitrated,arbitrated,,,,,,,,,,,, +patent,,,patents,,patenting,,,,,patented,patented,,,,,,,,,,,, +scout,,,scouts,,scouting,,,,,scouted,scouted,,,,,,,,,,,, +environ,,,environs,,environing,,,,,environed,environed,,,,,,,,,,,, +deepsix,,,deepsixes,,deepsixing,,,,,deepsixed,deepsixed,,,,,,,,,,,, +enter,,,enters,,entering,,,,,entered,entered,,,,,,,,,,,, +broider,,,broiders,,broidering,,,,,broidered,broidered,,,,,,,,,,,, +unsteady,,,unsteadies,,unsteadying,,,,,unsteadied,unsteadied,,,,,,,,,,,, +fetter,,,fetters,,fettering,,,,,fettered,fettered,,,,,,,,,,,, +deform,,,deforms,,deforming,,,,,deformed,deformed,,,,,,,,,,,, +sprout,,,sprouts,,sprouting,,,,,sprouted,sprouted,,,,,,,,,,,, +bleach,,,bleaches,,bleaching,,,,,bleached,bleached,,,,,,,,,,,, +reorient,,,reorients,,reorienting,,,,,reoriented,reoriented,,,,,,,,,,,, +outshine,,,outshines,,outshining,,,,,outshone,outshone,,,,,,,,,,,, +up-anchor,,,up-anchors,,up-anchoring,,,,,up-anchored,up-anchored,,,,,,,,,,,, +strangle,,,strangles,,strangling,,,,,strangled,strangled,,,,,,,,,,,, +digest,,,digests,,digesting,,,,,digested,digested,,,,,,,,,,,, +overstep,,,oversteps,,overstepping,,,,,overstepped,overstepped,,,,,,,,,,,, +insphere,,,inspheres,,insphering,,,,,insphered,insphered,,,,,,,,,,,, +thrust,,,thrusts,,thrusting,,,,,thrust,thrust,,,,,,,,,,,, +comprehend,,,comprehends,,comprehending,,,,,comprehended,comprehended,,,,,,,,,,,, +imp,,,imps,,imping,,,,,imped,imped,,,,,,,,,,,, +strand,,,strands,,stranding,,,,,stranded,stranded,,,,,,,,,,,, +fade,,,fades,,fading,,,,,faded,faded,,,,,,,,,,,, +mistreat,,,mistreats,,mistreating,,,,,mistreated,mistreated,,,,,,,,,,,, +croquet,,,croquets,,croqueting,,,,,croqueted,croqueted,,,,,,,,,,,, +riff,,,riffs,,riffing,,,,,riffed,riffed,,,,,,,,,,,, +helve,,,helves,,helving,,,,,helved,helved,,,,,,,,,,,, +vandalize,,,vandalizes,,vandalizing,,,,,vandalized,vandalized,,,,,,,,,,,, +vouchsafe,,,vouchsafes,,vouchsafing,,,,,vouchsafed,vouchsafed,,,,,,,,,,,, +uptilt,,,uptilts,,uptilting,,,,,uptilted,uptilted,,,,,,,,,,,, +plaster,,,plasters,,plastering,,,,,plastered,plastered,,,,,,,,,,,, +roost,,,roosts,,roosting,,,,,roosted,roosted,,,,,,,,,,,, +depopulate,,,depopulates,,depopulating,,,,,depopulated,depopulated,,,,,,,,,,,, +manicure,,,manicures,,manicuring,,,,,manicured,manicured,,,,,,,,,,,, +roose,,,rooses,,roosing,,,,,roosed,roosed,,,,,,,,,,,, +reelect,,,reelects,,reelecting,,,,,reelected,reelected,,,,,,,,,,,, +gloom,,,glooms,,glooming,,,,,gloomed,gloomed,,,,,,,,,,,, +chuck,,,chucks,,chucking,,,,,chucked,chucked,,,,,,,,,,,, +explode,,,explodes,,exploding,,,,,exploded,exploded,,,,,,,,,,,, +deplume,,,deplumes,,depluming,,,,,deplumed,deplumed,,,,,,,,,,,, +affiliate,,,affiliates,,affiliating,,,,,affiliated,affiliated,,,,,,,,,,,, +dethrone,,,dethrones,,dethroning,,,,,dethroned,dethroned,,,,,,,,,,,, +consolidate,,,consolidates,,consolidating,,,,,consolidated,consolidated,,,,,,,,,,,, +disorientate,,,disorients,,disorienting,,,,,disoriented,disoriented,,,,,,,,,,,, +reface,,,refaces,,refacing,,,,,refaced,refaced,,,,,,,,,,,, +disentwine,,,disentwines,,disentwining,,,,,disentwined,disentwined,,,,,,,,,,,, +unscrew,,,unscrews,,unscrewing,,,,,unscrewed,unscrewed,,,,,,,,,,,, +waffle,,,waffles,,waffling,,,,,waffled,waffled,,,,,,,,,,,, +truant,,,truants,,truanting,,,,,truanted,truanted,,,,,,,,,,,, +clothe,,,clothes,,clothing,,,,,clothed,clothed,,,,,,,,,,,, +pounce,,,pounces,,pouncing,,,,,pounced,pounced,,,,,,,,,,,, +depress,,,depresses,,depressing,,,,,depressed,depressed,,,,,,,,,,,, +lair,,,lairs,,lairing,,,,,laired,laired,,,,,,,,,,,, +recce,,,recces,,recceing,,,,,recced,recced,,,,,,,,,,,, +gob,,,gobs,,gobbing,,,,,gobbed,gobbed,,,,,,,,,,,, +underbid,,,underbids,,underbidding,,,,,underbid,underbidden,,,,,,,,,,,, +intonate,,,intonates,,intonating,,,,,intonated,intonated,,,,,,,,,,,, +laik,,,laiks,,laiking,,,,,laiked,laiked,,,,,,,,,,,, +prorogue,,,prorogues,,proroguing,,,,,prorogued,prorogued,,,,,,,,,,,, +provide,,,provides,,providing,,,,,provided,provided,,,,,,,,,,,, +associate,,,associates,,associating,,,,,associated,associated,,,,,,,,,,,, +rail,,,rails,,railing,,,,,railed,railed,,,,,,,,,,,, +free,,,frees,,freeing,,,,,freed,freed,,,,,,,,,,,, +polarize,,,polarizes,,polarizing,,,,,polarized,polarized,,,,,,,,,,,, +streamline,,,streamlines,,streamlining,,,,,streamlined,streamlined,,,,,,,,,,,, +constellate,,,constellates,,constellating,,,,,constellated,constellated,,,,,,,,,,,, +pistolwhip,,,pistolwhips,,pistolwhipping,,,,,pistolwhipped,pistolwhipped,,,,,,,,,,,, +fret,,,frets,,fretting,,,,,fretted,frets,,,,,,,,,,,, +sluff,,,sluffs,,sluffing,,,,,sluffed,sluffed,,,,,,,,,,,, +filter,,,filters,,filtering,,,,,filtered,filtered,,,,,,,,,,,, +aspire,,,aspires,,aspiring,,,,,aspired,aspired,,,,,,,,,,,, +recite,,,recites,,reciting,,,,,recited,recited,,,,,,,,,,,, +mountebank,,,mountebanks,,mountebanking,,,,,mountebanked,mountebanked,,,,,,,,,,,, +re-count,,,re-counts,,re-counting,,,,,recounted,re-counted,,,,,,,,,,,, +sporulate,,,sporulates,,sporulating,,,,,sporulated,sporulated,,,,,,,,,,,, +rank,,,ranks,,ranking,,,,,ranked,ranked,,,,,,,,,,,, +bushwhack,,,bushwhacks,,bushwhacking,,,,,bushwhacked,bushwhacked,,,,,,,,,,,, +bombard,,,bombards,,bombarding,,,,,bombarded,bombarded,,,,,,,,,,,, +phantasy,,,phantasies,,phantasying,,,,,phantasied,phantasied,,,,,,,,,,,, +vaticinate,,,vaticinates,,vaticinating,,,,,vaticinated,vaticinated,,,,,,,,,,,, +sober,,,sobers,,sobering,,,,,sobered,sobered,,,,,,,,,,,, +categorize,,,categorizes,,categorizing,,,,,categorized,categorized,,,,,,,,,,,, +nip,,,nips,,nipping,,,,,nipped,nippped,,,,,,,,,,,, +top,,,tops,,topping,,,,,topped,topped,,,,,,,,,,,, +tow,,,tows,,towing,,,,,towed,towed,,,,,,,,,,,, +tot,,,tots,,totting,,,,,totted,totted,,,,,,,,,,,, +overact,,,overacts,,overacting,,,,,overacted,overacted,,,,,,,,,,,, +straighten,,,straightens,,straightening,,,,,straightened,straightened,,,,,,,,,,,, +bethink,,,bethinks,,bethinking,,,,,bethought,bethought,,,,,,,,,,,, +tog,,,togs,,togging,,,,,togged,togged,,,,,,,,,,,, +toe,,,toes,,toeing,,,,,toed,toed,,,,,,,,,,,, +murder,,,murders,,murdering,,,,,murdered,murdered,,,,,,,,,,,, +overdraw,,,overdraws,,overdrawing,,,,,overdrew,overdrawn,,,,,,,,,,,, +tool,,,tools,,tooling,,,,,tooled,tooled,,,,,,,,,,,, +serve,,,serves,,serving,,,,,served,served,,,,,,,,,,,, +punctuate,,,punctuates,,punctuating,,,,,punctuated,punctuated,,,,,,,,,,,, +embellish,,,embellishes,,embellishing,,,,,embellished,embellished,,,,,,,,,,,, +flimflam,,,flimflams,,flimflamming,,,,,flimflammed,flimflammed,,,,,,,,,,,, +wrapped,,,wrappeds,,wrappeding,,,,,wrappeded,wrappeded,,,,,,,,,,,, +toot,,,toots,,tooting,,,,,tooted,tooted,,,,,,,,,,,, +incur,,,incurs,,incurring,,,,,incurred,incurred,,,,,,,,,,,, +drool,,,drools,,drooling,,,,,drooled,drooled,,,,,,,,,,,, +gelatinize,,,gelatinizes,,gelatinizing,,,,,gelatinized,gelatinized,,,,,,,,,,,, +pluralize,,,pluralizes,,pluralizing,,,,,pluralized,pluralized,,,,,,,,,,,, +rampage,,,rampages,,rampaging,,,,,rampaged,rampaged,,,,,,,,,,,, +nominate,,,nominates,,nominating,,,,,nominated,nominated,,,,,,,,,,,, +flame,,,flames,,flaming,,,,,flamed,flamed,,,,,,,,,,,, +expostulate,,,expostulates,,expostulating,,,,,expostulated,expostulated,,,,,,,,,,,, +beard,,,beards,,bearding,,,,,bearded,bearded,,,,,,,,,,,, +bridge,,,bridges,,bridging,,,,,bridged,bridged,,,,,,,,,,,, +fashion,,,fashions,,fashioning,,,,,fashioned,fashioned,,,,,,,,,,,, +barbarize,,,barbarizes,,barbarizing,,,,,barbarized,barbarized,,,,,,,,,,,, +ram,,,rams,,ramming,,,,,rammed,rammed,,,,,,,,,,,, +taint,,,taints,,tainting,,,,,tainted,tainted,,,,,,,,,,,, +shillyshally,,,shillyshallies,,shillyshallying,,,,,shillyshallied,shillyshallied,,,,,,,,,,,, +rat,,,rats,,ratting,,,,,ratted,ratted,,,,,,,,,,,, +rap,,,raps,,rapping,,,,,rapped,rapped,,,,,,,,,,,, +protract,,,protracts,,protracting,,,,,protracted,protracted,,,,,,,,,,,, +gabble,,,gabbles,,gabbling,,,,,gabbled,gabbled,,,,,,,,,,,, +spade,,,spades,,spading,,,,,spaded,spaded,,,,,,,,,,,, +configure,,,configures,,configuring,,,,,configured,configured,,,,,,,,,,,, +relapse,,,relapses,,relapsing,,,,,relapsed,relapsed,,,,,,,,,,,, +snow,,,snows,,snowing,,,,,snowed,snowed,,,,,,,,,,,, +hatch,,,hatches,,hatching,,,,,hatched,hatched,,,,,,,,,,,, +cleft,,,clefts,,clefting,,,,,clefted,clefted,,,,,,,,,,,, +snog,,,snogs,,snogging,,,,,snogged,snogged,,,,,,,,,,,, +hotdog,,,hotdogs,,hotdoging,,,,,hotdoged,hotdoged,,,,,,,,,,,, +predigest,,,predigests,,predigesting,,,,,predigested,predigested,,,,,,,,,,,, +intellectualize,,,intellectualizes,,intellectualizing,,,,,intellectualized,intellectualized,,,,,,,,,,,, +bename,,,benames,,benaming,,,,,benempt,benempt,,,,,,,,,,,, +audition,,,auditions,,auditioning,,,,,auditioned,auditioned,,,,,,,,,,,, +coif,,,coifs,,coiffing,,,,,coiffed,coiffed,,,,,,,,,,,, +coil,,,coils,,coiling,,,,,coiled,coiled,,,,,,,,,,,, +coin,,,coins,,coining,,,,,coined,coined,,,,,,,,,,,, +glow,,,glows,,glowing,,,,,glowed,glowed,,,,,,,,,,,, +whinge,,,whinges,,whinging,,,,,whinged,whinged,,,,,,,,,,,, +extravagate,,,extravagates,,extravagating,,,,,extravagated,extravagated,,,,,,,,,,,, +interject,,,interjects,,interjecting,,,,,interjected,interjected,,,,,,,,,,,, +partition,,,partitions,,partitioning,,,,,partitioned,partitioned,,,,,,,,,,,, +flow,,,flows,,flowing,,,,,flowed,flowed,,,,,,,,,,,, +sulphurate,,,sulphurates,,sulphurating,,,,,sulphurated,sulphurated,,,,,,,,,,,, +caterwaul,,,caterwauls,,caterwauling,,,,,caterwauled,caterwauled,,,,,,,,,,,, +perorate,,,perorates,,perorating,,,,,perorated,perorated,,,,,,,,,,,, +transpire,,,transpires,,transpiring,,,,,transpired,transpired,,,,,,,,,,,, +outjockey,,,outjockeys,,outjockeying,,,,,outjockeyed,outjockeyed,,,,,,,,,,,, +joy-ride,,,joy-rides,,joy-riding,,,,,joy-rided,joy-rided,,,,,,,,,,,, +flog,,,flogs,,flogging,,,,,flogged,flogged,,,,,,,,,,,, +yank,,,yanks,,yanking,,,,,yanked,yanked,,,,,,,,,,,, +bait,,,baits,,baiting,,,,,baited,baited,,,,,,,,,,,, +inspire,,,inspires,,inspiring,,,,,inspired,inspired,,,,,,,,,,,, +endear,,,endears,,endearing,,,,,endeared,endeared,,,,,,,,,,,, +alight,,,alights,,alighting,,,,,alighted,alighted,,,,,,,,,,,, +reorganize,,,reorganizes,,reorganizing,,,,,reorganized,reorganized,,,,,,,,,,,, +queen,,,queens,,queening,,,,,queened,queened,,,,,,,,,,,, +skitter,,,skitters,,skittering,,,,,skittered,skittered,,,,,,,,,,,, +dupe,,,dupes,,duping,,,,,duped,duped,,,,,,,,,,,, +geometrize,,,geometrizes,,geometrizing,,,,,geometrized,geometrized,,,,,,,,,,,, +reissue,,,reissues,,reissuing,,,,,reissued,reissued,,,,,,,,,,,, +radio,,,radios,,radioing,,,,,radioed,radioed,,,,,,,,,,,, +drabble,,,drabbles,,drabbling,,,,,drabbled,drabbled,,,,,,,,,,,, +chiack,,,chiacks,,chiacking,,,,,chiacked,chiacked,,,,,,,,,,,, +earth,,,earths,,earthing,,,,,earthed,earthed,,,,,,,,,,,, +peddle,,,peddles,,peddling,,,,,peddled,peddled,,,,,,,,,,,, +bail,,,bails,,bailing,,,,,bailed,bailed,,,,,,,,,,,, +spite,,,spites,,spiting,,,,,spited,spited,,,,,,,,,,,, +dateline,,,datelines,,datelining,,,,,datelined,datelined,,,,,,,,,,,, +abjure,,,abjures,,abjuring,,,,,abjured,abjured,,,,,,,,,,,, +overeat,,,overeats,,overeating,,,,,overate,overeaten,,,,,,,,,,,, +poussette,,,poussettes,,poussetting,,,,,poussetted,poussetted,,,,,,,,,,,, +disgust,,,disgusts,,disgusting,,,,,disgusted,disgusted,,,,,,,,,,,, +secondguess,,,secondguesses,,secondguessing,,,,,secondguessed,secondguessed,,,,,,,,,,,, +lodge,,,lodges,,lodging,,,,,lodged,lodged,,,,,,,,,,,, +announce,,,announces,,announcing,,,,,announced,announced,,,,,,,,,,,, +capriole,,,caprioles,,caprioling,,,,,caprioled,caprioled,,,,,,,,,,,, +waltz,,,waltzes,,waltzing,,,,,waltzed,waltzed,,,,,,,,,,,, +watch,,,watches,,watching,,,,,watched,watched,,,,,,,,,,,, +baffle,,,baffles,,baffling,,,,,baffled,baffled,,,,,,,,,,,, +oversell,,,oversells,,overselling,,,,,oversold,oversold,,,,,,,,,,,, +despite,,,despites,,despiting,,,,,despited,despited,,,,,,,,,,,, +report,,,reports,,reporting,,,,,reported,reported,,,,,,,,,,,, +reconstruct,,,reconstructs,,reconstructing,,,,,reconstructed,reconstructed,,,,,,,,,,,, +incept,,,incepts,,incepting,,,,,incepted,incepted,,,,,,,,,,,, +unlatch,,,unlatches,,unlatching,,,,,unlatched,unlatched,,,,,,,,,,,, +hospitalize,,,hospitalizes,,hospitalizing,,,,,hospitalized,hospitalized,,,,,,,,,,,, +peroxide,,,peroxides,,peroxiding,,,,,peroxided,peroxided,,,,,,,,,,,, +erupt,,,erupts,,erupting,,,,,erupted,erupted,,,,,,,,,,,, +disembroil,,,disembroils,,disembroiling,,,,,disembroiled,disembroiled,,,,,,,,,,,, +ritualize,,,ritualizes,,ritualizing,,,,,ritualized,ritualized,,,,,,,,,,,, +penance,,,penances,,penancing,,,,,penanced,penanced,,,,,,,,,,,, +pummel,,,pummels,,pummelling,,,,,pummelled,pummelled,,,,,,,,,,,, +habit,,,habits,,habiting,,,,,habited,habited,,,,,,,,,,,, +wrest,,,wrests,,wresting,,,,,wrested,wrested,,,,,,,,,,,, +liquor,,,liquors,,liquoring,,,,,liquored,liquored,,,,,,,,,,,, +preordain,,,preordains,,preordaining,,,,,preordained,preordained,,,,,,,,,,,, +resist,,,resists,,resisting,,,,,resisted,resisted,,,,,,,,,,,, +pize,,,pizes,,pizing,,,,,pized,pized,,,,,,,,,,,, +corrupt,,,corrupts,,corrupting,,,,,corrupted,corrupted,,,,,,,,,,,, +percuss,,,percusses,,percussing,,,,,percussed,percussed,,,,,,,,,,,, +suberize,,,suberizes,,suberizing,,,,,suberized,suberized,,,,,,,,,,,, +sovietize,,,sovietizes,,sovietizing,,,,,sovietized,sovietized,,,,,,,,,,,, +accede,,,accedes,,acceding,,,,,acceded,acceded,,,,,,,,,,,, +hallow,,,hallows,,hallowing,,,,,hallowed,hallowed,,,,,,,,,,,, +mud,,,muds,,mudding,,,,,mudded,mudded,,,,,,,,,,,, +catalogue,,,catalogues,,cataloguing,,,,,catalogued,catalogued,,,,,,,,,,,, +bestride,,,bestrides,,bestriding,,,,,bestrode,bestrode,,,,,,,,,,,, +finger,,,fingers,,fingering,,,,,fingered,fingered,,,,,,,,,,,, +mumm,,,mums,,mumming,,,,,mummed,mummed,,,,,,,,,,,, +approach,,,approaches,,approaching,,,,,approached,approached,,,,,,,,,,,, +drowse,,,drowses,,drowsing,,,,,drowsed,drowsed,,,,,,,,,,,, +liaise,,,liaises,,liaising,,,,,liaised,liaised,,,,,,,,,,,, +opsonize,,,opsonizes,,opsonizing,,,,,opsonized,opsonized,,,,,,,,,,,, +wean,,,weans,,weaning,,,,,weaned,weaned,,,,,,,,,,,, +contort,,,contorts,,contorting,,,,,contorted,contorted,,,,,,,,,,,, +boss,,,bosses,,bossing,,,,,bossed,bossed,,,,,,,,,,,, +tarry,,,tarries,,tarrying,,,,,tarried,tarried,,,,,,,,,,,, +devour,,,devours,,devouring,,,,,devoured,devoured,,,,,,,,,,,, +wear,,,wears,,wearing,,,,,wore,worn,,,,,,,,,,,, +incross,,,incrosses,,incrossing,,,,,incrossed,incrossed,,,,,,,,,,,, +improve,,,improves,,improving,,,,,improved,improved,,,,,,,,,,,, +circumvallate,,,circumvallates,,circumvallating,,,,,circumvallated,circumvallated,,,,,,,,,,,, +free-wheel,,,free-wheels,,freewheeling,,,,,freewheeled,free-wheeled,,,,,,,,,,,, +fault,,,faults,,faulting,,,,,faulted,faulted,,,,,,,,,,,, +reconnoitre,,,reconnoitres,,reconnoitring,,,,,reconnoitred,reconnoitred,,,,,,,,,,,, +jelly,,,jellies,,jellying,,,,,jellied,jellied,,,,,,,,,,,, +disengage,,,disengages,,disengaging,,,,,disengaged,disengaged,,,,,,,,,,,, +tattle,,,tattles,,tattling,,,,,tattled,tattled,,,,,,,,,,,, +expense,,,expenses,,expensing,,,,,expensed,expensed,,,,,,,,,,,, +stipple,,,stipples,,stippling,,,,,stippled,stippled,,,,,,,,,,,, +confide,,,confides,,confiding,,,,,confided,confided,,,,,,,,,,,, +inactivate,,,inactivates,,inactivating,,,,,inactivated,inactivated,,,,,,,,,,,, +trust,,,trusts,,trusting,,,,,trusted,trusted,,,,,,,,,,,, +truss,,,trusses,,trussing,,,,,trussed,trussed,,,,,,,,,,,, +beef,,,beefs,,beefing,,,,,beefed,beefed,,,,,,,,,,,, +tyrannize,,,tyrannizes,,tyrannizing,,,,,tyrannized,tyrannized,,,,,,,,,,,, +unsphere,,,unspheres,,unsphering,,,,,unsphered,unsphered,,,,,,,,,,,, +beep,,,beeps,,beeping,,,,,beeped,beeped,,,,,,,,,,,, +brutify,,,brutifies,,brutifying,,,,,brutified,brutified,,,,,,,,,,,, +loft,,,lofts,,lofting,,,,,lofted,lofted,,,,,,,,,,,, +steamroller,,,steamrollers,,steamrollering,,,,,steamrollered,steamrollered,,,,,,,,,,,, +ambulate,,,ambulates,,ambulating,,,,,ambulated,ambulated,,,,,,,,,,,, +craft,,,crafts,,crafting,,,,,crafted,crafted,,,,,,,,,,,, +chase,,,chases,,chasing,,,,,chased,chased,,,,,,,,,,,, +catch,,,catches,,catching,,,,,caught,caught,,,,,,,,,,,, +proselytize,,,proselytizes,,proselytizing,,,,,proselytized,proselytized,,,,,,,,,,,, +sallow,,,sallows,,sallowing,,,,,sallowed,sallowed,,,,,,,,,,,, +rattoon,,,,,rattooning,,,,,rattooned,rattooned,,,,,,,,,,,, +schlep,,,schleps,,schlepping,,,,,schlepped,schlepped,,,,,,,,,,,, +lessen,,,lessens,,lessening,,,,,lessened,lessened,,,,,,,,,,,, +fallow,,,fallows,,fallowing,,,,,fallowed,fallowed,,,,,,,,,,,, +zindabad,,,zindabads,,zindabading,,,,,zindabaded,zindabaded,,,,,,,,,,,, +subjugate,,,subjugates,,subjugating,,,,,subjugated,subjugated,,,,,,,,,,,, +precede,,,precedes,,preceding,,,,,preceded,preceded,,,,,,,,,,,, +pyramid,,,pyramids,,pyramiding,,,,,pyramided,pyramided,,,,,,,,,,,, +untuck,,,untucks,,untucking,,,,,untucked,untucked,,,,,,,,,,,, +chyack,,,chyacks,,chyacking,,,,,chyacked,chyacked,,,,,,,,,,,, +descant,,,descants,,descanting,,,,,descanted,descanted,,,,,,,,,,,, +comminute,,,comminutes,,comminuting,,,,,comminuted,comminuted,,,,,,,,,,,, +tease,,,teases,,teasing,,,,,teased,teased,,,,,,,,,,,, +rough-house,,,rough-houses,,rough-housing,,,,,roughhoused,rough-housed,,,,,,,,,,,, +surcharge,,,surcharges,,surcharging,,,,,surcharged,surcharged,,,,,,,,,,,, +suggest,,,suggests,,suggesting,,,,,suggested,suggested,,,,,,,,,,,, +outface,,,outfaces,,outfacing,,,,,outfaced,outfaced,,,,,,,,,,,, +inventory,,,inventories,,inventorying,,,,,inventoried,inventoried,,,,,,,,,,,, +esquire,,,esquires,,esquiring,,,,,esquired,esquired,,,,,,,,,,,, +rontgenize,,,rontgenizes,,rontgenizing,,,,,rontgenized,rontgenized,,,,,,,,,,,, +welsh,,,welshes,,welshing,,,,,welshed,welshed,,,,,,,,,,,, +deflect,,,deflects,,deflecting,,,,,deflected,deflected,,,,,,,,,,,, +cycle,,,cycles,,cycling,,,,,cycled,cycled,,,,,,,,,,,, +dado,,,dados,,dadoing,,,,,dadoed,dadoed,,,,,,,,,,,, +specialize,,,specializes,,specializing,,,,,specialized,specialized,,,,,,,,,,,, +ruralize,,,ruralizes,,ruralizing,,,,,ruralized,ruralized,,,,,,,,,,,, +doff,,,doffs,,doffing,,,,,doffed,doffed,,,,,,,,,,,, +mother,,,mothers,,mothering,,,,,mothered,mothered,,,,,,,,,,,, +dissimulate,,,dissimulates,,dissimulating,,,,,dissimulated,dissimulated,,,,,,,,,,,, +jook,,,jooks,,jooking,,,,,jooked,jooked,,,,,,,,,,,, +bugger,,,buggers,,buggering,,,,,buggered,buggered,,,,,,,,,,,, +appease,,,appeases,,appeasing,,,,,appeased,appeased,,,,,,,,,,,, +goffer,,,goffers,,goffering,,,,,goffered,goffered,,,,,,,,,,,, +bruise,,,bruises,,bruising,,,,,bruised,bruised,,,,,,,,,,,, +exuberate,,,exuberates,,exuberating,,,,,exuberated,exuberated,,,,,,,,,,,, +ingeminate,,,ingeminates,,ingeminating,,,,,ingeminated,ingeminated,,,,,,,,,,,, +modulate,,,modulates,,modulating,,,,,modulated,modulated,,,,,,,,,,,, +enlighten,,,enlightens,,enlightening,,,,,enlightened,enlightened,,,,,,,,,,,, +fathom,,,fathoms,,fathoming,,,,,fathomed,fathomed,,,,,,,,,,,, +scruple,,,scruples,,scrupling,,,,,scrupled,scrupled,,,,,,,,,,,, +evaginate,,,evaginates,,evaginating,,,,,evaginated,evaginated,,,,,,,,,,,, +misprint,,,misprints,,misprinting,,,,,misprinted,misprinted,,,,,,,,,,,, +overcapitalize,,,overcapitalizes,,overcapitalizing,,,,,overcapitalized,overcapitalized,,,,,,,,,,,, +bandy,,,bandies,,bandying,,,,,bandied,bandied,,,,,,,,,,,, +barrel-roll,,,barrel-rolls,,barrel-rolling,,,,,barrel-rolled,barrel-rolled,,,,,,,,,,,, +belabour,,,belabours,,belabouring,,,,,belaboured,belaboured,,,,,,,,,,,, +regelate,,,regelates,,regelating,,,,,regelated,regelated,,,,,,,,,,,, +swingle,,,swingles,,swingling,,,,,swingled,swingled,,,,,,,,,,,, +terrorize,,,terrorizes,,terrorizing,,,,,terrorized,terrorized,,,,,,,,,,,, +upturn,,,upturns,,upturning,,,,,upturned,upturned,,,,,,,,,,,, +dismount,,,dismounts,,dismounting,,,,,dismounted,dismounted,,,,,,,,,,,, +pur_ee,,,pur_ees,,pur_eeing,,,,,pur_eed,pur_eed,,,,,,,,,,,, +Nazify,,,Nazifies,,Nazifying,,,,,Nazified,Nazified,,,,,,,,,,,, +reapportion,,,reapportions,,reapportioning,,,,,reapportioned,reapportioned,,,,,,,,,,,, +judge,,,judges,,judging,,,,,judged,judged,,,,,,,,,,,, +befit,,,befits,,befitting,,,,,befitted,befitted,,,,,,,,,,,, +pectize,,,pectizes,,pectizing,,,,,pectized,pectized,,,,,,,,,,,, +ditto,,,dittos,,dittoing,,,,,dittoed,dittoed,,,,,,,,,,,, +gift,,,gifts,,gifting,,,,,gifted,gifted,,,,,,,,,,,, +contradict,,,contradicts,,contradicting,,,,,contradicted,contradicted,,,,,,,,,,,, +force-land,,,force-lands,,force-landing,,,,,force-landed,force-landed,,,,,,,,,,,, +zoom,,,zooms,,zooming,,,,,zoomed,zoomed,,,,,,,,,,,, +platinize,,,platinizes,,platinizing,,,,,platinized,platinized,,,,,,,,,,,, +officer,,,officers,,officering,,,,,officered,officered,,,,,,,,,,,, +eyelet,,,eyelets,,eyeleting,,,,,eyeleted,eyeleted,,,,,,,,,,,, +forerun,,,foreruns,,forerunning,,,,,foreran,forerun,,,,,,,,,,,, +anastomose,,,anastomoses,,anastomosing,,,,,anastomosed,anastomosed,,,,,,,,,,,, +hunt,,,hunts,,hunting,,,,,hunted,hunted,,,,,,,,,,,, +envision,,,envisions,,envisioning,,,,,envisioned,envisioned,,,,,,,,,,,, +stereotype,,,stereotypes,,stereotyping,,,,,stereotyped,stereotyped,,,,,,,,,,,, +excerpt,,,excerpts,,excerpting,,,,,excerpted,excerpted,,,,,,,,,,,, +sponge,,,sponges,,sponging,,,,,sponged,sponged,,,,,,,,,,,, +accost,,,accosts,,accosting,,,,,accosted,accosted,,,,,,,,,,,, +scrabble,,,scrabbles,,scrabbling,,,,,scrabbled,scrabbled,,,,,,,,,,,, +displeasure,,,displeasures,,displeasuring,,,,,displeasured,displeasured,,,,,,,,,,,, +escape,,,escapes,,scaping,,,,,scaped,scaped,,,,,,,,,,,, +advertize,,,advertizes,,advertizing,,,,,advertized,advertized,,,,,,,,,,,, +manducate,,,manducates,,manducating,,,,,manducated,manducated,,,,,,,,,,,, +totter,,,totters,,tottering,,,,,tottered,tottered,,,,,,,,,,,, +cooper,,,coopers,,coopering,,,,,coopered,coopered,,,,,,,,,,,, +clash,,,clashes,,clashing,,,,,clashed,clashed,,,,,,,,,,,, +establish,,,establishes,,establishing,,,,,established,established,,,,,,,,,,,, +aluminize,,,aluminizes,,aluminizing,,,,,aluminized,aluminized,,,,,,,,,,,, +reinvest,,,reinvests,,reinvesting,,,,,reinvested,reinvested,,,,,,,,,,,, +ice,,,ices,,icing,,,,,iced,iced,,,,,,,,,,,, +backspace,,,backspaces,,backspacing,,,,,backspaced,backspaced,,,,,,,,,,,, +allocate,,,allocates,,allocating,,,,,allocated,allocated,,,,,,,,,,,, +convict,,,convicts,,convicting,,,,,convicted,convicted,,,,,,,,,,,, +faff,,,faffs,,faffing,,,,,faffed,faffed,,,,,,,,,,,, +cord,,,cords,,cording,,,,,corded,corded,,,,,,,,,,,, +core,,,cores,,coring,,,,,cored,cored,,,,,,,,,,,, +damask,,,damasks,,damasking,,,,,damasked,damasked,,,,,,,,,,,, +brawl,,,brawls,,brawling,,,,,brawled,brawled,,,,,,,,,,,, +corn,,,corns,,corning,,,,,corned,corned,,,,,,,,,,,, +bromate,,,bromates,,bromating,,,,,bromated,bromated,,,,,,,,,,,, +enunciate,,,enunciates,,enunciating,,,,,enunciated,enunciated,,,,,,,,,,,, +cork,,,corks,,corking,,,,,corked,corked,,,,,,,,,,,, +discount,,,discounts,,discounting,,,,,discounted,discounted,,,,,,,,,,,, +stooge,,,stooges,,stooging,,,,,stooged,stooged,,,,,,,,,,,, +shuck,,,shucks,,shucking,,,,,shucked,shucked,,,,,,,,,,,, +garnishee,,,garnishees,,garnisheeing,,,,,garnisheed,garnisheed,,,,,,,,,,,, +chapter,,,chapters,,chaptering,,,,,chaptered,chaptered,,,,,,,,,,,, +plat,,,plats,,,,,,,,,,,,,,,,,,,, +choke,,,chokes,,choking,,,,,choked,choked,,,,,,,,,,,, +enshroud,,,enshrouds,,enshrouding,,,,,enshrouded,enshrouded,,,,,,,,,,,, +caulk,,,caulks,,caulking,,,,,caulked,caulked,,,,,,,,,,,, +hyperbolize,,,hyperbolizes,,hyperbolizing,,,,,hyperbolized,hyperbolized,,,,,,,,,,,, +insure,,,insures,,insuring,,,,,insured,insured,,,,,,,,,,,, +inveigh,,,inveighs,,inveighing,,,,,inveighed,inveighed,,,,,,,,,,,, +twitch,,,twitches,,twitching,,,,,twitched,twitched,,,,,,,,,,,, +curry,,,curries,,currying,,,,,curried,curried,,,,,,,,,,,, +blabber,,,blabbers,,blabbering,,,,,blabbered,blabbered,,,,,,,,,,,, +decimalize,,,decimalizes,,decimalizing,,,,,decimalized,decimalized,,,,,,,,,,,, +bate,,,bates,,bating,,,,,bated,bated,,,,,,,,,,,, +disaffiliate,,,disaffiliates,,disaffiliating,,,,,disaffiliated,disaffiliated,,,,,,,,,,,, +pronate,,,pronates,,pronating,,,,,pronated,pronated,,,,,,,,,,,, +puzzle,,,puzzles,,puzzling,,,,,puzzled,puzzled,,,,,,,,,,,, +bath,,,baths,,,,,,,bathed,bathed,,,,,,,,,,,, +accommodate,,,accommodates,,accommodating,,,,,accommodated,accommodated,,,,,,,,,,,, +emigrate,,,emigrates,,emigrating,,,,,emigrated,emigrated,,,,,,,,,,,, +rely,,,relies,,relying,,,,,relied,relied,,,,,,,,,,,, +deflagrate,,,deflagrates,,deflagrating,,,,,deflagrated,deflagrated,,,,,,,,,,,, +disinterest,,,disinterests,,disinteresting,,,,,disinterested,disinterested,,,,,,,,,,,, +scamper,,,scampers,,scampering,,,,,scampered,scampered,,,,,,,,,,,, +transform,,,transforms,,transforming,,,,,transformed,transformed,,,,,,,,,,,, +gig,,,gigs,,gigging,,,,,gigged,gigged,,,,,,,,,,,, +gie,,,gies,,gying,,,,,gied,gied,,,,,,,,,,,, +pamphleteer,,,pamphleteers,,pamphleteering,,,,,pamphleteered,pamphleteered,,,,,,,,,,,, +gib,,,gibs,,gibbing,,,,,gibbed,gibbed,,,,,,,,,,,, +gin,,,gins,,ginning,,,,,ginned,ginned,,,,,,,,,,,, +head,,,heads,,heading,,,,,headed,headed,,,,,,,,,,,, +heal,,,heals,,healing,,,,,healed,healed,,,,,,,,,,,, +deny,,,denies,,denying,,,,,denied,denied,,,,,,,,,,,, +wireless,,,wirelesses,,wirelessing,,,,,wirelessed,wirelessed,,,,,,,,,,,, +heat,,,heats,,heating,,,,,het,het,,,,,,,,,,,, +hear,,,hears,,hearing,,,,,heard,heard,,,,,,,,,,,, +outfox,,,outfoxes,,outfoxing,,,,,outfoxed,outfoxed,,,,,,,,,,,, +heap,,,heaps,,heaping,,,,,heaped,heaped,,,,,,,,,,,, +choreograph,,,choreographs,,choreographing,,,,,choreographed,choreographed,,,,,,,,,,,, +humiliate,,,humiliates,,humiliating,,,,,humiliated,humiliated,,,,,,,,,,,, +counsel,,,counsels,,counselling,,,,,counselled,counselled,,,,,,,,,,,, +flavour,,,flavours,,flavouring,,,,,flavoured,flavoured,,,,,,,,,,,, +muster,,,musters,,mustering,,,,,mustered,mustered,,,,,,,,,,,, +unpin,,,unpins,,unpinning,,,,,unpinned,unpinned,,,,,,,,,,,, +bargain,,,bargains,,bargaining,,,,,bargained,bargained,,,,,,,,,,,, +incumber,,,incumbers,,incumbering,,,,,incumbered,incumbered,,,,,,,,,,,, +adore,,,adores,,adoring,,,,,adored,adored,,,,,,,,,,,, +decorate,,,decorates,,decorating,,,,,decorated,decorated,,,,,,,,,,,, +sling,,,slings,,slinging,,,,,slung,slung,,,,,,,,,,,, +usher,,,ushers,,ushering,,,,,ushered,ushered,,,,,,,,,,,, +bide,,,bides,,biding,,,,,bided,bided,,,,,,,,,,,, +latch,,,latches,,latching,,,,,latched,latched,,,,,,,,,,,, +adorn,,,adorns,,adorning,,,,,adorned,adorned,,,,,,,,,,,, +trim,,,trims,,trimming,,,,,trimmed,trimmed,,,,,,,,,,,, +forearm,,,forearms,,forearming,,,,,forearmed,forearmed,,,,,,,,,,,, +trig,,,trigs,,trigging,,,,,trigged,trigged,,,,,,,,,,,, +decrypt,,,decrypts,,decrypting,,,,,decrypted,decrypted,,,,,,,,,,,, +depone,,,depones,,deponing,,,,,deponed,deponed,,,,,,,,,,,, +effervesce,,,effervesces,,effervescing,,,,,effervesced,effervesced,,,,,,,,,,,, +check,,,checks,,checking,,,,,checked,checked,,,,,,,,,,,, +approbate,,,approbates,,approbating,,,,,approbated,approbated,,,,,,,,,,,, +salify,,,salifies,,salifying,,,,,salified,salified,,,,,,,,,,,, +inspissate,,,inspissates,,inspissating,,,,,inspissated,inspissated,,,,,,,,,,,, +tip,,,tips,,tipping,,,,,tipped,tipped,,,,,,,,,,,, +foozle,,,foozles,,foozling,,,,,foozled,foozled,,,,,,,,,,,, +piffle,,,piffles,,piffling,,,,,piffled,piffled,,,,,,,,,,,, +sulphurize,,,sulphurizes,,sulphurizing,,,,,sulphurized,sulphurized,,,,,,,,,,,, +overbid,,,overbids,,overbidding,,,,,overbid,overbidden,,,,,,,,,,,, +tin,,,tins,,tinning,,,,,tinned,tinned,,,,,,,,,,,, +disarticulate,,,disarticulates,,disarticulating,,,,,disarticulated,disarticulated,,,,,,,,,,,, +whet,,,whets,,whetting,,,,,whetted,whetted,,,,,,,,,,,, +signpost,,,signposts,,signposting,,,,,signposted,signposted,,,,,,,,,,,, +formalize,,,formalizes,,formalizing,,,,,formalized,formalized,,,,,,,,,,,, +tie,,,ties,,tying,,,,,tied,tied,,,,,,,,,,,, +implant,,,implants,,implanting,,,,,implanted,implanted,,,,,,,,,,,, +picture,,,pictures,,picturing,,,,,pictured,pictured,,,,,,,,,,,, +reconsider,,,reconsiders,,reconsidering,,,,,reconsidered,reconsidered,,,,,,,,,,,, +congratulate,,,congratulates,,congratulating,,,,,congratulated,congratulated,,,,,,,,,,,, +liquidate,,,liquidates,,liquidating,,,,,liquidated,liquidated,,,,,,,,,,,, +benefice,,,benefices,,beneficing,,,,,beneficed,beneficed,,,,,,,,,,,, +discharge,,,discharges,,discharging,,,,,discharged,discharged,,,,,,,,,,,, +ululate,,,ululates,,ululating,,,,,ululated,ululated,,,,,,,,,,,, +yacht,,,yachts,,yachting,,,,,yachted,yachted,,,,,,,,,,,, +withhold,,,withholds,,withholding,,,,,withheld,withheld,,,,,,,,,,,, +fasten,,,fastens,,fastening,,,,,fastened,fastened,,,,,,,,,,,, +coach,,,coachs,,coaching,,,,,coached,coached,,,,,,,,,,,, +dispirit,,,dispirits,,dispiriting,,,,,dispirited,dispirited,,,,,,,,,,,, +rob,,,robs,,robbing,,,,,robbed,robbed,,,,,,,,,,,, +focus,,,focuses,,focussing,,,,,focussed,focussed,,,,,,,,,,,, +obviate,,,obviates,,obviating,,,,,obviated,obviated,,,,,,,,,,,, +snip,,,snips,,snipping,,,,,snipped,snipped,,,,,,,,,,,, +coldweld,,,coldwelds,,coldwelding,,,,,coldwelded,coldwelded,,,,,,,,,,,, +rot,,,rots,,rotting,,,,,rotted,rotted,,,,,,,,,,,, +empathize,,,empathizes,,empathizing,,,,,empathized,empathized,,,,,,,,,,,, +catenate,,,catenates,,catenating,,,,,catenated,catenated,,,,,,,,,,,, +passage,,,passages,,passaging,,,,,passaged,passaged,,,,,,,,,,,, +charge,,,charges,,charging,,,,,charged,charged,,,,,,,,,,,, +quash,,,quashes,,quashing,,,,,quashed,quashed,,,,,,,,,,,, +wimble,,,wimbles,,wimbling,,,,,wimbled,wimbled,,,,,,,,,,,, +assoil,,,assoils,,assoiling,,,,,assoiled,assoiled,,,,,,,,,,,, +coop,,,coops,,cooping,,,,,cooped,cooped,,,,,,,,,,,, +advantage,,,advantages,,advantaging,,,,,advantaged,advantaged,,,,,,,,,,,, +cantilever,,,cantilevers,,cantilevering,,,,,cantilevered,cantilevered,,,,,,,,,,,, +underpay,,,underpays,,underpaying,,,,,underpaid,underpaid,,,,,,,,,,,, +airlift,,,airlifts,,airlifting,,,,,airlifted,airlifted,,,,,,,,,,,, +gravitate,,,gravitates,,gravitating,,,,,gravitated,gravitated,,,,,,,,,,,, +convoke,,,convokes,,convoking,,,,,convoked,convoked,,,,,,,,,,,, +masturbate,,,masturbates,,masturbating,,,,,masturbated,masturbated,,,,,,,,,,,, +waylay,,,waylays,,waylaying,,,,,waylaid,waylaid,,,,,,,,,,,, +cook,,,cooks,,cooking,,,,,cooked,cooked,,,,,,,,,,,, +attitudinize,,,attitudinizes,,attitudinizing,,,,,attitudinized,attitudinized,,,,,,,,,,,, +cool,,,cools,,cooling,,,,,cooled,cooled,,,,,,,,,,,, +doublepark,,,doubleparks,,doubleparking,,,,,doubleparked,doubleparked,,,,,,,,,,,, +level,,,levels,,levelling,,,,,levelled,levelled,,,,,,,,,,,, +enthuse,,,enthuses,,enthusing,,,,,enthused,enthused,,,,,,,,,,,, +encroach,,,encroaches,,encroaching,,,,,encroached,encroached,,,,,,,,,,,, +lever,,,levers,,levering,,,,,levered,levered,,,,,,,,,,,, +waggon,,,,,waggoning,,,,,waggoned,waggoned,,,,,,,,,,,, +intercommunicate,,,intercommunicates,,intercommunicating,,,,,intercommunicated,intercommunicated,,,,,,,,,,,, +trend,,,trends,,trending,,,,,trended,trended,,,,,,,,,,,, +pore,,,pores,,poring,,,,,pored,pored,,,,,,,,,,,, +obsolete,,,obsoletes,,obsoleting,,,,,obsoleted,obsoleted,,,,,,,,,,,, +weatherproof,,,weatherproofs,,weatherproofing,,,,,weatherproofed,weatherproofed,,,,,,,,,,,, +utter,,,utters,,uttering,,,,,uttered,uttered,,,,,,,,,,,, +bake,,,bakes,,baking,,,,,baked,baked,,,,,,,,,,,, +port,,,ports,,porting,,,,,ported,ported,,,,,,,,,,,, +substitute,,,substitutes,,substituting,,,,,substituted,substituted,,,,,,,,,,,, +hymn,,,hymns,,hymning,,,,,hymned,hymned,,,,,,,,,,,, +distaste,,,distastes,,distasting,,,,,distasted,distasted,,,,,,,,,,,, +spire,,,spires,,spiring,,,,,spired,spired,,,,,,,,,,,, +hypothecate,,,hypothecates,,hypothecating,,,,,hypothecated,hypothecated,,,,,,,,,,,, +tarmac,,,tarmacs,,tarmacking,,,,,tarmacked,tarmacked,,,,,,,,,,,, +reply,,,replies,,replying,,,,,replied,replied,,,,,,,,,,,, +Normanize,,,Normanizes,,Normanizing,,,,,Normanized,Normanized,,,,,,,,,,,, +corbel,,,corbels,,corbelling,,,,,corbelled,corbelled,,,,,,,,,,,, +water,,,waters,,watering,,,,,watered,watered,,,,,,,,,,,, +fluke,,,flukes,,fluking,,,,,fluked,fluked,,,,,,,,,,,, +chass_e,,,chass_es,,chass_eing,,,,,chass_ed,chass_ed,,,,,,,,,,,, +witch,,,witches,,witching,,,,,witched,witched,,,,,,,,,,,, +tittletattle,,,tittletattles,,tittletattling,,,,,tittletattled,tittletattled,,,,,,,,,,,, +blarney,,,blarneys,,blarneying,,,,,blarneyed,blarneyed,,,,,,,,,,,, +rubberize,,,rubberizes,,rubberizing,,,,,rubberized,rubberized,,,,,,,,,,,, +sleepwalk,,,sleepwalks,,sleepwalking,,,,,sleepwalked,sleepwalked,,,,,,,,,,,, +boast,,,boasts,,boasting,,,,,boasted,boasted,,,,,,,,,,,, +rethink,,,rethinks,,rethinking,,,,,rethought,rethought,,,,,,,,,,,, +catnap,,,catnaps,,catnapping,,,,,catnapped,catnapped,,,,,,,,,,,, +blotch,,,blotches,,blotching,,,,,blotched,blotched,,,,,,,,,,,, +reincarnate,,,reincarnates,,reincarnating,,,,,reincarnated,reincarnated,,,,,,,,,,,, +outride,,,outrides,,outriding,,,,,outrode,outridden,,,,,,,,,,,, +emerge,,,emerges,,emerging,,,,,emerged,emerged,,,,,,,,,,,, +firecure,,,firecures,,firecuring,,,,,firecured,firecured,,,,,,,,,,,, +humour,,,humours,,humouring,,,,,humoured,humoured,,,,,,,,,,,, +hemagglutinate,,,hemagglutinates,,hemagglutinating,,,,,hemagglutinated,hemagglutinated,,,,,,,,,,,, +tweak,,,tweaks,,tweaking,,,,,tweaked,tweaked,,,,,,,,,,,, +shark,,,sharks,,sharking,,,,,sharked,sharked,,,,,,,,,,,, +palatalize,,,palatalizes,,palatalizing,,,,,palatalized,palatalized,,,,,,,,,,,, +peer,,,peers,,peering,,,,,peered,peered,,,,,,,,,,,, +bituminize,,,bituminizes,,bituminizing,,,,,bituminized,bituminized,,,,,,,,,,,, +thrum,,,thrums,,thrumming,,,,,thrummed,thrummed,,,,,,,,,,,, +touchdown,,,touchdowns,,touchdowning,,,,,touchdowned,touchdowned,,,,,,,,,,,, +prompt,,,prompts,,prompting,,,,,prompted,prompted,,,,,,,,,,,, +post,,,posts,,posting,,,,,posted,posted,,,,,,,,,,,, +sledgehammer,,,sledgehammers,,sledgehammering,,,,,sledgehammered,sledgehammered,,,,,,,,,,,, +concoct,,,concocts,,concocting,,,,,concocted,concocted,,,,,,,,,,,, +scan,,,scans,,scanning,,,,,scanned,scanned,,,,,,,,,,,, +ravage,,,ravages,,ravaging,,,,,ravaged,ravaged,,,,,,,,,,,, +unsheathe,,,unsheathes,,unsheathing,,,,,unsheathed,unsheathed,,,,,,,,,,,, +prey,,,preys,,preying,,,,,preyed,preyed,,,,,,,,,,,, +dowse,,,dowses,,dowsing,,,,,dowsed,dowsed,,,,,,,,,,,, +hogtie,,,hogties,,hogtying,,,,,hogtied,hogtied,,,,,,,,,,,, +dismay,,,dismays,,dismaying,,,,,dismayed,dismayed,,,,,,,,,,,, +riot,,,riots,,rioting,,,,,rioted,rioted,,,,,,,,,,,, +muffle,,,muffles,,muffling,,,,,muffled,muffled,,,,,,,,,,,, +cashier,,,cashiers,,cashiering,,,,,cashiered,cashiered,,,,,,,,,,,, +fuel,,,fuels,,fuelling,,,,,fuelled,fuelled,,,,,,,,,,,, +drown,,,drowns,,drowning,,,,,drowned,drowned,,,,,,,,,,,, +dismast,,,dismasts,,dismasting,,,,,dismasted,dismasted,,,,,,,,,,,, +scag,,,scags,,scagging,,,,,scagged,scagged,,,,,,,,,,,, +befuddle,,,befuddles,,befuddling,,,,,befuddled,befuddled,,,,,,,,,,,, +reflux,,,refluxes,,refluxing,,,,,refluxed,refluxed,,,,,,,,,,,, +ferry,,,ferries,,ferrying,,,,,ferried,ferried,,,,,,,,,,,, +pickle,,,pickles,,pickling,,,,,pickled,pickled,,,,,,,,,,,, +streak,,,streaks,,streaking,,,,,streaked,streaked,,,,,,,,,,,, +overpass,,,overpasses,,overpassing,,,,,overpassed,overpassed,,,,,,,,,,,, +elasticize,,,elasticizes,,elasticizing,,,,,elasticized,elasticized,,,,,,,,,,,, +tittivate,,,tittivates,,tittivating,,,,,tittivated,tittivated,,,,,,,,,,,, +figure,,,figures,,figuring,,,,,figured,figured,,,,,,,,,,,, +scrimshaw,,,scrimshaws,,scrimshawing,,,,,scrimshawed,scrimshawed,,,,,,,,,,,, +outvie,,,outvies,,outvying,,,,,outvied,outvied,,,,,,,,,,,, +stroke,,,strokes,,stroking,,,,,stroked,stroked,,,,,,,,,,,, +surround,,,surrounds,,surrounding,,,,,surrounded,surrounded,,,,,,,,,,,, +provoke,,,provokes,,provoking,,,,,provoked,provoked,,,,,,,,,,,, +filtrate,,,filtrates,,filtrating,,,,,filtrated,filtrated,,,,,,,,,,,, +decolonize,,,decolonizes,,decolonizing,,,,,decolonized,decolonized,,,,,,,,,,,, +stenograph,,,stenographs,,stenographing,,,,,stenographed,stenographed,,,,,,,,,,,, +spud,,,spuds,,spudding,,,,,spudded,spudded,,,,,,,,,,,, +hookup,,,hookups,,hookuping,,,,,hookuped,hookuped,,,,,,,,,,,, +levy,,,levies,,levying,,,,,levied,levied,,,,,,,,,,,, +spue,,,spues,,spuing,,,,,spued,spued,,,,,,,,,,,, +clonk,,,clonks,,clonking,,,,,clonked,clonked,,,,,,,,,,,, +scoff,,,scoffs,,scoffing,,,,,scoffed,scoffed,,,,,,,,,,,, +flyspeck,,,flyspecks,,flyspecking,,,,,flyspecked,flyspecked,,,,,,,,,,,, +repeat,,,repeats,,repeating,,,,,repeated,repeated,,,,,,,,,,,, +reposition,,,repositions,,repositioning,,,,,repositioned,repositioned,,,,,,,,,,,, +joint,,,joints,,jointing,,,,,jointed,jointed,,,,,,,,,,,, +amuse,,,amuses,,amusing,,,,,amused,amused,,,,,,,,,,,, +befool,,,befools,,befooling,,,,,befooled,befooled,,,,,,,,,,,, +unfreeze,,,unfreezes,,unfreezing,,,,,unfroze,unfrozen,,,,,,,,,,,, +refund,,,refunds,,refunding,,,,,refunded,refunded,,,,,,,,,,,, +treble,,,trebles,,trebling,,,,,trebled,trebled,,,,,,,,,,,, +sonnet,,,sonnets,,sonneting,,,,,sonneted,sonneted,,,,,,,,,,,, +defalcate,,,defalcates,,defalcating,,,,,defalcated,defalcated,,,,,,,,,,,, +stylize,,,stylizes,,stylizing,,,,,stylized,stylized,,,,,,,,,,,, +worship,,,worships,,worshipping,,,,,worshipped,worshipped,,,,,,,,,,,, +swank,,,swanks,,swanking,,,,,swanked,swanked,,,,,,,,,,,, +embosom,,,embosoms,,embosoming,,,,,embosomed,embosomed,,,,,,,,,,,, +decontrol,,,decontrols,,decontrolling,,,,,decontrolled,decontrolled,,,,,,,,,,,, +pervade,,,pervades,,pervading,,,,,pervaded,pervaded,,,,,,,,,,,, +loophole,,,loopholes,,loopholing,,,,,loopholed,loopholed,,,,,,,,,,,, +trapan,,,trapans,,trapaning,,,,,trapaned,trapaned,,,,,,,,,,,, +cajole,,,cajoles,,cajoling,,,,,cajoled,cajoled,,,,,,,,,,,, +subduct,,,subducts,,subducting,,,,,subducted,subducted,,,,,,,,,,,, +deaminize,,,deaminizes,,deaminizing,,,,,deaminized,deaminized,,,,,,,,,,,, +conquer,,,conquers,,conquering,,,,,conquered,conquered,,,,,,,,,,,, +josh,,,joshes,,joshing,,,,,joshed,joshed,,,,,,,,,,,, +occult,,,occults,,occulting,,,,,occulted,occulted,,,,,,,,,,,, +wagon,,,wagons,,wagoning,,,,,wagoned,wagoned,,,,,,,,,,,, +execute,,,executes,,executing,,,,,executed,executed,,,,,,,,,,,, +name,,,names,,naming,,,,,named,named,,,,,,,,,,,, +stabilize,,,stabilizes,,stabilizing,,,,,stabilized,stabilized,,,,,,,,,,,, +clutch,,,clutches,,clutching,,,,,clutched,clutched,,,,,,,,,,,, +synchronize,,,synchronizes,,synchronizing,,,,,synchronized,synchronized,,,,,,,,,,,, +annualize,,,annualizes,,annualizing,,,,,annualized,annualized,,,,,,,,,,,, +gape,,,gapes,,gaping,,,,,gaped,gaped,,,,,,,,,,,, +torch,,,torches,,torching,,,,,torched,torched,,,,,,,,,,,, +sprinkle,,,sprinkles,,sprinkling,,,,,sprinkled,sprinkled,,,,,,,,,,,, +photoset,,,photosets,,photosetting,,,,,photoset,photoset,,,,,,,,,,,, +superstruct,,,superstructs,,superstructing,,,,,superstructed,superstructed,,,,,,,,,,,, +tinplate,,,tinplates,,tinplating,,,,,tinplated,tinplated,,,,,,,,,,,, +counterchange,,,counterchanges,,counterchanging,,,,,counterchanged,counterchanged,,,,,,,,,,,, +concur,,,concurs,,concurring,,,,,concurred,concurred,,,,,,,,,,,, +envenom,,,envenoms,,envenoming,,,,,envenomed,envenomed,,,,,,,,,,,, +profit,,,profits,,profiting,,,,,profited,profited,,,,,,,,,,,, +condole,,,condoles,,condoling,,,,,condoled,condoled,,,,,,,,,,,, +extrapolate,,,extrapolates,,extrapolating,,,,,extrapolated,extrapolated,,,,,,,,,,,, +collate,,,collates,,collating,,,,,collated,collated,,,,,,,,,,,, +maneuver,,,maneuvers,,maneuvering,,,,,maneuvered,maneuvered,,,,,,,,,,,, +kalsomine,,,kalsomines,,kalsomining,,,,,kalsomined,kalsomined,,,,,,,,,,,, +hulk,,,hulks,,hulking,,,,,hulked,hulked,,,,,,,,,,,, +hobble,,,hobbles,,hobbling,,,,,hobbled,hobbled,,,,,,,,,,,, +shillyshally,,,shilly-shallies,,shilly-shallying,,,,,shillyshallied,shilly-shallied,,,,,,,,,,,, +reemphasize,,,reemphasizes,,reemphasizing,,,,,reemphasized,reemphasized,,,,,,,,,,,, +delude,,,deludes,,deluding,,,,,deluded,deluded,,,,,,,,,,,, +flare,,,flares,,flaring,,,,,flared,flared,,,,,,,,,,,, +impose,,,imposes,,imposing,,,,,imposed,imposed,,,,,,,,,,,, +motion,,,motions,,motioning,,,,,motioned,motioned,,,,,,,,,,,, +turn,,,turns,,turning,,,,,turned,turned,,,,,,,,,,,, +place,,,places,,placing,,,,,placed,placed,,,,,,,,,,,, +brutalize,,,brutalizes,,brutalizing,,,,,brutalized,brutalized,,,,,,,,,,,, +turf,,,turfs,,turfing,,,,,turfed,turfed,,,,,,,,,,,, +impost,,,imposts,,imposting,,,,,imposted,imposted,,,,,,,,,,,, +swink,,,swinks,,swinking,,,,,swinked,swinked,,,,,,,,,,,, +excommunicate,,,excommunicates,,excommunicating,,,,,excommunicated,excommunicated,,,,,,,,,,,, +feign,,,feigns,,feigning,,,,,feigned,feigned,,,,,,,,,,,, +suspend,,,suspends,,suspending,,,,,suspended,suspended,,,,,,,,,,,, +refloat,,,refloats,,refloating,,,,,refloated,refloated,,,,,,,,,,,, +escarp,,,escarps,,escarping,,,,,escarped,escarped,,,,,,,,,,,, +scollop,,,scollops,,scolloping,,,,,scolloped,scolloped,,,,,,,,,,,, +array,,,arrays,,arraying,,,,,arrayed,arrayed,,,,,,,,,,,, +intone,,,intones,,intoning,,,,,intoned,intoned,,,,,,,,,,,, +engineer,,,engineers,,engineering,,,,,engineered,engineered,,,,,,,,,,,, +unpeople,,,unpeoples,,unpeopling,,,,,unpeopled,unpeopled,,,,,,,,,,,, +district,,,districts,,districting,,,,,districted,districted,,,,,,,,,,,, +carbonate,,,carbonates,,carbonating,,,,,carbonated,carbonated,,,,,,,,,,,, +plank,,,planks,,planking,,,,,planked,planked,,,,,,,,,,,, +assort,,,assorts,,assorting,,,,,assorted,assorted,,,,,,,,,,,, +persecute,,,persecutes,,persecuting,,,,,persecuted,persecuted,,,,,,,,,,,, +crosscheck,,,crosschecks,,crosschecking,,,,,crosschecked,crosschecked,,,,,,,,,,,, +unfrock,,,unfrocks,,unfrocking,,,,,unfrocked,unfrocked,,,,,,,,,,,, +holden,,,holdens,,holdening,,,,,holdened,holdened,,,,,,,,,,,, +neologize,,,neologizes,,neologizing,,,,,neologized,neologized,,,,,,,,,,,, +cope,,,copes,,coping,,,,,coped,coped,,,,,,,,,,,, +hum,,,hums,,humming,,,,,hummed,hummed,,,,,,,,,,,, +indoctrinate,,,indoctrinates,,indoctrinating,,,,,indoctrinated,indoctrinated,,,,,,,,,,,, +wax,,,waxes,,waxing,,,,,waxed,waxed,,,,,,,,,,,, +grunt,,,grunts,,grunting,,,,,grunted,grunted,,,,,,,,,,,, +specify,,,specifies,,specifying,,,,,specified,specified,,,,,,,,,,,, +bewitch,,,bewitches,,bewitching,,,,,bewitched,bewitched,,,,,,,,,,,, +defrock,,,defrocks,,defrocking,,,,,defrocked,defrocked,,,,,,,,,,,, +require,,,requires,,requiring,,,,,required,required,,,,,,,,,,,, +sere,,,seres,,sering,,,,,sered,sered,,,,,,,,,,,, +ooze,,,oozes,,oozing,,,,,oozed,oozed,,,,,,,,,,,, +posit,,,posits,,positing,,,,,posited,posited,,,,,,,,,,,, +collimate,,,collimates,,collimating,,,,,collimated,collimated,,,,,,,,,,,, +poetize,,,poetizes,,poetizing,,,,,poetized,poetized,,,,,,,,,,,, +depilate,,,depilates,,depilating,,,,,depilated,depilated,,,,,,,,,,,, +rend,,,rends,,rending,,,,,rent,rent,,,,,,,,,,,, +froth,,,froths,,frothing,,,,,frothed,frothed,,,,,,,,,,,, +liquidize,,,liquidizes,,liquidizing,,,,,liquidized,liquidized,,,,,,,,,,,, +stoush,,,stoushes,,stoushing,,,,,stoushed,stoushed,,,,,,,,,,,, +rent,,,rents,,renting,,,,,rented,rented,,,,,,,,,,,, +pry,,,pries,,prying,,,,,pried,pried,,,,,,,,,,,, +silhouette,,,silhouettes,,silhouetting,,,,,silhouetted,silhouetted,,,,,,,,,,,, +acclimatize,,,acclimatises,,acclimatizing,,,,,acclimatized,acclimatized,,,,,,,,,,,, +fracture,,,fractures,,fracturing,,,,,fractured,fractured,,,,,,,,,,,, +paraphrase,,,paraphrases,,paraphrasing,,,,,paraphrased,paraphrased,,,,,,,,,,,, +blunt,,,blunts,,blunting,,,,,blunted,blunted,,,,,,,,,,,, +surf,,,surfs,,surfing,,,,,surfed,surfed,,,,,,,,,,,, +urge,,,urges,,urging,,,,,urged,urged,,,,,,,,,,,, +biff,,,biffs,,biffing,,,,,biffed,biffed,,,,,,,,,,,, +embitter,,,embitters,,embittering,,,,,embittered,embittered,,,,,,,,,,,, +fritt,,,fritts,,fritting,,,,,fritted,fritted,,,,,,,,,,,, +remunerate,,,remunerates,,remunerating,,,,,remunerated,remunerated,,,,,,,,,,,, +rematch,,,rematches,,rematching,,,,,rematched,rematched,,,,,,,,,,,, +frig,,,frigs,,frigging,,,,,frigged,frigged,,,,,,,,,,,, +fluoridize,,,fluoridizes,,fluoridizing,,,,,fluoridized,fluoridized,,,,,,,,,,,, +saunter,,,saunters,,sauntering,,,,,sauntered,sauntered,,,,,,,,,,,, +annul,,,annuls,,annulling,,,,,annulled,annulled,,,,,,,,,,,, +misfire,,,misfires,,misfiring,,,,,misfired,misfired,,,,,,,,,,,, +adopt,,,adopts,,adopting,,,,,adopted,adopted,,,,,,,,,,,, +calcify,,,calcifies,,calcifying,,,,,calcified,calcified,,,,,,,,,,,, +incardinate,,,incardinates,,incardinating,,,,,incardinated,incardinated,,,,,,,,,,,, +readjust,,,readjusts,,readjusting,,,,,readjusted,readjusted,,,,,,,,,,,, +slope,,,slopes,,sloping,,,,,sloped,sloped,,,,,,,,,,,, +perch,,,perches,,perching,,,,,perched,perched,,,,,,,,,,,, +forage,,,forages,,foraging,,,,,foraged,foraged,,,,,,,,,,,, +cheat,,,cheats,,cheating,,,,,cheated,cheated,,,,,,,,,,,, +reinvigorate,,,reinvigorates,,reinvigorating,,,,,reinvigorated,reinvigorated,,,,,,,,,,,, +trog,,,trogs,,trogging,,,,,trogged,trogged,,,,,,,,,,,, +trespass,,,trespasses,,trespassing,,,,,trespassed,trespassed,,,,,,,,,,,, +hack,,,hacks,,hacking,,,,,hacked,hacked,,,,,,,,,,,, +pustulate,,,pustulates,,pustulating,,,,,pustulated,pustulated,,,,,,,,,,,, +broach,,,broaches,,broaching,,,,,broached,broached,,,,,,,,,,,, +mister,,,misters,,mistering,,,,,mistered,mistered,,,,,,,,,,,, +trot,,,trots,,trotting,,,,,trotted,trotted,,,,,,,,,,,, +transistorize,,,transistorizes,,transistorizing,,,,,transistorized,transistorized,,,,,,,,,,,, +gulf,,,gulfs,,gulfing,,,,,gulfed,gulfed,,,,,,,,,,,, +gull,,,gulls,,gulling,,,,,gulled,gulled,,,,,,,,,,,, +ventriloquize,,,ventriloquizes,,ventriloquizing,,,,,ventriloquized,ventriloquized,,,,,,,,,,,, +shimmer,,,shimmers,,shimmering,,,,,shimmered,shimmered,,,,,,,,,,,, +gulp,,,gulps,,gulping,,,,,gulped,gulped,,,,,,,,,,,, +woof,,,woofs,,woofing,,,,,woofed,woofed,,,,,,,,,,,, +wood,,,woods,,wooding,,,,,wooded,wooded,,,,,,,,,,,, +partake,,,partakes,,partaking,,,,,partook,partaken,,,,,,,,,,,, +deign,,,deigns,,deigning,,,,,deigned,deigned,,,,,,,,,,,, +crimp,,,crimps,,crimping,,,,,crimped,crimped,,,,,,,,,,,, +involute,,,involutes,,involuting,,,,,involuted,involuted,,,,,,,,,,,, +reset,,,resets,,resetting,,,,,reset,reset,,,,,,,,,,,, +lighten,,,lightens,,lightening,,,,,lightened,lightened,,,,,,,,,,,, +jazz,,,jazzes,,jazzing,,,,,jazzed,jazzed,,,,,,,,,,,, +festoon,,,festoons,,festooning,,,,,festooned,festooned,,,,,,,,,,,, +tailor,,,tailors,,tailoring,,,,,tailored,tailored,,,,,,,,,,,, +dye,,,dyes,,dyeing,,,,,dyed,dyed,,,,,,,,,,,, +hedge,,,hedges,,hedging,,,,,hedged,hedged,,,,,,,,,,,, +closure,,,closures,,closuring,,,,,closured,closured,,,,,,,,,,,, +reveal,,,reveals,,revealing,,,,,revealed,revealed,,,,,,,,,,,, +pinnacle,,,pinnacles,,pinnacling,,,,,pinnacled,pinnacled,,,,,,,,,,,, +outperform,,,outperforms,,outperforming,,,,,outperformed,outperformed,,,,,,,,,,,, +obliterate,,,obliterates,,obliterating,,,,,obliterated,obliterated,,,,,,,,,,,, +underplay,,,underplays,,underplaying,,,,,underplayed,underplayed,,,,,,,,,,,, +dawdle,,,dawdles,,dawdling,,,,,dawdled,dawdled,,,,,,,,,,,, +convolve,,,convolves,,convolving,,,,,convolved,convolved,,,,,,,,,,,, +picnic,,,,,picnicking,,,,,picnicked,picnicked,,,,,,,,,,,, +emote,,,emotes,,emoting,,,,,emoted,emoted,,,,,,,,,,,, +prowl,,,prowls,,prowling,,,,,prowled,prowled,,,,,,,,,,,, +westernize,,,westernizes,,westernizing,,,,,westernized,westernized,,,,,,,,,,,, +sile,,,siles,,siling,,,,,siled,siled,,,,,,,,,,,, +scabble,,,scabbles,,scabbling,,,,,scabbled,scabbled,,,,,,,,,,,, +detect,,,detects,,detecting,,,,,detected,detected,,,,,,,,,,,, +emplace,,,emplaces,,emplacing,,,,,emplaced,emplaced,,,,,,,,,,,, +mortgage,,,mortgages,,mortgaging,,,,,mortgaged,mortgaged,,,,,,,,,,,, +review,,,reviews,,reviewing,,,,,reviewed,reviewed,,,,,,,,,,,, +hiss,,,hisses,,hissing,,,,,hissed,hissed,,,,,,,,,,,, +caucus,,,caucuses,,caucusing,,,,,caucused,caucused,,,,,,,,,,,, +replevy,,,replevies,,replevying,,,,,replevied,replevied,,,,,,,,,,,, +overcharge,,,overcharges,,overcharging,,,,,overcharged,overcharged,,,,,,,,,,,, +comb,,,combs,,combing,,,,,combed,combed,,,,,,,,,,,, +come,,,comes,,coming,,,,,came,come,,,,,,,,,,,, +forfend,,,forfends,,forfending,,,,,forfended,forfended,,,,,,,,,,,, +bemoan,,,bemoans,,bemoaning,,,,,bemoaned,bemoaned,,,,,,,,,,,, +quiet,,,quiets,,quieting,,,,,quieted,quieted,,,,,,,,,,,, +contract,,,contracts,,contracting,,,,,contracted,contracted,,,,,,,,,,,, +re-afforest,,,re-afforests,,re-afforesting,,,,,re-afforested,re-afforested,,,,,,,,,,,, +berry,,,berries,,berrying,,,,,berried,berried,,,,,,,,,,,, +railroad,,,railroads,,,,,,,,,,,,,,,,,,,, +cabal,,,cabals,,caballing,,,,,caballed,caballed,,,,,,,,,,,, +pot,,,pots,,potting,,,,,potted,potted,,,,,,,,,,,, +insist,,,insists,,insisting,,,,,insisted,insisted,,,,,,,,,,,, +pole,,,poles,,poling,,,,,poled,poled,,,,,,,,,,,, +pod,,,pods,,podding,,,,,podded,podded,,,,,,,,,,,, +poll,,,polls,,polling,,,,,polled,polled,,,,,,,,,,,, +blowdry,,,blowdries,,blowdrying,,,,,blowdried,blowdried,,,,,,,,,,,, +sypher,,,syphers,,syphering,,,,,syphered,syphered,,,,,,,,,,,, +shroff,,,shroffs,,shroffing,,,,,shroffed,shroffed,,,,,,,,,,,, +anthologize,,,anthologizes,,anthologizing,,,,,anthologized,anthologized,,,,,,,,,,,, +umpire,,,umpires,,umpiring,,,,,umpired,umpired,,,,,,,,,,,, +disembogue,,,disembogues,,disemboguing,,,,,disembogued,disembogued,,,,,,,,,,,, +reimburse,,,reimburses,,reimbursing,,,,,reimbursed,reimbursed,,,,,,,,,,,, +catholicize,,,catholicizes,,catholicizing,,,,,catholicized,catholicized,,,,,,,,,,,, +borate,,,borates,,borating,,,,,borated,borated,,,,,,,,,,,, +padlock,,,padlocks,,padlocking,,,,,padlocked,padlocked,,,,,,,,,,,, +silk,,,silks,,silking,,,,,silked,silked,,,,,,,,,,,, +minister,,,ministers,,ministering,,,,,ministered,ministered,,,,,,,,,,,, +dribble,,,dribbles,,dribbling,,,,,dribbled,dribbled,,,,,,,,,,,, +pilot,,,pilots,,piloting,,,,,piloted,piloted,,,,,,,,,,,, +case,,,cases,,casing,,,,,cased,cased,,,,,,,,,,,, +shaft,,,shafts,,shafting,,,,,shafted,shafted,,,,,,,,,,,, +hightail,,,hightails,,hightailing,,,,,hightailed,hightailed,,,,,,,,,,,, +amend,,,amends,,amending,,,,,amended,amended,,,,,,,,,,,, +mount,,,mounts,,mounting,,,,,mounted,mounted,,,,,,,,,,,, +cash,,,cashes,,cashing,,,,,cashed,cashed,,,,,,,,,,,, +cast,,,casts,,casting,,,,,cast,cast,,,,,,,,,,,, +Roneo,,,Roneos,,Roneoing,,,,,Roneoed,Roneoed,,,,,,,,,,,, +embank,,,embanks,,embanking,,,,,embanked,embanked,,,,,,,,,,,, +shingle,,,shingles,,shingling,,,,,shingled,shingled,,,,,,,,,,,, +mound,,,mounds,,mounding,,,,,mounded,mounded,,,,,,,,,,,, +vest,,,vests,,vesting,,,,,vested,vested,,,,,,,,,,,, +bemean,,,bemeans,,bemeaning,,,,,bemeaned,bemeaned,,,,,,,,,,,, +contrive,,,contrives,,contriving,,,,,contrived,contrived,,,,,,,,,,,, +telephone,,,telephones,,telephoning,,,,,telephoned,telephoned,,,,,,,,,,,, +parse,,,parses,,parsing,,,,,parsed,parsed,,,,,,,,,,,, +big-note,,,big-notes,,big-noting,,,,,big-noted,big-noted,,,,,,,,,,,, +clutter,,,clutters,,cluttering,,,,,cluttered,cluttered,,,,,,,,,,,, +saponify,,,saponifies,,saponifying,,,,,saponified,saponified,,,,,,,,,,,, +reshape,,,reshapes,,reshaping,,,,,reshaped,reshaped,,,,,,,,,,,, +bowl,,,bowls,,bowling,,,,,bowled,bowled,,,,,,,,,,,, +furl,,,furls,,furling,,,,,furled,furled,,,,,,,,,,,, +sucker,,,suckers,,suckering,,,,,suckered,suckered,,,,,,,,,,,, +spatter,,,spatters,,spattering,,,,,spattered,spattered,,,,,,,,,,,, +ween,,,weens,,weening,,,,,weened,weened,,,,,,,,,,,, +applaud,,,applauds,,applauding,,,,,applauded,applauded,,,,,,,,,,,, +nest,,,nests,,nesting,,,,,nested,nested,,,,,,,,,,,, +weed,,,weeds,,weeding,,,,,weeded,weeded,,,,,,,,,,,, +drivel,,,drivels,,drivelling,,,,,drivelled,drivelled,,,,,,,,,,,, +lute,,,lutes,,luting,,,,,luted,luted,,,,,,,,,,,, +stallfeed,,,stallfeeds,,stallfeeding,,,,,stallfed,stallfed,,,,,,,,,,,, +ragout,,,ragouts,,ragouting,,,,,ragouted,ragouted,,,,,,,,,,,, +weep,,,weeps,,weeping,,,,,wept,wept,,,,,,,,,,,, +minimize,,,minimizes,,minimizing,,,,,minimized,minimized,,,,,,,,,,,, +ranch,,,ranches,,ranching,,,,,ranched,ranched,,,,,,,,,,,, +communalize,,,communalizes,,communalizing,,,,,communalized,communalized,,,,,,,,,,,, +co-edit,,,co-edits,,co-editing,,,,,co-edited,co-edited,,,,,,,,,,,, +inbreathe,,,inbreathes,,inbreathing,,,,,inbreathed,inbreathed,,,,,,,,,,,, +illume,,,illumes,,illuming,,,,,illumed,illumed,,,,,,,,,,,, +model,,,models,,modelling,,,,,modelled,modelled,,,,,,,,,,,, +retroject,,,retrojects,,retrojecting,,,,,retrojected,retrojected,,,,,,,,,,,, +justify,,,justifies,,justifying,,,,,justified,justified,,,,,,,,,,,, +clog,,,clogs,,clogging,,,,,clogged,clogged,,,,,,,,,,,, +kilt,,,kilts,,kilting,,,,,kilted,kilted,,,,,,,,,,,, +clot,,,clots,,clotting,,,,,clotted,clotted,,,,,,,,,,,, +lavish,,,lavishes,,lavishing,,,,,lavished,lavished,,,,,,,,,,,, +clop,,,clops,,clopping,,,,,clopped,clopped,,,,,,,,,,,, +kiln,,,kilns,,kilning,,,,,kilned,kilned,,,,,,,,,,,, +polish,,,polishes,,polishing,,,,,polished,polished,,,,,,,,,,,, +velarize,,,velarizes,,velarizing,,,,,velarized,velarized,,,,,,,,,,,, +cloy,,,cloys,,cloying,,,,,cloyed,cloyed,,,,,,,,,,,, +rackrent,,,rackrents,,rackrenting,,,,,rackrented,rackrented,,,,,,,,,,,, +blow,,,blows,,blowing,,,,,blew,blown,,,,,,,,,,,, +blot,,,blots,,blotting,,,,,blotted,blotted,,,,,,,,,,,, +cofound,,,cofounds,,cofounding,,,,,cofounded,cofounded,,,,,,,,,,,, +hint,,,hints,,hinting,,,,,hinted,hinted,,,,,,,,,,,, +except,,,excepts,,excepting,,,,,excepted,excepted,,,,,,,,,,,, +enfilade,,,enfilades,,enfilading,,,,,enfiladed,enfiladed,,,,,,,,,,,, +blob,,,blobs,,blobbing,,,,,blobbed,blobbed,,,,,,,,,,,, +hinder,,,,,,,,,,,,,,,,,,,,,,, +backbite,,,backbites,,backbiting,,,,,backbit,backbitten,,,,,,,,,,,, +disrupt,,,disrupts,,disrupting,,,,,disrupted,disrupted,,,,,,,,,,,, +impound,,,impounds,,impounding,,,,,impounded,impounded,,,,,,,,,,,, +devest,,,devests,,devesting,,,,,devested,devested,,,,,,,,,,,, +snore,,,snores,,snoring,,,,,snored,snored,,,,,,,,,,,, +worst,,,,,,,,,,,,,,,,,,,,,,, +shrink,,,shrinks,,shrinking,,,,,shrunk,shrunken,,,,,,,,,,,, +snort,,,snorts,,snorting,,,,,snorted,snorted,,,,,,,,,,,, +deduct,,,deducts,,deducting,,,,,deducted,deducted,,,,,,,,,,,, +subsidize,,,subsidizes,,subsidizing,,,,,subsidized,subsidized,,,,,,,,,,,, +interlock,,,interlocks,,interlocking,,,,,interlocked,interlocked,,,,,,,,,,,, +deduce,,,deduces,,deducing,,,,,deduced,deduced,,,,,,,,,,,, +respect,,,respects,,respecting,,,,,respected,respected,,,,,,,,,,,, +slice,,,slices,,slicing,,,,,sliced,sliced,,,,,,,,,,,, +overstay,,,overstays,,overstaying,,,,,overstayed,overstayed,,,,,,,,,,,, +renounce,,,renounces,,renouncing,,,,,renounced,renounced,,,,,,,,,,,, +divvy,,,divvies,,divvying,,,,,divvied,divvied,,,,,,,,,,,, +slick,,,slicks,,slicking,,,,,slicked,slicked,,,,,,,,,,,, +jiggle,,,jiggles,,jiggling,,,,,jiggled,jiggled,,,,,,,,,,,, +moon,,,moons,,mooning,,,,,mooned,mooned,,,,,,,,,,,, +fadeout,,,,,,,,,,,,,,,,,,,,,,, +moor,,,moors,,mooring,,,,,moored,moored,,,,,,,,,,,, +moot,,,moots,,mooting,,,,,mooted,mooted,,,,,,,,,,,, +stope,,,stopes,,stoping,,,,,stoped,stoped,,,,,,,,,,,, +substantialize,,,substantializes,,substantializing,,,,,substantialized,substantialized,,,,,,,,,,,, +herringbone,,,herringbones,,herringboning,,,,,herringboned,herringboned,,,,,,,,,,,, +inspect,,,inspects,,inspecting,,,,,inspected,inspected,,,,,,,,,,,, +communicate,,,communicates,,communicating,,,,,communicated,communicated,,,,,,,,,,,, +slaughter,,,slaughters,,slaughtering,,,,,slaughtered,slaughtered,,,,,,,,,,,, +update,,,updates,,updating,,,,,updated,updated,,,,,,,,,,,, +fantasize,,,fantasizes,,fantasizing,,,,,fantasized,fantasized,,,,,,,,,,,, +immigrate,,,immigrates,,immigrating,,,,,immigrated,immigrated,,,,,,,,,,,, +prattle,,,prattles,,prattling,,,,,prattled,prattled,,,,,,,,,,,, +concuss,,,concusses,,concussing,,,,,concussed,concussed,,,,,,,,,,,, +tread,,,treads,,treading,,,,,trod,trodden,,,,,,,,,,,, +chivy,,,chivvies,,chivying,,,,,chivvied,chivvied,,,,,,,,,,,, +jeer,,,jeers,,jeering,,,,,jeered,jeered,,,,,,,,,,,, +shrimp,,,shrimps,,shrimping,,,,,shrimped,shrimped,,,,,,,,,,,, +stand,,,stands,,standing,,,,,stood,stood,,,,,,,,,,,, +equalize,,,equalizes,,equalizing,,,,,equalized,equalized,,,,,,,,,,,, +doze,,,dozes,,dozing,,,,,dozed,dozed,,,,,,,,,,,, +broddle,,,broddles,,broddling,,,,,broddled,broddled,,,,,,,,,,,, +accredit,,,accredits,,accrediting,,,,,accredited,accredited,,,,,,,,,,,, +undervalue,,,undervalues,,undervaluing,,,,,undervalued,undervalued,,,,,,,,,,,, +pickup,,,,,,,,,,,,,,,,,,,,,,, +garner,,,garners,,garnering,,,,,garnered,garnered,,,,,,,,,,,, +breakwater,,,,,,,,,,,,,,,,,,,,,,, +forewarn,,,forewarns,,forewarning,,,,,forewarned,forewarned,,,,,,,,,,,, +determine,,,determines,,determining,,,,,determined,determined,,,,,,,,,,,, +syringe,,,,,syringing,,,,,syringed,syringed,,,,,,,,,,,, +abrogate,,,abrogates,,abrogating,,,,,abrogated,abrogated,,,,,,,,,,,, +weight,,,weights,,weighting,,,,,weighted,weighted,,,,,,,,,,,, +backwater,,,backwaters,,backwatering,,,,,backwatered,backwatered,,,,,,,,,,,, +scry,,,scries,,scrying,,,,,scried,scried,,,,,,,,,,,, +ponce,,,ponces,,poncing,,,,,ponced,ponced,,,,,,,,,,,, +deterge,,,deterges,,deterging,,,,,deterged,deterged,,,,,,,,,,,, +expatriate,,,expatriates,,expatriating,,,,,expatriated,expatriated,,,,,,,,,,,, +condone,,,condones,,condoning,,,,,condoned,condoned,,,,,,,,,,,, +fishes,,,fishes,,fishing,,,,,fishesed,fishesed,,,,,,,,,,,, +carouse,,,carouses,,carousing,,,,,caroused,caroused,,,,,,,,,,,, +gibe,,,gibes,,gibing,,,,,gibed,gibed,,,,,,,,,,,, +jug,,,jugs,,jugging,,,,,jugged,jugged,,,,,,,,,,,, +winnow,,,winnows,,winnowing,,,,,winnowed,winnowed,,,,,,,,,,,, +roust,,,rousts,,rousting,,,,,rousted,rousted,,,,,,,,,,,, +regard,,,regards,,regarding,,,,,regarded,regarded,,,,,,,,,,,, +betoken,,,betokens,,betokening,,,,,betokened,betokened,,,,,,,,,,,, +notate,,,notates,,notating,,,,,notated,notated,,,,,,,,,,,, +jut,,,juts,,jutting,,,,,jutted,jutted,,,,,,,,,,,, +promote,,,promotes,,promoting,,,,,promoted,promoted,,,,,,,,,,,, +emancipate,,,emancipates,,emancipating,,,,,emancipated,emancipated,,,,,,,,,,,, +scrouge,,,scrouges,,scrouging,,,,,scrouged,scrouged,,,,,,,,,,,, +demilitarize,,,demilitarizes,,demilitarizing,,,,,demilitarized,demilitarized,,,,,,,,,,,, +fabricate,,,fabricates,,fabricating,,,,,fabricated,fabricated,,,,,,,,,,,, +wholesale,,,wholesales,,wholesaling,,,,,wholesaled,wholesaled,,,,,,,,,,,, +excruciate,,,excruciates,,excruciating,,,,,excruciated,excruciated,,,,,,,,,,,, +incise,,,incises,,incising,,,,,incised,incised,,,,,,,,,,,, +nigrify,,,nigrifies,,nigrifying,,,,,nigrified,nigrified,,,,,,,,,,,, +grasp,,,grasps,,grasping,,,,,grasped,grasped,,,,,,,,,,,, +grass,,,grasses,,grassing,,,,,grassed,grassed,,,,,,,,,,,, +politick,,,politicks,,politicking,,,,,politicked,politicked,,,,,,,,,,,, +tranquillize,,,tranquillizes,,tranquillizing,,,,,tranquillized,tranquillized,,,,,,,,,,,, +taste,,,tastes,,tasting,,,,,tasted,tasted,,,,,,,,,,,, +frighten,,,frightens,,frightening,,,,,frightened,frightened,,,,,,,,,,,, +thrombose,,,thromboses,,thrombosing,,,,,thrombosed,thrombosed,,,,,,,,,,,, +fossick,,,fossicks,,fossicking,,,,,fossicked,fossicked,,,,,,,,,,,, +trundle,,,trundles,,trundling,,,,,trundled,trundled,,,,,,,,,,,, +encompass,,,encompasses,,encompassing,,,,,encompassed,encompassed,,,,,,,,,,,, +deraign,,,deraigns,,deraigning,,,,,deraigned,deraigned,,,,,,,,,,,, +wanton,,,wantons,,wantoning,,,,,wantoned,wantoned,,,,,,,,,,,, +deserve,,,deserves,,deserving,,,,,deserved,deserved,,,,,,,,,,,, +compel,,,compels,,compelling,,,,,compelled,compelled,,,,,,,,,,,, +rubber,,,rubbers,,rubbering,,,,,rubbered,rubbered,,,,,,,,,,,, +trash,,,trashes,,trashing,,,,,trashed,trashed,,,,,,,,,,,, +sully,,,sullies,,sullying,,,,,sullied,sullied,,,,,,,,,,,, +proliferate,,,proliferates,,proliferating,,,,,proliferated,proliferated,,,,,,,,,,,, +unbend,,,unbends,,unbending,,,,,unbent,unbent,,,,,,,,,,,, +separate,,,separates,,separating,,,,,separated,separated,,,,,,,,,,,, +symbol,,,symbols,,symbolling,,,,,symbolled,symbolled,,,,,,,,,,,, +cove,,,coves,,coving,,,,,coved,coved,,,,,,,,,,,, +flocculate,,,flocculates,,flocculating,,,,,flocculated,flocculated,,,,,,,,,,,, +despoil,,,despoils,,despoiling,,,,,despoiled,despoiled,,,,,,,,,,,, +dishonour,,,dishonours,,dishonouring,,,,,dishonoured,dishonoured,,,,,,,,,,,, +ferrule,,,ferrules,,ferruling,,,,,ferruled,ferruled,,,,,,,,,,,, +feudalize,,,feudalizes,,feudalizing,,,,,feudalized,feudalized,,,,,,,,,,,, +spouse,,,spouses,,spousing,,,,,spoused,spoused,,,,,,,,,,,, +verjuice,,,verjuices,,verjuicing,,,,,verjuiced,verjuiced,,,,,,,,,,,, +crossbred,,,,,,,,,,crossbred,crossbred,,,,,,,,,,,, +luxate,,,luxates,,luxating,,,,,luxated,luxated,,,,,,,,,,,, +overblow,,,overblows,,overblowing,,,,,overblew,overblown,,,,,,,,,,,, +invest,,,invests,,investing,,,,,invested,invested,,,,,,,,,,,, +curve,,,curves,,curving,,,,,curved,curved,,,,,,,,,,,, +lyse,,,lyses,,lysing,,,,,lysed,lysed,,,,,,,,,,,, +wamble,,,wambles,,wambling,,,,,wambled,wambled,,,,,,,,,,,, +philosophize,,,philosophizes,,philosophizing,,,,,philosophized,philosophized,,,,,,,,,,,, +derrick,,,derricks,,derricking,,,,,derricked,derricked,,,,,,,,,,,, +fizzle,,,fizzles,,fizzling,,,,,fizzled,fizzled,,,,,,,,,,,, +enswathe,,,enswathes,,enswathing,,,,,enswathed,enswathed,,,,,,,,,,,, +lallygag,,,lallygags,,lallygagging,,,,,lallygagged,lallygagged,,,,,,,,,,,, +adlib,,,adlibs,,adlibbing,,,,,adlibbed,adlibbed,,,,,,,,,,,, +disc,,,discs,,discing,,,,,disced,disced,,,,,,,,,,,, +antagonize,,,antagonizes,,antagonizing,,,,,antagonized,antagonized,,,,,,,,,,,, +dish,,,dishes,,dishing,,,,,dished,dished,,,,,,,,,,,, +follow,,,follows,,following,,,,,followed,followed,,,,,,,,,,,, +alter,,,,,,,,,,,,,,,,,,,,,,, +glimpse,,,glimpses,,glimpsing,,,,,glimpsed,glimpsed,,,,,,,,,,,, +depressurize,,,depressurizes,,depressurizing,,,,,depressurized,depressurized,,,,,,,,,,,, +homage,,,homages,,homaging,,,,,homaged,homaged,,,,,,,,,,,, +assuage,,,assuages,,assuaging,,,,,assuaged,assuaged,,,,,,,,,,,, +begird,,,begirds,,begirding,,,,,begirt,begirt,,,,,,,,,,,, +precast,,,precasts,,precasting,,,,,precast,precast,,,,,,,,,,,, +defuze,,,defuzes,,defuzing,,,,,defuzed,defuzed,,,,,,,,,,,, +backslide,,,backslides,,backsliding,,,,,backslidden,backslidden,,,,,,,,,,,, +fay,,,fays,,faying,,,,,fayed,fayed,,,,,,,,,,,, +disjoin,,,disjoins,,disjoining,,,,,disjoined,disjoined,,,,,,,,,,,, +induce,,,induces,,inducing,,,,,induced,induced,,,,,,,,,,,, +fan,,,fans,,fanning,,,,,fanned,fanned,,,,,,,,,,,, +ticket,,,tickets,,ticketing,,,,,ticketed,ticketed,,,,,,,,,,,, +gainsay,,,gainsays,,gainsaying,,,,,gainsaid,gainsaid,,,,,,,,,,,, +steeve,,,steeves,,steeving,,,,,steeved,steeved,,,,,,,,,,,, +induct,,,inducts,,inducting,,,,,inducted,inducted,,,,,,,,,,,, +lisp,,,lisps,,lisping,,,,,lisped,lisped,,,,,,,,,,,, +list,,,lists,,listing,,,,,listed,listed,,,,,,,,,,,, +goster,,,gosters,,gostering,,,,,gostered,gostered,,,,,,,,,,,, +intimidate,,,intimidates,,intimidating,,,,,intimidated,intimidated,,,,,,,,,,,, +programme,,,programs,,programming,,,,,programmed,programmed,,,,,,,,,,,, +flick,,,flicks,,flicking,,,,,flicked,flicked,,,,,,,,,,,, +ted,,,teds,,tedding,,,,,tedded,tedded,,,,,,,,,,,, +tee,,,tees,,teeing,,,,,teed,teed,,,,,,,,,,,, +ripen,,,ripens,,ripening,,,,,ripened,ripened,,,,,,,,,,,, +rate,,,rates,,rating,,,,,rated,rated,,,,,,,,,,,, +design,,,designs,,designing,,,,,designed,designed,,,,,,,,,,,, +canalize,,,canalizes,,canalizing,,,,,canalized,canalized,,,,,,,,,,,, +overachieve,,,overachieves,,overachieving,,,,,overachieved,overachieved,,,,,,,,,,,, +paralyze,,,paralyzes,,paralyzing,,,,,paralyzed,paralyzed,,,,,,,,,,,, +countermove,,,countermoves,,countermoving,,,,,countermoved,countermoved,,,,,,,,,,,, +sue,,,sues,,suing,,,,,sued,sued,,,,,,,,,,,, +prepossess,,,prepossesses,,prepossessing,,,,,prepossessed,prepossessed,,,,,,,,,,,, +sub,,,subs,,subbing,,,,,subbed,subbed,,,,,,,,,,,, +whap,,,whaps,,whaping,,,,,whaped,whaped,,,,,,,,,,,, +skive,,,skives,,skiving,,,,,skived,skived,,,,,,,,,,,, +sun,,,suns,,sunning,,,,,sunned,sunned,,,,,,,,,,,, +sum,,,sums,,summing,,,,,summed,summed,,,,,,,,,,,, +whimper,,,whimpers,,whimpering,,,,,whimpered,whimpered,,,,,,,,,,,, +crust,,,crusts,,crusting,,,,,crusted,crusted,,,,,,,,,,,, +brief,,,briefs,,briefing,,,,,briefed,briefed,,,,,,,,,,,, +overload,,,overloads,,overloading,,,,,overloaded,overloaded,,,,,,,,,,,, +boodle,,,boodles,,boodling,,,,,boodled,boodled,,,,,,,,,,,, +crush,,,crushes,,crushing,,,,,crushed,crushed,,,,,,,,,,,, +desegregate,,,desegregates,,desegregating,,,,,desegregated,desegregated,,,,,,,,,,,, +intersect,,,intersects,,intersecting,,,,,intersected,intersected,,,,,,,,,,,, +sup,,,sups,,supping,,,,,supped,supped,,,,,,,,,,,, +entwintwine,,,entwintwines,,entwintwining,,,,,entwintwined,entwintwined,,,,,,,,,,,, +poohpooh,,,poohpoohs,,poohpoohing,,,,,poohpoohed,poohpoohed,,,,,,,,,,,, +experimentalize,,,experimentalizes,,experimentalizing,,,,,experimentalized,experimentalized,,,,,,,,,,,, +lacquer,,,lacquers,,lacquering,,,,,lacquered,lacquered,,,,,,,,,,,, +espalier,,,espaliers,,espaliering,,,,,espaliered,espaliered,,,,,,,,,,,, +eventuate,,,eventuates,,eventuating,,,,,eventuated,eventuated,,,,,,,,,,,, +wilder,,,,,,,,,,,,,,,,,,,,,,, +alchemize,,,alchemizes,,alchemizing,,,,,alchemized,alchemized,,,,,,,,,,,, +transfigure,,,transfigures,,transfiguring,,,,,transfigured,transfigured,,,,,,,,,,,, +ventilate,,,ventilates,,ventilating,,,,,ventilated,ventilated,,,,,,,,,,,, +misinterpret,,,misinterprets,,misinterpreting,,,,,misinterpreted,misinterpreted,,,,,,,,,,,, +out-herod,,,out-herods,,out-heroding,,,,,out-heroded,out-heroded,,,,,,,,,,,, +aphorize,,,aphorizes,,aphorizing,,,,,aphorized,aphorized,,,,,,,,,,,, +qualify,,,qualifies,,qualifying,,,,,qualified,qualified,,,,,,,,,,,, +sophisticate,,,sophisticates,,sophisticating,,,,,sophisticated,sophisticated,,,,,,,,,,,, +infringe,,,infringes,,infringing,,,,,infringed,infringed,,,,,,,,,,,, +supplicate,,,supplicates,,supplicating,,,,,supplicated,supplicated,,,,,,,,,,,, +suckle,,,suckles,,suckling,,,,,suckled,suckled,,,,,,,,,,,, +demit,,,demits,,demitting,,,,,demitted,demitted,,,,,,,,,,,, +plonk,,,plonks,,plonking,,,,,plonked,plonked,,,,,,,,,,,, +cooey,,,cooeys,,cooeying,,,,,cooeyed,cooeyed,,,,,,,,,,,, +proceed,,,proceeds,,proceeding,,,,,proceeded,proceeded,,,,,,,,,,,, +disenable,,,disenables,,disenabling,,,,,disenabled,disenabled,,,,,,,,,,,, +faint,,,faints,,fainting,,,,,fainted,fainted,,,,,,,,,,,, +wield,,,wields,,wielding,,,,,wielded,wielded,,,,,,,,,,,, +somnambulate,,,somnambulates,,somnambulating,,,,,somnambulated,somnambulated,,,,,,,,,,,, +irritate,,,irritates,,irritating,,,,,irritated,irritated,,,,,,,,,,,, +inlay,,,inlays,,inlaying,,,,,inlaid,inlaid,,,,,,,,,,,, +garnish,,,garnishes,,garnishing,,,,,garnished,garnished,,,,,,,,,,,, +hurrah,,,hurrahs,,hurrahing,,,,,hurrahed,hurrahed,,,,,,,,,,,, +waxen,,,waxens,,waxening,,,,,waxened,waxened,,,,,,,,,,,, +mercerize,,,mercerizes,,mercerizing,,,,,mercerized,mercerized,,,,,,,,,,,, +flaw,,,flaws,,flawing,,,,,flawed,flawed,,,,,,,,,,,, +flap,,,flaps,,flapping,,,,,flapped,flapped,,,,,,,,,,,, +mire,,,mires,,miring,,,,,mired,mired,,,,,,,,,,,, +unkennel,,,unkennels,,unkenneling,,,,,unkenneled,unkenneled,,,,,,,,,,,, +fley,,,fleys,,fleying,,,,,fleyed,fleyed,,,,,,,,,,,, +re-sort,,,re-sorts,,re-sorting,,,,,resorted,re-sorted,,,,,,,,,,,, +flag,,,flags,,flagging,,,,,flagged,flagged,,,,,,,,,,,, +dialyze,,,dialyzes,,dialyzing,,,,,dialyzed,dialyzed,,,,,,,,,,,, +stick,,,sticks,,sticking,,,,,stuck,stuck,,,,,,,,,,,, +amputate,,,amputates,,amputating,,,,,amputated,amputated,,,,,,,,,,,, +flam,,,flams,,flamming,,,,,flammed,flammed,,,,,,,,,,,, +mellow,,,mellows,,mellowing,,,,,mellowed,mellowed,,,,,,,,,,,, +glad,,,glads,,glading,,,,,gladed,gladed,,,,,,,,,,,, +domineer,,,domineers,,domineering,,,,,domineered,domineered,,,,,,,,,,,, +berth,,,berths,,berthing,,,,,berthed,berthed,,,,,,,,,,,, +squish,,,squishes,,squishing,,,,,squished,squished,,,,,,,,,,,, +crossbreed,,,crossbreeds,,crossbreeding,,,,,,,,,,,,,,,,,, +conspire,,,conspires,,conspiring,,,,,conspired,conspired,,,,,,,,,,,, +coerce,,,coerces,,coercing,,,,,coerced,coerced,,,,,,,,,,,, +arise,,,arises,,arising,,,,,arose,arisen,,,,,,,,,,,, +cultivate,,,cultivates,,cultivating,,,,,cultivated,cultivated,,,,,,,,,,,, +allege,,,alleges,,alleging,,,,,alleged,alleged,,,,,,,,,,,, +court,,,courts,,courting,,,,,courted,courted,,,,,,,,,,,, +irrigate,,,irrigates,,irrigating,,,,,irrigated,irrigated,,,,,,,,,,,, +goad,,,goads,,goading,,,,,goaded,goaded,,,,,,,,,,,, +overbalance,,,overbalances,,overbalancing,,,,,overbalanced,overbalanced,,,,,,,,,,,, +mould,,,moulds,,moulding,,,,,moulded,moulded,,,,,,,,,,,, +sandwich,,,sandwiches,,sandwiching,,,,,sandwiched,sandwiched,,,,,,,,,,,, +okay,,,okays,,okaying,,,,,okayed,okayed,,,,,,,,,,,, +abdicate,,,abdicates,,abdicating,,,,,abdicated,abdicated,,,,,,,,,,,, +acerbate,,,acerbates,,acerbating,,,,,acerbated,acerbated,,,,,,,,,,,, +emulate,,,emulates,,emulating,,,,,emulated,emulated,,,,,,,,,,,, +embalm,,,embalms,,embalming,,,,,embalmed,embalmed,,,,,,,,,,,, +preoccupy,,,preoccupies,,preoccupying,,,,,preoccupied,preoccupied,,,,,,,,,,,, +acierate,,,acierates,,acierating,,,,,acierated,acierated,,,,,,,,,,,, +disable,,,disables,,disabling,,,,,disabled,disabled,,,,,,,,,,,, +adventure,,,adventures,,adventuring,,,,,adventured,adventured,,,,,,,,,,,, +number,,,numbs,,numbing,,,,,numbed,numbed,,,,,,,,,,,, +capitalize,,,capitalizes,,capitalizing,,,,,capitalized,capitalized,,,,,,,,,,,, +castle,,,castles,,castling,,,,,castled,castled,,,,,,,,,,,, +pronominalize,,,pronominalizes,,pronominalizing,,,,,pronominalized,pronominalized,,,,,,,,,,,, +palpitate,,,palpitates,,palpitating,,,,,palpitated,palpitated,,,,,,,,,,,, +rationalize,,,rationalizes,,rationalizing,,,,,rationalized,rationalized,,,,,,,,,,,, +postfix,,,postfixes,,postfixing,,,,,postfixed,postfixed,,,,,,,,,,,, +Gnosticize,,,Gnosticizes,,Gnosticizing,,,,,Gnosticized,Gnosticized,,,,,,,,,,,, +stash,,,stashes,,stashing,,,,,stashed,stashed,,,,,,,,,,,, +ricochet,,,ricochets,,ricochetting,,,,,ricochetted,ricochetted,,,,,,,,,,,, +recrudesce,,,recrudesces,,recrudescing,,,,,recrudesced,recrudesced,,,,,,,,,,,, +shore,,,shores,,shoring,,,,,shored,shored,,,,,,,,,,,, +shade,,,shades,,shading,,,,,shaded,shaded,,,,,,,,,,,, +retaliate,,,retaliates,,retaliating,,,,,retaliated,retaliated,,,,,,,,,,,, +dissatisfy,,,dissatisfies,,dissatisfying,,,,,dissatisfied,dissatisfied,,,,,,,,,,,, +abseil,,,abseils,,abseiling,,,,,abseiled,abseiled,,,,,,,,,,,, +mission,,,missions,,missioning,,,,,missioned,missioned,,,,,,,,,,,, +flaunt,,,flaunts,,flaunting,,,,,flaunted,flaunted,,,,,,,,,,,, +reconnect,,,reconnects,,reconnecting,,,,,reconnected,reconnected,,,,,,,,,,,, +flounce,,,flounces,,flouncing,,,,,flounced,flounced,,,,,,,,,,,, +style,,,styles,,styling,,,,,styled,styled,,,,,,,,,,,, +jollify,,,jollifies,,jollifying,,,,,jollified,jollified,,,,,,,,,,,, +resorb,,,resorbs,,resorbing,,,,,resorbed,resorbed,,,,,,,,,,,, +pray,,,prays,,praying,,,,,prayed,prayed,,,,,,,,,,,, +wilder,,,wilders,,wildering,,,,,wildered,wildered,,,,,,,,,,,, +garrotte,,,garrottes,,garrotting,,,,,garrotted,garrotted,,,,,,,,,,,, +constitutionalize,,,constitutionalizes,,constitutionalizing,,,,,constitutionalized,constitutionalized,,,,,,,,,,,, +might,,,,,,,,,,,,mightn't,,,,,,,,,,, +alter,,,alters,,altering,,,,,altered,altered,,,,,,,,,,,, +return,,,returns,,returning,,,,,returned,returned,,,,,,,,,,,, +belittle,,,belittles,,belittling,,,,,belittled,belittled,,,,,,,,,,,, +accumulate,,,accumulates,,accumulating,,,,,accumulated,accumulated,,,,,,,,,,,, +slipper,,,slippers,,slippering,,,,,slippered,slippered,,,,,,,,,,,, +refresh,,,refreshes,,refreshing,,,,,refreshed,refreshed,,,,,,,,,,,, +modge,,,modges,,modging,,,,,modged,modged,,,,,,,,,,,, +malfunction,,,malfunctions,,malfunctioning,,,,,malfunctioned,malfunctioned,,,,,,,,,,,, +shoal,,,shoals,,shoaling,,,,,shoaled,shoaled,,,,,,,,,,,, +formulate,,,formulates,,formulating,,,,,formulated,formulated,,,,,,,,,,,, +repartition,,,repartitions,,repartitioning,,,,,repartitioned,repartitioned,,,,,,,,,,,, +recapitulate,,,recapitulates,,recapitulating,,,,,recapitulated,recapitulated,,,,,,,,,,,, +expect,,,expects,,expecting,,,,,expected,expected,,,,,,,,,,,, +inflict,,,inflicts,,inflicting,,,,,inflicted,inflicted,,,,,,,,,,,, +chunder,,,chunders,,chundering,,,,,chundered,chundered,,,,,,,,,,,, +focalize,,,focalizes,,focalizing,,,,,focalized,focalized,,,,,,,,,,,, +rebound,,,rebounds,,rebounding,,,,,rebounded,rebounded,,,,,,,,,,,, +disquiet,,,disquiets,,disquieting,,,,,disquieted,disquieted,,,,,,,,,,,, +hilt,,,hilts,,hilting,,,,,hilted,hilted,,,,,,,,,,,, +loll,,,lolls,,lolling,,,,,lolled,lolled,,,,,,,,,,,, +chaffer,,,chaffers,,chaffering,,,,,chaffered,chaffered,,,,,,,,,,,, +hill,,,hills,,hilling,,,,,hilled,hilled,,,,,,,,,,,, +breathalyze,,,breathalyzes,,breathalyzing,,,,,breathalyzed,breathalyzed,,,,,,,,,,,, +silicify,,,silicifies,,silicifying,,,,,silicified,silicified,,,,,,,,,,,, +gut,,,guts,,gutting,,,,,gutted,gutted,,,,,,,,,,,, +forgive,,,forgives,,forgiving,,,,,forgave,forgiven,,,,,,,,,,,, +powwow,,,powwows,,powwowing,,,,,powwowed,powwowed,,,,,,,,,,,, +disinfect,,,disinfects,,disinfecting,,,,,disinfected,disinfected,,,,,,,,,,,, +teach,,,teaches,,teaching,,,,,taught,taught,,,,,,,,,,,, +interiorize,,,interiorizes,,interiorizing,,,,,interiorized,interiorized,,,,,,,,,,,, +shutoff,,,,,,,,,,,,,,,,,,,,,,, +blister,,,blisters,,blistering,,,,,blistered,blistered,,,,,,,,,,,, +thread,,,threads,,threading,,,,,threaded,threaded,,,,,,,,,,,, +stampede,,,stampedes,,stampeding,,,,,stampeded,stampeded,,,,,,,,,,,, +misreport,,,misreports,,misreporting,,,,,misreported,misreported,,,,,,,,,,,, +threep,,,threeps,,threeping,,,,,threeped,threeped,,,,,,,,,,,, +prejudice,,,prejudices,,prejudicing,,,,,prejudiced,prejudiced,,,,,,,,,,,, +circuit,,,circuits,,circuiting,,,,,circuited,circuited,,,,,,,,,,,, +debouch,,,debouches,,debouching,,,,,debouched,debouched,,,,,,,,,,,, +bushel,,,bushels,,bushelling,,,,,bushelled,bushelled,,,,,,,,,,,, +feed,,,feeds,,feeding,,,,,,,,,,,,,,,,,, +dine,,,dines,,dining,,,,,dined,dined,,,,,,,,,,,, +feel,,,feels,,feeling,,,,,felt,felt,,,,,,,,,,,, +relate,,,relates,,relating,,,,,related,related,,,,,,,,,,,, +fancy,,,fancies,,fancying,,,,,fancied,fancied,,,,,,,,,,,, +dint,,,dints,,dinting,,,,,dinted,dinted,,,,,,,,,,,, +notify,,,notifies,,notifying,,,,,notified,notified,,,,,,,,,,,, +wench,,,wenches,,wenching,,,,,wenched,wenched,,,,,,,,,,,, +blank,,,blanks,,blanking,,,,,blanked,blanked,,,,,,,,,,,, +moan,,,moans,,moaning,,,,,moaned,moaned,,,,,,,,,,,, +story,,,stories,,storying,,,,,storied,storied,,,,,,,,,,,, +script,,,scripts,,scripting,,,,,scripted,scripted,,,,,,,,,,,, +interact,,,interacts,,interacting,,,,,interacted,interacted,,,,,,,,,,,, +grime,,,grimes,,griming,,,,,grimed,grimed,,,,,,,,,,,, +collar,,,collars,,collaring,,,,,collared,collared,,,,,,,,,,,, +swarm,,,swarms,,swarming,,,,,swarmed,swarmed,,,,,,,,,,,, +storm,,,storms,,storming,,,,,stormed,stormed,,,,,,,,,,,, +swarth,,,swarths,,swarthing,,,,,swarthed,swarthed,,,,,,,,,,,, +moat,,,moats,,moating,,,,,moated,moated,,,,,,,,,,,, +syrup,,,syrups,,syruping,,,,,syruped,syruped,,,,,,,,,,,, +embus,,,embuses,,embusing,,,,,embused,embused,,,,,,,,,,,, +store,,,stores,,storing,,,,,stored,stored,,,,,,,,,,,, +redistribute,,,redistributes,,redistributing,,,,,redistributed,redistributed,,,,,,,,,,,, +fidget,,,fidgets,,fidgeting,,,,,fidgeted,fidgeted,,,,,,,,,,,, +rifle,,,rifles,,rifling,,,,,rifled,rifled,,,,,,,,,,,, +officiate,,,officiates,,officiating,,,,,officiated,officiated,,,,,,,,,,,, +throttle,,,throttles,,throttling,,,,,throttled,throttled,,,,,,,,,,,, +denazify,,,denazifies,,denazifying,,,,,denazified,denazified,,,,,,,,,,,, +double,,,doubles,,doubling,,,,,doubled,doubled,,,,,,,,,,,, +countercharge,,,countercharges,,countercharging,,,,,countercharged,countercharged,,,,,,,,,,,, +medicate,,,medicates,,medicating,,,,,medicated,medicated,,,,,,,,,,,, +stall,,,stalls,,stalling,,,,,stalled,stalled,,,,,,,,,,,, +cuff,,,cuffs,,cuffing,,,,,cuffed,cuffed,,,,,,,,,,,, +parenthesize,,,parenthesizes,,parenthesizing,,,,,parenthesized,parenthesized,,,,,,,,,,,, +stale,,,stales,,staling,,,,,staled,staled,,,,,,,,,,,, +amass,,,amasses,,amassing,,,,,amassed,amassed,,,,,,,,,,,, +sectionalize,,,sectionalizes,,sectionalizing,,,,,sectionalized,sectionalized,,,,,,,,,,,, +exert,,,exerts,,exerting,,,,,exerted,exerted,,,,,,,,,,,, +strengthen,,,strengthens,,strengthening,,,,,strengthened,strengthened,,,,,,,,,,,, +redintegrate,,,redintegrates,,redintegrating,,,,,redintegrated,redintegrated,,,,,,,,,,,, +ingulf,,,ingulfs,,ingulfing,,,,,ingulfed,ingulfed,,,,,,,,,,,, +gall,,,galls,,galling,,,,,galled,galled,,,,,,,,,,,, +remodel,,,remodels,,remodeling,,,,,remodeled,remodeled,,,,,,,,,,,, +toughen,,,toughens,,toughening,,,,,toughened,toughened,,,,,,,,,,,, +humanize,,,humanizes,,humanizing,,,,,humanized,humanized,,,,,,,,,,,, +over-heat,,,over-heats,,over-heating,,,,,overheated,over-heated,,,,,,,,,,,, +recentralize,,,recentralizes,,recentralizing,,,,,recentralized,recentralized,,,,,,,,,,,, +eff,,,effs,,effing,,,,,effed,effed,,,,,,,,,,,, +buffer,,,buffs,,buffing,,,,,buffed,buffed,,,,,,,,,,,, +gill,,,gills,,gilling,,,,,gilled,gilled,,,,,,,,,,,, +populate,,,populates,,populating,,,,,populated,populated,,,,,,,,,,,, +nonsuit,,,nonsuits,,nonsuiting,,,,,nonsuited,nonsuited,,,,,,,,,,,, +customize,,,customizes,,customizing,,,,,customized,customized,,,,,,,,,,,, +pillage,,,pillages,,pillaging,,,,,pillaged,pillaged,,,,,,,,,,,, +inconvenience,,,inconveniences,,inconveniencing,,,,,inconvenienced,inconvenienced,,,,,,,,,,,, +reach,,,reaches,,reaching,,,,,reached,reached,,,,,,,,,,,, +circumfuse,,,circumfuses,,circumfusing,,,,,circumfused,circumfused,,,,,,,,,,,, +palpate,,,palpates,,palpating,,,,,palpated,palpated,,,,,,,,,,,, +psychoanalyze,,,psychoanalyzes,,psychoanalyzing,,,,,psychoanalyzed,psychoanalyzed,,,,,,,,,,,, +disbar,,,disbars,,disbarring,,,,,disbarred,disbarred,,,,,,,,,,,, +preexist,,,preexists,,preexisting,,,,,preexisted,preexisted,,,,,,,,,,,, +destruct,,,destructs,,destructing,,,,,destructed,destructed,,,,,,,,,,,, +devalue,,,devalues,,devaluing,,,,,devalued,devalued,,,,,,,,,,,, +notch,,,notches,,notching,,,,,notched,notched,,,,,,,,,,,, +liberate,,,liberates,,liberating,,,,,liberated,liberated,,,,,,,,,,,, +scaffold,,,scaffolds,,scaffolding,,,,,scaffolded,scaffolded,,,,,,,,,,,, +niggle,,,niggles,,niggling,,,,,niggled,niggled,,,,,,,,,,,, +unclose,,,uncloses,,unclosing,,,,,unclosed,unclosed,,,,,,,,,,,, +barter,,,barters,,bartering,,,,,bartered,bartered,,,,,,,,,,,, +divulgate,,,divulgates,,divulgating,,,,,divulgated,divulgated,,,,,,,,,,,, +cinchonize,,,cinchonizes,,cinchonizing,,,,,cinchonized,cinchonized,,,,,,,,,,,, +uniform,,,uniforms,,uniforming,,,,,uniformed,uniformed,,,,,,,,,,,, +whiffle,,,whiffles,,whiffling,,,,,whiffled,whiffled,,,,,,,,,,,, +aggravate,,,aggravates,,aggravating,,,,,aggravated,aggravated,,,,,,,,,,,, +predecease,,,predeceases,,predeceasing,,,,,predeceased,predeceased,,,,,,,,,,,, +mosey,,,moseys,,moseying,,,,,moseyed,moseyed,,,,,,,,,,,, +frivol,,,frivols,,frivolling,,,,,frivolled,frivolled,,,,,,,,,,,, +betray,,,betrays,,betraying,,,,,betrayed,betrayed,,,,,,,,,,,, +shepherd,,,shepherds,,shepherding,,,,,shepherded,shepherded,,,,,,,,,,,, +hit,,,hits,,hitting,,,,,hit,hit,,,,,,,,,,,, +invoke,,,invokes,,invoking,,,,,invoked,invoked,,,,,,,,,,,, +babble,,,babbles,,babbling,,,,,babbled,babbled,,,,,,,,,,,, +abscise,,,abscises,,abscising,,,,,abscised,abscised,,,,,,,,,,,, +affright,,,affrights,,affrighting,,,,,affrighted,affrighted,,,,,,,,,,,, +whistle,,,whistles,,whistling,,,,,whistled,whistled,,,,,,,,,,,, +cote,,,cotes,,coting,,,,,coted,coted,,,,,,,,,,,, +hie,,,hies,,hying,,,,,hied,hied,,,,,,,,,,,, +capacitate,,,capacitates,,capacitating,,,,,capacitated,capacitated,,,,,,,,,,,, +unbelt,,,unbelts,,unbelting,,,,,unbelted,unbelted,,,,,,,,,,,, +deaden,,,deadens,,deadening,,,,,deadened,deadened,,,,,,,,,,,, +reprint,,,reprints,,reprinting,,,,,reprinted,reprinted,,,,,,,,,,,, +banquet,,,banquets,,banqueting,,,,,banqueted,banqueted,,,,,,,,,,,, +investigate,,,investigates,,investigating,,,,,investigated,investigated,,,,,,,,,,,, +push-start,,,push-starts,,push-starting,,,,,push-started,push-started,,,,,,,,,,,, +cringe,,,cringes,,cringing,,,,,cringed,cringed,,,,,,,,,,,, +tourney,,,tourneys,,tourneying,,,,,tourneyed,tourneyed,,,,,,,,,,,, +signify,,,signifies,,signifying,,,,,signified,signified,,,,,,,,,,,, +dump,,,dumps,,dumping,,,,,dumped,dumped,,,,,,,,,,,, +upsurge,,,upsurges,,upsurging,,,,,upsurged,upsurged,,,,,,,,,,,, +resinate,,,resinates,,resinating,,,,,resinated,resinated,,,,,,,,,,,, +arc,,,arcs,,arcking,,,,,arcked,arcked,,,,,,,,,,,, +bare,,,bares,,baring,,,,,bared,bared,,,,,,,,,,,, +barde,,,bards,,barding,,,,,barded,barded,,,,,,,,,,,, +bark,,,barks,,barking,,,,,barked,barked,,,,,,,,,,,, +arm,,,arms,,arming,,,,,armed,armed,,,,,,,,,,,, +visualize,,,visualizes,,visualizing,,,,,visualized,visualized,,,,,,,,,,,, +blurt,,,blurts,,blurting,,,,,blurted,blurted,,,,,,,,,,,, +half-volley,,,half-volleys,,half-volleying,,,,,half-volleyed,half-volleyed,,,,,,,,,,,, +misjudge,,,misjudges,,misjudging,,,,,misjudged,misjudged,,,,,,,,,,,, +enwrap,,,enwraps,,enwrapping,,,,,enwrapped,enwrapped,,,,,,,,,,,, +cyclostyle,,,cyclostyles,,cyclostyling,,,,,cyclostyled,cyclostyled,,,,,,,,,,,, +solo,,,solos,,soloing,,,,,soloed,soloed,,,,,,,,,,,, +derestrict,,,derestricts,,derestricting,,,,,derestricted,derestricted,,,,,,,,,,,, +serialize,,,serializes,,serializing,,,,,serialized,serialized,,,,,,,,,,,, +imbibe,,,imbibes,,imbibing,,,,,imbibed,imbibed,,,,,,,,,,,, +sole,,,soles,,soling,,,,,soled,soled,,,,,,,,,,,, +pinchhit,,,pinchhits,,pinchhitting,,,,,pinchhit,pinchhit,,,,,,,,,,,, +outfit,,,outfits,,outfitting,,,,,outfitted,outfitted,,,,,,,,,,,, +york,,,yorks,,yorking,,,,,yorked,yorked,,,,,,,,,,,, +succeed,,,succeeds,,succeeding,,,,,succeeded,succeeded,,,,,,,,,,,, +franchise,,,franchises,,franchising,,,,,franchised,franchised,,,,,,,,,,,, +prelude,,,preludes,,preluding,,,,,preluded,preluded,,,,,,,,,,,, +bronze,,,bronzes,,bronzing,,,,,bronzed,bronzed,,,,,,,,,,,, +license,,,licenses,,licensing,,,,,licensed,licensed,,,,,,,,,,,, +oversee,,,oversees,,overseeing,,,,,oversaw,overseen,,,,,,,,,,,, +interrogate,,,interrogates,,interrogating,,,,,interrogated,interrogated,,,,,,,,,,,, +entertain,,,entertains,,entertaining,,,,,entertained,entertained,,,,,,,,,,,, +depredate,,,depredates,,depredating,,,,,depredated,depredated,,,,,,,,,,,, +attorn,,,attorns,,attorning,,,,,attorned,attorned,,,,,,,,,,,, +sheathe,,,sheathes,,sheathing,,,,,sheathed,sheathed,,,,,,,,,,,, +reside,,,resides,,residing,,,,,resided,resided,,,,,,,,,,,, +distress,,,distresses,,distressing,,,,,distressed,distressed,,,,,,,,,,,, +chaperone,,,chaperons,,chaperoning,,,,,chaperoned,chaperoned,,,,,,,,,,,, +whelp,,,whelps,,whelping,,,,,whelped,whelped,,,,,,,,,,,, +sweep,,,sweeps,,sweeping,,,,,swept,swept,,,,,,,,,,,, +harbour,,,harbours,,harbouring,,,,,harboured,harboured,,,,,,,,,,,, +whelm,,,whelms,,whelming,,,,,whelmed,whelmed,,,,,,,,,,,, +rave,,,raves,,raving,,,,,raved,raved,,,,,,,,,,,, +bolster,,,bolsters,,bolstering,,,,,bolstered,bolstered,,,,,,,,,,,, +decline,,,declines,,declining,,,,,declined,declined,,,,,,,,,,,, +sieve,,,sieves,,sieving,,,,,sieved,sieved,,,,,,,,,,,, +dun,,,duns,,dunning,,,,,dunned,dunned,,,,,,,,,,,, +dibble,,,dibbles,,dibbling,,,,,dibbled,dibbled,,,,,,,,,,,, +overlook,,,overlooks,,overlooking,,,,,overlooked,overlooked,,,,,,,,,,,, +whop,,,whops,,whopping,,,,,whopped,whopped,,,,,,,,,,,, +stravaig,,,stravaigs,,stravaiging,,,,,stravaiged,stravaiged,,,,,,,,,,,, +makeup,,,,,,,,,,,,,,,,,,,,,,, +dup,,,dups,,dupping,,,,,dupped,dupped,,,,,,,,,,,, +brick,,,bricks,,bricking,,,,,bricked,bricked,,,,,,,,,,,, +pi,,,pies,,piing,,,,,pied,pied,,,,,,,,,,,, +exculpate,,,exculpates,,exculpating,,,,,exculpated,exculpated,,,,,,,,,,,, +referee,,,referees,,refereeing,,,,,refereed,refereed,,,,,,,,,,,, +flight,,,flights,,flighting,,,,,flighted,flighted,,,,,,,,,,,, +keratinize,,,keratinizes,,keratinizing,,,,,keratinized,keratinized,,,,,,,,,,,, +dropout,,,dropouts,,dropouting,,,,,dropouted,dropouted,,,,,,,,,,,, +heel-and-toe,,,heel-and-toes,,heel-and-toeing,,,,,heel-and-toed,heel-and-toed,,,,,,,,,,,, +cinch,,,cinches,,cinching,,,,,cinched,cinched,,,,,,,,,,,, +demand,,,demands,,demanding,,,,,demanded,demanded,,,,,,,,,,,, +heighten,,,heightens,,heightening,,,,,heightened,heightened,,,,,,,,,,,, +Australianize,,,Australianizes,,Australianizing,,,,,Australianized,Australianized,,,,,,,,,,,, +shove,,,shoves,,shoving,,,,,shoved,shoved,,,,,,,,,,,, +batch,,,batches,,batching,,,,,batched,batched,,,,,,,,,,,, +bodge,,,bodges,,bodging,,,,,bodged,bodged,,,,,,,,,,,, +corrode,,,corrodes,,corroding,,,,,corroded,corroded,,,,,,,,,,,, +barricade,,,barricades,,barricading,,,,,barricaded,barricaded,,,,,,,,,,,, +bedizen,,,bedizens,,bedizening,,,,,bedizened,bedizened,,,,,,,,,,,, +putrefy,,,putrefies,,putrefying,,,,,putrefied,putrefied,,,,,,,,,,,, +mordant,,,mordants,,mordanting,,,,,mordanted,mordanted,,,,,,,,,,,, +demob,,,demobs,,demobbing,,,,,demobbed,demobbed,,,,,,,,,,,, +waul,,,wauls,,wauling,,,,,wauled,wauled,,,,,,,,,,,, +rip,,,rips,,ripping,,,,,ripped,ripped,,,,,,,,,,,, +rim,,,rims,,rimming,,,,,rimmed,rimmed,,,,,,,,,,,, +impersonate,,,impersonates,,impersonating,,,,,impersonated,impersonated,,,,,,,,,,,, +quail,,,quails,,quailing,,,,,quailed,quailed,,,,,,,,,,,, +rid,,,rids,,ridding,,,,,ridded,ridded,,,,,,,,,,,, +anguish,,,anguishes,,anguishing,,,,,anguished,anguished,,,,,,,,,,,, +chauffeur,,,chauffeurs,,chauffeuring,,,,,chauffeured,chauffeured,,,,,,,,,,,, +shirr,,,shirrs,,shirring,,,,,shirred,shirred,,,,,,,,,,,, +unvoice,,,unvoices,,unvoicing,,,,,unvoiced,unvoiced,,,,,,,,,,,, +shire,,,shires,,shiring,,,,,shired,shired,,,,,,,,,,,, +stickle,,,stickles,,stickling,,,,,stickled,stickled,,,,,,,,,,,, +advise,,,advises,,advising,,,,,advised,advised,,,,,,,,,,,, +sliver,,,slivers,,slivering,,,,,slivered,slivered,,,,,,,,,,,, +overcrop,,,overcrops,,overcropping,,,,,overcropped,overcropped,,,,,,,,,,,, +chequer,,,chequers,,chequering,,,,,chequered,chequered,,,,,,,,,,,, +nitrogenize,,,nitrogenizes,,nitrogenizing,,,,,nitrogenized,nitrogenized,,,,,,,,,,,, +negotiate,,,negotiates,,negotiating,,,,,negotiated,negotiated,,,,,,,,,,,, +cement,,,cements,,cementing,,,,,cemented,cemented,,,,,,,,,,,, +impede,,,impedes,,impeding,,,,,impeded,impeded,,,,,,,,,,,, +birch,,,birches,,birching,,,,,birched,birched,,,,,,,,,,,, +brocade,,,brocades,,brocading,,,,,brocaded,brocaded,,,,,,,,,,,, +lower,,,lowers,,lowering,,,,,lowered,lowered,,,,,,,,,,,, +earmark,,,earmarks,,earmarking,,,,,earmarked,earmarked,,,,,,,,,,,, +cheek,,,cheeks,,cheeking,,,,,cheeked,cheeked,,,,,,,,,,,, +cheep,,,cheeps,,cheeping,,,,,cheeped,cheeped,,,,,,,,,,,, +cheer,,,cheers,,cheering,,,,,cheered,cheered,,,,,,,,,,,, +edge,,,edges,,edging,,,,,edged,edged,,,,,,,,,,,, +reflect,,,reflects,,reflecting,,,,,reflected,reflected,,,,,,,,,,,, +riffle,,,riffles,,riffling,,,,,riffled,riffled,,,,,,,,,,,, +cohobate,,,cohobates,,cohobating,,,,,cohobated,cohobated,,,,,,,,,,,, +frizz,,,frizzes,,frizzing,,,,,frizzed,frizzed,,,,,,,,,,,, +squaredance,,,squaredances,,squaredancing,,,,,squaredanced,squaredanced,,,,,,,,,,,, +immingle,,,immingles,,immingling,,,,,immingled,immingled,,,,,,,,,,,, +endeavour,,,endeavours,,endeavouring,,,,,endeavoured,endeavoured,,,,,,,,,,,, +knot,,,knots,,knotting,,,,,knotted,knotted,,,,,,,,,,,, +prorate,,,prorates,,prorating,,,,,prorated,prorated,,,,,,,,,,,, +foreshorten,,,foreshortens,,foreshortening,,,,,foreshortened,foreshortened,,,,,,,,,,,, +predetermine,,,predetermines,,predetermining,,,,,predetermined,predetermined,,,,,,,,,,,, +dryclean,,,drycleans,,drycleaning,,,,,drycleaned,drycleaned,,,,,,,,,,,, +reinstate,,,reinstates,,reinstating,,,,,reinstated,reinstated,,,,,,,,,,,, +vindicate,,,vindicates,,vindicating,,,,,vindicated,vindicated,,,,,,,,,,,, +advocate,,,advocates,,advocating,,,,,advocated,advocated,,,,,,,,,,,, +conscript,,,conscripts,,conscripting,,,,,conscripted,conscripted,,,,,,,,,,,, +awaken,,,awakens,,awakening,,,,,awakened,awakened,,,,,,,,,,,, +rotate,,,rotates,,rotating,,,,,rotated,rotated,,,,,,,,,,,, +confront,,,confronts,,confronting,,,,,confronted,confronted,,,,,,,,,,,, +ignore,,,ignores,,ignoring,,,,,ignored,ignored,,,,,,,,,,,, +moralize,,,moralizes,,moralizing,,,,,moralized,moralized,,,,,,,,,,,, +distrust,,,distrusts,,distrusting,,,,,distrusted,distrusted,,,,,,,,,,,, +entice,,,entices,,enticing,,,,,enticed,enticed,,,,,,,,,,,, +cohabit,,,cohabits,,cohabiting,,,,,cohabited,cohabited,,,,,,,,,,,, +transmute,,,transmutes,,transmuting,,,,,transmuted,transmuted,,,,,,,,,,,, +hallmark,,,hallmarks,,hallmarking,,,,,hallmarked,hallmarked,,,,,,,,,,,, +embroil,,,embroils,,embroiling,,,,,embroiled,embroiled,,,,,,,,,,,, +emanate,,,emanates,,emanating,,,,,emanated,emanated,,,,,,,,,,,, +incriminate,,,incriminates,,incriminating,,,,,incriminated,incriminated,,,,,,,,,,,, +litter,,,litters,,littering,,,,,littered,littered,,,,,,,,,,,, +uppercut,,,uppercuts,,uppercutting,,,,,uppercut,uppercut,,,,,,,,,,,, +clown,,,clowns,,clowning,,,,,clowned,clowned,,,,,,,,,,,, +vacate,,,vacates,,vacating,,,,,vacated,vacated,,,,,,,,,,,, +rattoon,,,rattoons,,ratooning,,,,,ratooned,ratooned,,,,,,,,,,,, +modernize,,,modernizes,,modernizing,,,,,modernized,modernized,,,,,,,,,,,, +retry,,,retries,,retrying,,,,,retried,retried,,,,,,,,,,,, +debrief,,,debriefs,,debriefing,,,,,debriefed,debriefed,,,,,,,,,,,, +prop,,,props,,propping,,,,,propped,propped,,,,,,,,,,,, +inoculate,,,inoculates,,inoculating,,,,,inoculated,inoculated,,,,,,,,,,,, +prog,,,progs,,progging,,,,,progged,progged,,,,,,,,,,,, +prod,,,prods,,prodding,,,,,prodded,prodded,,,,,,,,,,,, +shend,,,shends,,shending,,,,,shent,shent,,,,,,,,,,,, +roughcast,,,roughcasts,,roughcasting,,,,,roughcast,roughcast,,,,,,,,,,,, +Sanforize,,,Sanforizes,,Sanforizing,,,,,Sanforized,Sanforized,,,,,,,,,,,, +tinker,,,tinkers,,tinkering,,,,,tinkered,tinkered,,,,,,,,,,,, +metallize,,,metallizes,,metallizing,,,,,metallized,metallized,,,,,,,,,,,, +caseate,,,caseates,,caseating,,,,,caseated,caseated,,,,,,,,,,,, +anagrammatize,,,anagrammatizes,,anagrammatizing,,,,,anagrammatized,anagrammatized,,,,,,,,,,,, +row,,,rows,,rowing,,,,,rowed,rowed,,,,,,,,,,,, +prove,,,proves,,proving,,,,,proved,proven,,,,,,,,,,,, +vesture,,,vestures,,vesturing,,,,,vestured,vestured,,,,,,,,,,,, +range,,,ranges,,ranging,,,,,ranged,ranged,,,,,,,,,,,, +apperceive,,,apperceives,,apperceiving,,,,,apperceived,apperceived,,,,,,,,,,,, +wanna,,,wannas,,wannaing,,,,,wannaed,wannaed,,,,,,,,,,,, +degrease,,,degreases,,degreasing,,,,,degreased,degreased,,,,,,,,,,,, +underrate,,,underrates,,underrating,,,,,underrated,underrated,,,,,,,,,,,, +curtsy,,,curtsies,,curtsying,,,,,curtsied,curtsied,,,,,,,,,,,, +numerate,,,numerates,,numerating,,,,,numerated,numerated,,,,,,,,,,,, +canal,,,canals,,canalling,,,,,canalled,canalled,,,,,,,,,,,, +gouge,,,gouges,,gouging,,,,,gouged,gouged,,,,,,,,,,,, +scrunch,,,scrunches,,scrunching,,,,,scrunched,scrunched,,,,,,,,,,,, +acquiesce,,,acquiesces,,acquiescing,,,,,acquiesced,acquiesced,,,,,,,,,,,, +question,,,questions,,questioning,,,,,questioned,questioned,,,,,,,,,,,, +deepfreeze,,,deepfreezes,,deepfreezing,,,,,deepfrozen,deepfrozen,,,,,,,,,,,, +fast,,,fasts,,fasting,,,,,fasted,fasted,,,,,,,,,,,, +fash,,,fashes,,fashing,,,,,fashed,fashed,,,,,,,,,,,, +etch,,,etches,,etching,,,,,etched,etched,,,,,,,,,,,, +sloganeer,,,sloganeers,,sloganeering,,,,,sloganeered,sloganeered,,,,,,,,,,,, +counterpoise,,,counterpoises,,counterpoising,,,,,counterpoised,counterpoised,,,,,,,,,,,, +plunge,,,plunges,,plunging,,,,,plunged,plunged,,,,,,,,,,,, +crank,,,cranks,,cranking,,,,,cranked,cranked,,,,,,,,,,,, +usurp,,,usurps,,usurping,,,,,usurped,usurped,,,,,,,,,,,, +upright,,,uprights,,uprighting,,,,,uprighted,uprighted,,,,,,,,,,,, +crane,,,cranes,,craning,,,,,craned,craned,,,,,,,,,,,, +supercool,,,supercools,,supercooling,,,,,supercooled,supercooled,,,,,,,,,,,, +showcase,,,showcases,,showcasing,,,,,showcased,showcased,,,,,,,,,,,, +mystify,,,mystifies,,mystifying,,,,,mystified,mystified,,,,,,,,,,,, +hush,,,hushes,,hushing,,,,,hushed,hushed,,,,,,,,,,,, +consist,,,consists,,consisting,,,,,consisted,consisted,,,,,,,,,,,, +seize,,,seizes,,seizing,,,,,seized,seized,,,,,,,,,,,, +elide,,,elides,,eliding,,,,,elided,elided,,,,,,,,,,,, +redress,,,redresses,,redressing,,,,,redressed,redressed,,,,,,,,,,,, +highlight,,,highlights,,highlighting,,,,,highlighted,highlighted,,,,,,,,,,,, +estivate,,,estivates,,estivating,,,,,estivated,estivated,,,,,,,,,,,, +desorb,,,desorbs,,desorbing,,,,,desorbed,desorbed,,,,,,,,,,,, +steepen,,,steepens,,steepening,,,,,steepened,steepened,,,,,,,,,,,, +freak,,,freaks,,freaking,,,,,freaked,freaked,,,,,,,,,,,, +sublet,,,sublets,,subletting,,,,,sublet,sublet,,,,,,,,,,,, +photomap,,,photomaps,,photomapping,,,,,photomapped,photomapped,,,,,,,,,,,, +rally,,,rallies,,rallying,,,,,rallied,rallied,,,,,,,,,,,, +faceoff,,,facesoff,,facingoff,,,,,facedoff,facedoff,,,,,,,,,,,, +peach,,,peaches,,peaching,,,,,peached,peached,,,,,,,,,,,, +peace,,,peaces,,peacing,,,,,peaced,peaced,,,,,,,,,,,, +intwine,,,intwines,,intwining,,,,,intwined,intwined,,,,,,,,,,,, +nick,,,nicks,,nicking,,,,,nicked,nicked,,,,,,,,,,,, +swathe,,,swathes,,,,,,,,,,,,,,,,,,,, +disenchant,,,disenchants,,disenchanting,,,,,disenchanted,disenchanted,,,,,,,,,,,, +caparison,,,caparisons,,caparisoning,,,,,caparisoned,caparisoned,,,,,,,,,,,, +ferment,,,ferments,,fermenting,,,,,fermented,fermented,,,,,,,,,,,, +buddle,,,buddles,,buddling,,,,,buddled,buddled,,,,,,,,,,,, +mock,,,mocks,,mocking,,,,,mocked,mocked,,,,,,,,,,,, +teasel,,,teasels,,teaselling,,,,,teaselled,teaselled,,,,,,,,,,,, +chirm,,,chirms,,chirming,,,,,chirmed,chirmed,,,,,,,,,,,, +inflame,,,inflames,,inflaming,,,,,inflamed,inflamed,,,,,,,,,,,, +chirre,,,chirrs,,chirring,,,,,chirred,chirred,,,,,,,,,,,, +puncture,,,punctures,,puncturing,,,,,punctured,punctured,,,,,,,,,,,, +assibilate,,,assibilates,,assibilating,,,,,assibilated,assibilated,,,,,,,,,,,, +wrinkle,,,wrinkles,,wrinkling,,,,,wrinkled,wrinkled,,,,,,,,,,,, +sightsee,,,sightsees,,sightseeing,,,,,sightsaw,sightseen,,,,,,,,,,,, +relaunch,,,relaunches,,relaunching,,,,,relaunched,relaunched,,,,,,,,,,,, +agist,,,agists,,agisting,,,,,agisted,agisted,,,,,,,,,,,, +skydive,,,skydives,,skydiving,,,,,skydived,skydived,,,,,,,,,,,, +transilluminate,,,transilluminates,,transilluminating,,,,,transilluminated,transilluminated,,,,,,,,,,,, +liquefy,,,liquefies,,liquefying,,,,,liquefied,liquefied,,,,,,,,,,,, +remit,,,remits,,remitting,,,,,remitted,remitted,,,,,,,,,,,, +rehear,,,rehears,,rehearing,,,,,reheard,reheard,,,,,,,,,,,, +buffalo,,,buffalos,,buffaloing,,,,,buffaloed,buffaloed,,,,,,,,,,,, +peculate,,,peculates,,peculating,,,,,peculated,peculated,,,,,,,,,,,, +pervert,,,perverts,,perverting,,,,,perverted,perverted,,,,,,,,,,,, +overwind,,,overwinds,,overwinding,,,,,overwound,overwound,,,,,,,,,,,, +dispel,,,dispels,,dispelling,,,,,dispelled,dispelled,,,,,,,,,,,, +gang,,,gangs,,ganging,,,,,ganged,ganged,,,,,,,,,,,, +uphold,,,upholds,,upholding,,,,,upheld,upheld,,,,,,,,,,,, +exterminate,,,exterminates,,exterminating,,,,,exterminated,exterminated,,,,,,,,,,,, +cradle,,,cradles,,cradling,,,,,cradled,cradled,,,,,,,,,,,, +repackage,,,repackages,,repackaging,,,,,repackaged,repackaged,,,,,,,,,,,, +ironize,,,ironizes,,ironizing,,,,,ironized,ironized,,,,,,,,,,,, +breach,,,breaches,,breaching,,,,,breached,breached,,,,,,,,,,,, +include,,,includes,,including,,,,,included,included,,,,,,,,,,,, +rag,,,rags,,ragging,,,,,ragged,ragged,,,,,,,,,,,, +ladle,,,ladles,,ladling,,,,,ladled,ladled,,,,,,,,,,,, +ghostwrite,,,ghostwrites,,ghostwriting,,,,,ghostwrote,ghostwritten,,,,,,,,,,,, +sandcast,,,sandcasts,,sandcasting,,,,,sandcast,sandcast,,,,,,,,,,,, +elutriate,,,elutriates,,elutriating,,,,,elutriated,elutriated,,,,,,,,,,,, +spoor,,,spoors,,spooring,,,,,spoored,spoored,,,,,,,,,,,, +spool,,,spools,,spooling,,,,,spooled,spooled,,,,,,,,,,,, +spoon,,,spoons,,spooning,,,,,spooned,spooned,,,,,,,,,,,, +foretell,,,foretells,,foretelling,,,,,foretold,foretold,,,,,,,,,,,, +photocompose,,,photocomposes,,photocomposing,,,,,photocomposed,photocomposed,,,,,,,,,,,, +spook,,,spooks,,spooking,,,,,spooked,spooked,,,,,,,,,,,, +spoof,,,spoofs,,spoofing,,,,,spoofed,spoofed,,,,,,,,,,,, +coverup,,,coversup,,coveringup,,,,,coveredup,coveredup,,,,,,,,,,,, +posture,,,postures,,posturing,,,,,postured,postured,,,,,,,,,,,, +bedeck,,,bedecks,,bedecking,,,,,bedecked,bedecked,,,,,,,,,,,, +diazotize,,,diazotizes,,diazotizing,,,,,diazotized,diazotized,,,,,,,,,,,, +extenuate,,,extenuates,,extenuating,,,,,extenuated,extenuated,,,,,,,,,,,, +sleave,,,sleaves,,sleaving,,,,,sleaved,sleaved,,,,,,,,,,,, +kittle,,,kittles,,kittling,,,,,kittled,kittled,,,,,,,,,,,, +outdo,,,outdoes,,outdoing,,,,,outdid,outdone,,,,,,,,,,,, +unchain,,,unchains,,unchaining,,,,,unchained,unchained,,,,,,,,,,,, +misplay,,,misplays,,misplaying,,,,,misplayed,misplayed,,,,,,,,,,,, +miscall,,,miscalls,,miscalling,,,,,miscalled,miscalled,,,,,,,,,,,, +hinder,,,hinders,,hindering,,,,,hindered,hindered,,,,,,,,,,,, +smirch,,,smirches,,smirching,,,,,smirched,smirched,,,,,,,,,,,, +vittle,,,vittles,,vittling,,,,,vittled,vittled,,,,,,,,,,,, +reinsure,,,reinsures,,reinsuring,,,,,reinsured,reinsured,,,,,,,,,,,, +pleat,,,pleats,,pleating,,,,,pleated,pleated,,,,,,,,,,,, +chastise,,,chastises,,chastising,,,,,chastised,chastised,,,,,,,,,,,, +trawl,,,trawls,,trawling,,,,,trawled,trawled,,,,,,,,,,,, +procession,,,processions,,processioning,,,,,processioned,processioned,,,,,,,,,,,, +fold,,,folds,,folding,,,,,folded,folded,,,,,,,,,,,, +marinade,,,marinades,,marinading,,,,,marinaded,marinaded,,,,,,,,,,,, +interosculate,,,interosculates,,interosculating,,,,,interosculated,interosculated,,,,,,,,,,,, +concelebrate,,,concelebrates,,concelebrating,,,,,concelebrated,concelebrated,,,,,,,,,,,, +folk,,,folks,,folking,,,,,folked,folked,,,,,,,,,,,, +outsmart,,,outsmarts,,outsmarting,,,,,outsmarted,outsmarted,,,,,,,,,,,, +spelunk,,,spelunks,,spelunking,,,,,spelunked,spelunked,,,,,,,,,,,, +insoul,,,insouls,,insouling,,,,,insouled,insouled,,,,,,,,,,,, +attire,,,attires,,attiring,,,,,attired,attired,,,,,,,,,,,, +relocate,,,relocates,,relocating,,,,,relocated,relocated,,,,,,,,,,,, +kangaroo,,,kangaroos,,kangarooing,,,,,kangarooed,kangarooed,,,,,,,,,,,, +sough,,,soughs,,soughing,,,,,soughed,soughed,,,,,,,,,,,, +swoosh,,,swooshes,,swooshing,,,,,swooshed,swooshed,,,,,,,,,,,, +explore,,,explores,,exploring,,,,,explored,explored,,,,,,,,,,,, +gloat,,,gloats,,gloating,,,,,gloated,gloated,,,,,,,,,,,, +thumbindex,,,thumbindexes,,thumbindexing,,,,,thumbindexed,thumbindexed,,,,,,,,,,,, +scunner,,,scunners,,scunnering,,,,,scunnered,scunnered,,,,,,,,,,,, +trivialize,,,trivializes,,trivializing,,,,,trivialized,trivialized,,,,,,,,,,,, +opiate,,,opiates,,opiating,,,,,opiated,opiated,,,,,,,,,,,, +subedit,,,subedits,,subediting,,,,,subedited,subedited,,,,,,,,,,,, +largen,,,largens,,largening,,,,,largened,largened,,,,,,,,,,,, +requite,,,requites,,requiting,,,,,requited,requited,,,,,,,,,,,, +ruin,,,ruins,,ruining,,,,,ruined,ruined,,,,,,,,,,,, +shovel,,,shovels,,shovelling,,,,,shovelled,shovelled,,,,,,,,,,,, +blether,,,blethers,,blethering,,,,,blethered,blethered,,,,,,,,,,,, +spy,,,spies,,spying,,,,,spied,spied,,,,,,,,,,,, +forbid,,,forbids,,forbidding,,,,,forbade,forbidden,,,,,,,,,,,, +dichotomize,,,dichotomizes,,dichotomizing,,,,,dichotomized,dichotomized,,,,,,,,,,,, +sandbag,,,sandbags,,sandbagging,,,,,sandbagged,sandbagged,,,,,,,,,,,, +motor,,,motors,,motoring,,,,,motored,motored,,,,,,,,,,,, +duck,,,ducks,,ducking,,,,,ducked,ducked,,,,,,,,,,,, +apply,,,applies,,applying,,,,,applied,applied,,,,,,,,,,,, +depute,,,deputes,,deputing,,,,,deputed,deputed,,,,,,,,,,,, +redo,,,redoes,,redoing,,,,,redid,redone,,,,,,,,,,,, +ape,,,apes,,aping,,,,,aped,aped,,,,,,,,,,,, +fed,,,,,,,,,,fed,fed,,,,,,,,,,,, +feed,,,fees,,feeing,,,,,feed,feed,,,,,,,,,,,, +stream,,,streams,,streaming,,,,,streamed,streamed,,,,,,,,,,,, +birdlime,,,birdlimes,,birdliming,,,,,birdlimed,birdlimed,,,,,,,,,,,, +doodle,,,doodles,,doodling,,,,,doodled,doodled,,,,,,,,,,,, +obelize,,,obelizes,,obelizing,,,,,obelized,obelized,,,,,,,,,,,, +frog,,,frogs,,frogging,,,,,frogged,frogged,,,,,,,,,,,, +procrastinate,,,procrastinates,,procrastinating,,,,,procrastinated,procrastinated,,,,,,,,,,,, +overman,,,overmans,,overmanning,,,,,overmanned,overmanned,,,,,,,,,,,, +dishevel,,,dishevels,,dishevelling,,,,,dishevelled,dishevelled,,,,,,,,,,,, +slue,,,slues,,sluing,,,,,slued,slued,,,,,,,,,,,, +sanitize,,,sanitizes,,sanitizing,,,,,sanitized,sanitized,,,,,,,,,,,, +sort,,,sorts,,sorting,,,,,sorted,sorted,,,,,,,,,,,, +pitterpatter,,,pitterpatters,,pitterpattering,,,,,pitterpattered,pitterpattered,,,,,,,,,,,, +detail,,,details,,detailing,,,,,detailed,detailed,,,,,,,,,,,, +impress,,,impresses,,impressing,,,,,impressed,impressed,,,,,,,,,,,, +underdrain,,,underdrains,,underdraining,,,,,underdrained,underdrained,,,,,,,,,,,, +cooperate,,,cooperates,,cooperating,,,,,cooperated,cooperated,,,,,,,,,,,, +tallyho,,,tallyhos,,tallyhoing,,,,,tallyhoed,tallyhoed,,,,,,,,,,,, +rabbit,,,rabbits,,rabbiting,,,,,rabbited,rabbited,,,,,,,,,,,, +recount,,,recounts,,recounting,,,,,recounted,recounted,,,,,,,,,,,, +sorn,,,sorns,,sorning,,,,,sorned,sorned,,,,,,,,,,,, +hand-knit,,,hand-knits,,hand-knitting,,,,,hand-knitted,hand-knitted,,,,,,,,,,,, +annoy,,,annoys,,annoying,,,,,annoyed,annoyed,,,,,,,,,,,, +fraternize,,,fraternizes,,fraternizing,,,,,fraternized,fraternized,,,,,,,,,,,, +augment,,,augments,,augmenting,,,,,augmented,augmented,,,,,,,,,,,, +saddle,,,saddles,,saddling,,,,,saddled,saddled,,,,,,,,,,,, +octuple,,,octuples,,octupling,,,,,octupled,octupled,,,,,,,,,,,, +regale,,,regales,,regaling,,,,,regaled,regaled,,,,,,,,,,,, +dissolve,,,dissolves,,dissolving,,,,,dissolved,dissolved,,,,,,,,,,,, +proof,,,proofs,,proofing,,,,,proofed,proofed,,,,,,,,,,,, +tat,,,tats,,tatting,,,,,tatted,tatted,,,,,,,,,,,, +taws,,,taws,,tawing,,,,,tawed,tawed,,,,,,,,,,,, +patrol,,,patrols,,patrolling,,,,,patrolled,patrolled,,,,,,,,,,,, +tar,,,tars,,tarring,,,,,tarred,tarred,,,,,,,,,,,, +tax,,,taxes,,taxing,,,,,taxed,taxed,,,,,,,,,,,, +crick,,,cricks,,cricking,,,,,cricked,cricked,,,,,,,,,,,, +tag,,,tags,,tagging,,,,,tagged,tagged,,,,,,,,,,,, +condescend,,,condescends,,condescending,,,,,condescended,condescended,,,,,,,,,,,, +wizen,,,wizens,,wizening,,,,,wizened,wizened,,,,,,,,,,,, +tan,,,tans,,tanning,,,,,tanned,tanned,,,,,,,,,,,, +rape,,,rapes,,raping,,,,,raped,raped,,,,,,,,,,,, +counterfeit,,,counterfeits,,counterfeiting,,,,,counterfeited,counterfeited,,,,,,,,,,,, +sip,,,sips,,sipping,,,,,sipped,sipped,,,,,,,,,,,, +jape,,,japes,,japing,,,,,japed,japed,,,,,,,,,,,, +sit,,,sits,,sitting,,,,,sat,sat,,,,,,,,,,,, +tamper,,,tampers,,tampering,,,,,tampered,tampered,,,,,,,,,,,, +outclass,,,outclasses,,outclassing,,,,,outclassed,outclassed,,,,,,,,,,,, +patronize,,,patronizes,,patronizing,,,,,patronized,patronized,,,,,,,,,,,, +sic,,,sics,,sicking,,,,,sicked,sicked,,,,,,,,,,,, +crutch,,,crutches,,crutching,,,,,crutched,crutched,,,,,,,,,,,, +resurge,,,resurges,,resurging,,,,,resurged,resurged,,,,,,,,,,,, +panic,,,panics,,panicking,,,,,panicked,panicked,,,,,,,,,,,, +sin,,,sins,,sinning,,,,,sinned,sinned,,,,,,,,,,,, +exemplify,,,exemplifies,,exemplifying,,,,,exemplified,exemplified,,,,,,,,,,,, +underfeed,,,underfeeds,,underfeeding,,,,,underfed,underfed,,,,,,,,,,,, +attend,,,attends,,attending,,,,,attended,attended,,,,,,,,,,,, +perjure,,,perjures,,perjuring,,,,,perjured,perjured,,,,,,,,,,,, +discomfort,,,discomforts,,discomforting,,,,,discomforted,discomforted,,,,,,,,,,,, +abuse,,,abuses,,abusing,,,,,abused,abused,,,,,,,,,,,, +crossquestion,,,crossquestions,,crossquestioning,,,,,crossquestioned,crossquestioned,,,,,,,,,,,, +crossfertilize,,,crossfertilizes,,crossfertilizing,,,,,crossfertilized,crossfertilized,,,,,,,,,,,, +light,,,lights,,lighting,,,,,lighted,lighted,,,,,,,,,,,, +budge,,,budges,,budging,,,,,budged,budged,,,,,,,,,,,, +melodize,,,melodizes,,melodizing,,,,,melodized,melodized,,,,,,,,,,,, +acetify,,,acetifies,,acetifying,,,,,acetified,acetified,,,,,,,,,,,, +re-serve,,,re-serves,,re-serving,,,,,reserved,re-served,,,,,,,,,,,, +retrogress,,,retrogresses,,retrogressing,,,,,retrogressed,retrogressed,,,,,,,,,,,, +windrow,,,windrows,,windrowing,,,,,windrowed,windrowed,,,,,,,,,,,, +beguile,,,beguiles,,beguiling,,,,,beguiled,beguiled,,,,,,,,,,,, +wawa,,,wawas,,wawaing,,,,,wawaed,wawaed,,,,,,,,,,,, +quake,,,quakes,,quaking,,,,,quaked,quaked,,,,,,,,,,,, +double-time,,,double-times,,double-timing,,,,,double-timed,double-timed,,,,,,,,,,,, +wawl,,,wawls,,wawling,,,,,wawled,wawled,,,,,,,,,,,, +badger,,,badgers,,badgering,,,,,badgered,badgered,,,,,,,,,,,, +write,,,writes,,writing,,,,,wrote,written,,,,,,,,,,,, +complicate,,,complicates,,complicating,,,,,complicated,complicated,,,,,,,,,,,, +inlet,,,inlets,,inletting,,,,,inlet,inlet,,,,,,,,,,,, +reeve,,,reeves,,reeving,,,,,reeved,reeved,,,,,,,,,,,, +letch,,,letches,,letching,,,,,letched,letched,,,,,,,,,,,, +stridulate,,,stridulates,,stridulating,,,,,stridulated,stridulated,,,,,,,,,,,, +flank,,,flanks,,flanking,,,,,flanked,flanked,,,,,,,,,,,, +restrain,,,restrains,,restraining,,,,,restrained,restrained,,,,,,,,,,,, +choose,,,chooses,,choosing,,,,,chose,chosen,,,,,,,,,,,, +underpin,,,underpins,,underpinning,,,,,underpinned,underpinned,,,,,,,,,,,, +holiday,,,holidays,,holidaying,,,,,holidayed,holidayed,,,,,,,,,,,, +flex,,,flexs,,flexing,,,,,flexed,flexed,,,,,,,,,,,, +crash,,,crashes,,crashing,,,,,crashed,crashed,,,,,,,,,,,, +reenter,,,reenters,,reentering,,,,,reentered,reentered,,,,,,,,,,,, +flour,,,flours,,flouring,,,,,floured,floured,,,,,,,,,,,, +practice,,,practices,,practicing,,,,,practiced,practiced,,,,,,,,,,,, +flout,,,flouts,,flouting,,,,,flouted,flouted,,,,,,,,,,,, +precess,,,precesses,,precessing,,,,,precessed,precessed,,,,,,,,,,,, +fingerprint,,,fingerprints,,fingerprinting,,,,,fingerprinted,fingerprinted,,,,,,,,,,,, +liquify,,,liquifies,,liquifying,,,,,liquified,liquified,,,,,,,,,,,, +flee,,,flees,,fleeing,,,,,fled,fled,,,,,,,,,,,, +parasitize,,,parasitizes,,parasitizing,,,,,parasitized,parasitized,,,,,,,,,,,, +impower,,,impowers,,impowering,,,,,impowered,impowered,,,,,,,,,,,, +edit,,,edits,,editing,,,,,edited,edited,,,,,,,,,,,, +feast,,,feasts,,feasting,,,,,feasted,feasted,,,,,,,,,,,, +fuzz,,,fuzzes,,fuzzing,,,,,fuzzed,fuzzed,,,,,,,,,,,, +fiddle,,,fiddles,,fiddling,,,,,fiddled,fiddled,,,,,,,,,,,, +trap,,,traps,,trapping,,,,,trapped,trapped,,,,,,,,,,,, +cocoon,,,cocoons,,cocooning,,,,,cocooned,cocooned,,,,,,,,,,,, +stithy,,,stithies,,stithying,,,,,stithied,stithied,,,,,,,,,,,, +bogie,,,bogies,,bogying,,,,,bogied,bogied,,,,,,,,,,,, +sojourn,,,sojourns,,sojourning,,,,,sojourned,sojourned,,,,,,,,,,,, +interfuse,,,interfuses,,interfusing,,,,,interfused,interfused,,,,,,,,,,,, +tabulate,,,tabulates,,tabulating,,,,,tabulated,tabulated,,,,,,,,,,,, +out,,,outs,,outing,,,,,outed,outed,,,,,,,,,,,, +Afrikanerize,,,Afrikanerizes,,Afrikanerizing,,,,,Afrikanerized,Afrikanerized,,,,,,,,,,,, +effloresce,,,effloresces,,efflorescing,,,,,effloresced,effloresced,,,,,,,,,,,, +notarize,,,notarizes,,notarizing,,,,,notarized,notarized,,,,,,,,,,,, +disarray,,,disarrays,,disarraying,,,,,disarrayed,disarrayed,,,,,,,,,,,, +superintend,,,superintends,,superintending,,,,,superintended,superintended,,,,,,,,,,,, +clatter,,,clatters,,clattering,,,,,clattered,clattered,,,,,,,,,,,, +impart,,,imparts,,imparting,,,,,imparted,imparted,,,,,,,,,,,, +sacrifice,,,sacrifices,,sacrificing,,,,,sacrificed,sacrificed,,,,,,,,,,,, +disclose,,,discloses,,disclosing,,,,,disclosed,disclosed,,,,,,,,,,,, +softpedal,,,softpedals,,softpedalling,,,,,softpedalled,softpedalled,,,,,,,,,,,, +enfranchise,,,enfranchises,,enfranchising,,,,,enfranchised,enfranchised,,,,,,,,,,,, +implode,,,implodes,,imploding,,,,,imploded,imploded,,,,,,,,,,,, +planish,,,planishes,,planishing,,,,,planished,planished,,,,,,,,,,,, +rejoice,,,rejoices,,rejoicing,,,,,rejoiced,rejoiced,,,,,,,,,,,, +tenant,,,tenants,,tenanting,,,,,tenanted,tenanted,,,,,,,,,,,, +overtake,,,overtakes,,overtaking,,,,,overtook,overtaken,,,,,,,,,,,, +substantiate,,,substantiates,,substantiating,,,,,substantiated,substantiated,,,,,,,,,,,, +shutout,,,,,,,,,,,,,,,,,,,,,,, +outman,,,outmans,,outmanning,,,,,outmanned,outmanned,,,,,,,,,,,, +uproot,,,uproots,,uprooting,,,,,uprooted,uprooted,,,,,,,,,,,, +boondoggle,,,boondoggles,,boondoggling,,,,,boondoggled,boondoggled,,,,,,,,,,,, +rubberneck,,,rubbernecks,,rubbernecking,,,,,rubbernecked,rubbernecked,,,,,,,,,,,, +echo,,,echoes,,echoing,,,,,echoed,echoed,,,,,,,,,,,, +collogue,,,collogues,,colloguing,,,,,collogued,collogued,,,,,,,,,,,, +overproduce,,,overproduces,,overproducing,,,,,overproduced,overproduced,,,,,,,,,,,, +glisten,,,glistens,,glistening,,,,,glistened,glistened,,,,,,,,,,,, +overtrump,,,overtrumps,,overtrumping,,,,,overtrumped,overtrumped,,,,,,,,,,,, +liquate,,,liquates,,liquating,,,,,liquated,liquated,,,,,,,,,,,, +accent,,,accents,,accenting,,,,,accented,accented,,,,,,,,,,,, +glister,,,glisters,,glistering,,,,,glistered,glistered,,,,,,,,,,,, +boil,,,boils,,boiling,,,,,boiled,boiled,,,,,,,,,,,, +shell,,,shells,,shelling,,,,,shelled,shelled,,,,,,,,,,,, +shallow,,,shallows,,shallowing,,,,,shallowed,shallowed,,,,,,,,,,,, +simulate,,,simulates,,simulating,,,,,simulated,simulated,,,,,,,,,,,, +diminish,,,diminishes,,diminishing,,,,,diminished,diminished,,,,,,,,,,,, +commence,,,commences,,commencing,,,,,commenced,commenced,,,,,,,,,,,, +vilipend,,,vilipends,,vilipending,,,,,vilipended,vilipended,,,,,,,,,,,, +elope,,,elopes,,eloping,,,,,eloped,eloped,,,,,,,,,,,, +kickback,,,,,,,,,,,,,,,,,,,,,,, +ko,,,ko's,,ko'ing,,,,,ko'ed,ko'ed,,,,,,,,,,,, +featherstitch,,,featherstitches,,featherstitching,,,,,featherstitched,featherstitched,,,,,,,,,,,, +brazen,,,brazens,,brazening,,,,,brazened,brazened,,,,,,,,,,,, +elongate,,,elongates,,elongating,,,,,elongated,elongated,,,,,,,,,,,, +sculpture,,,sculptures,,sculpturing,,,,,sculptured,sculptured,,,,,,,,,,,, +encore,,,encores,,encoring,,,,,encored,encored,,,,,,,,,,,, +reposit,,,reposits,,repositing,,,,,reposited,reposited,,,,,,,,,,,, +crucify,,,crucifies,,crucifying,,,,,crucified,crucified,,,,,,,,,,,, +clip,,,clips,,clipping,,,,,clipped,clipped,,,,,,,,,,,, +fowl,,,fowls,,fowling,,,,,fowled,fowled,,,,,,,,,,,, +splatter,,,splatters,,splattering,,,,,splattered,splattered,,,,,,,,,,,, +blip,,,blips,,blipping,,,,,blipped,blipped,,,,,,,,,,,, +unknit,,,unknits,,unknitting,,,,,unknitted,unknitted,,,,,,,,,,,, +outstrip,,,outstrips,,outstripping,,,,,outstripped,outstripped,,,,,,,,,,,, +disjoint,,,disjoints,,disjointing,,,,,disjointed,disjointed,,,,,,,,,,,, +luminesce,,,luminesces,,luminescing,,,,,luminesced,luminesced,,,,,,,,,,,, +angle,,,angles,,angling,,,,,angled,angled,,,,,,,,,,,, +inform,,,informs,,informing,,,,,informed,informed,,,,,,,,,,,, +rout,,,routs,,routing,,,,,routed,routed,,,,,,,,,,,, +invigilate,,,invigilates,,invigilating,,,,,invigilated,invigilated,,,,,,,,,,,, +roup,,,roups,,rouping,,,,,rouped,rouped,,,,,,,,,,,, +lope,,,lopes,,loping,,,,,loped,loped,,,,,,,,,,,, +deprave,,,depraves,,depraving,,,,,depraved,depraved,,,,,,,,,,,, +divert,,,diverts,,diverting,,,,,diverted,diverted,,,,,,,,,,,, +outpour,,,outpours,,outpouring,,,,,outpoured,outpoured,,,,,,,,,,,, +combat,,,combats,,combating,,,,,combated,combated,,,,,,,,,,,, +quitclaim,,,quitclaims,,quitclaiming,,,,,quitclaimed,quitclaimed,,,,,,,,,,,, +invocate,,,invocates,,invocating,,,,,invocated,invocated,,,,,,,,,,,, +filch,,,filches,,filching,,,,,filched,filched,,,,,,,,,,,, +writhen,,,writhens,,writhening,,,,,writhened,writhened,,,,,,,,,,,, +delve,,,delves,,delving,,,,,delved,delved,,,,,,,,,,,, +class,,,classes,,classing,,,,,classed,classed,,,,,,,,,,,, +clasp,,,clasps,,clasping,,,,,clasped,clasped,,,,,,,,,,,, +tinct,,,tincts,,tincting,,,,,tincted,tincted,,,,,,,,,,,, +discourage,,,discourages,,discouraging,,,,,discouraged,discouraged,,,,,,,,,,,, +refract,,,refracts,,refracting,,,,,refracted,refracted,,,,,,,,,,,, +syrinx,,,syringes,,,,,,,,,,,,,,,,,,,, +dent,,,dents,,denting,,,,,dented,dented,,,,,,,,,,,, +pipe,,,pipes,,piping,,,,,piped,piped,,,,,,,,,,,, +quickfreeze,,,quickfreezes,,quickfreezing,,,,,quickfroze,quickfrozen,,,,,,,,,,,, +feoff,,,feoffs,,,,,,,,,,,,,,,,,,,, +intercross,,,intercrosses,,intercrossing,,,,,intercrossed,intercrossed,,,,,,,,,,,, +stove,,,stoves,,stoving,,,,,stoved,stoved,,,,,,,,,,,, +swizzle,,,swizzles,,swizzling,,,,,swizzled,swizzled,,,,,,,,,,,, +betake,,,betakes,,betaking,,,,,betook,betaken,,,,,,,,,,,, +complot,,,complots,,complotting,,,,,complotted,complotted,,,,,,,,,,,, +fear,,,fears,,fearing,,,,,feared,feared,,,,,,,,,,,, +debate,,,debates,,debating,,,,,debated,debated,,,,,,,,,,,, +vesicate,,,vesicates,,vesicating,,,,,vesicated,vesicated,,,,,,,,,,,, +succour,,,succours,,succouring,,,,,succoured,succoured,,,,,,,,,,,, +manacle,,,manacles,,manacling,,,,,manacled,manacled,,,,,,,,,,,, +filiate,,,filiates,,filiating,,,,,filiated,filiated,,,,,,,,,,,, +reminisce,,,reminisces,,reminiscing,,,,,reminisced,reminisced,,,,,,,,,,,, +freeload,,,freeloads,,freeloading,,,,,freeloaded,freeloaded,,,,,,,,,,,, +re-echo,,,re-echoes,,re-echoing,,,,,re-echoed,re-echoed,,,,,,,,,,,, +herald,,,heralds,,heralding,,,,,heralded,heralded,,,,,,,,,,,, +inhabit,,,inhabits,,inhabiting,,,,,inhabited,inhabited,,,,,,,,,,,, +outsell,,,outsells,,outselling,,,,,outsold,outsold,,,,,,,,,,,, +prosecute,,,prosecutes,,prosecuting,,,,,prosecuted,prosecuted,,,,,,,,,,,, +winterize,,,winterizes,,winterizing,,,,,winterized,winterized,,,,,,,,,,,, +cube,,,cubes,,cubing,,,,,cubed,cubed,,,,,,,,,,,, +topple,,,topples,,toppling,,,,,toppled,toppled,,,,,,,,,,,, +skimp,,,skimps,,skimping,,,,,skimped,skimped,,,,,,,,,,,, +dope,,,dopes,,doping,,,,,doped,doped,,,,,,,,,,,, +massacre,,,massacres,,massacring,,,,,massacred,massacred,,,,,,,,,,,, +blare,,,blares,,blaring,,,,,blared,blared,,,,,,,,,,,, +penetrate,,,penetrates,,penetrating,,,,,penetrated,penetrated,,,,,,,,,,,, +isochronize,,,isochronizes,,isochronizing,,,,,isochronized,isochronized,,,,,,,,,,,, +swindle,,,swindles,,swindling,,,,,swindled,swindled,,,,,,,,,,,, +anatomize,,,anatomizes,,anatomizing,,,,,anatomized,anatomized,,,,,,,,,,,, +cotter,,,cotters,,cottering,,,,,cottered,cottered,,,,,,,,,,,, +bisect,,,bisects,,bisecting,,,,,bisected,bisected,,,,,,,,,,,, +postil,,,postils,,postiling,,,,,postiled,postiled,,,,,,,,,,,, +compliment,,,compliments,,complimenting,,,,,complimented,complimented,,,,,,,,,,,, +ascertain,,,ascertains,,ascertaining,,,,,ascertained,ascertained,,,,,,,,,,,, +editorialize,,,editorializes,,editorializing,,,,,editorialized,editorialized,,,,,,,,,,,, +view,,,views,,viewing,,,,,viewed,viewed,,,,,,,,,,,, +premiss,,,premisses,,premissing,,,,,premissed,premissed,,,,,,,,,,,, +ebb,,,ebbs,,ebbing,,,,,ebbed,ebbed,,,,,,,,,,,, +expel,,,expels,,expelling,,,,,expelled,expelled,,,,,,,,,,,, +grieve,,,grieves,,grieving,,,,,grieved,grieved,,,,,,,,,,,, +gerrymander,,,gerrymanders,,gerrymandering,,,,,gerrymandered,gerrymandered,,,,,,,,,,,, +crossruff,,,crossruffs,,crossruffing,,,,,crossruffed,crossruffed,,,,,,,,,,,, +lapidate,,,lapidates,,lapidating,,,,,lapidated,lapidated,,,,,,,,,,,, +still,,,stills,,stilling,,,,,stilled,stilled,,,,,,,,,,,, +closet,,,closets,,closeting,,,,,closeted,closeted,,,,,,,,,,,, +enamour,,,enamours,,enamouring,,,,,enamoured,enamoured,,,,,,,,,,,, +diverge,,,diverges,,diverging,,,,,diverged,diverged,,,,,,,,,,,, +torpedo,,,torpedos,,torpedoing,,,,,torpedoed,torpedoed,,,,,,,,,,,, +whipstitch,,,whipstitches,,whipstitching,,,,,whipstitched,whipstitched,,,,,,,,,,,, +flitch,,,flitches,,flitching,,,,,flitched,flitched,,,,,,,,,,,, +avow,,,avows,,avowing,,,,,avowed,avowed,,,,,,,,,,,, +jot,,,jots,,jotting,,,,,jotted,jotted,,,,,,,,,,,, +overdevelop,,,overdevelops,,overdeveloping,,,,,overdeveloped,overdeveloped,,,,,,,,,,,, +joy,,,joys,,joying,,,,,joyed,joyed,,,,,,,,,,,, +crossexamine,,,crossexamines,,crossexamining,,,,,crossexamined,crossexamined,,,,,,,,,,,, +uprouse,,,uprouses,,uprousing,,,,,uproused,uproused,,,,,,,,,,,, +job,,,jobs,,jobbing,,,,,jobbed,jobbed,,,,,,,,,,,, +joggle,,,joggles,,joggling,,,,,joggled,joggled,,,,,,,,,,,, +depolymerize,,,depolymerizes,,depolymerizing,,,,,depolymerized,depolymerized,,,,,,,,,,,, +spoil,,,spoils,,spoiling,,,,,spoilt,spoilt,,,,,,,,,,,, +jog,,,jogs,,jogging,,,,,jogged,jogged,,,,,,,,,,,, +stucco,,,stuccos,,stuccoing,,,,,stuccoed,stuccoed,,,,,,,,,,,, +outshoot,,,outshoots,,outshooting,,,,,outshot,outshot,,,,,,,,,,,, +disestablish,,,disestablishes,,disestablishing,,,,,disestablished,disestablished,,,,,,,,,,,, +demulsify,,,demulsifies,,demulsifying,,,,,demulsified,demulsified,,,,,,,,,,,, +grain,,,grains,,graining,,,,,grained,grained,,,,,,,,,,,, +sideslip,,,sideslips,,side-slipping,,,,,sideslipped,side-slipped,,,,,,,,,,,, +retrograde,,,retrogrades,,retrograding,,,,,retrograded,retrograded,,,,,,,,,,,, +tousle,,,tousles,,tousling,,,,,tousled,tousled,,,,,,,,,,,, +canopy,,,canopies,,canopying,,,,,canopied,canopied,,,,,,,,,,,, +wale,,,wales,,waling,,,,,waled,waled,,,,,,,,,,,, +dement,,,dements,,dementing,,,,,demented,demented,,,,,,,,,,,, +munition,,,munitions,,munitioning,,,,,munitioned,munitioned,,,,,,,,,,,, +wall,,,walls,,walling,,,,,walled,walled,,,,,,,,,,,, +hyphen,,,hyphens,,,,,,,,,,,,,,,,,,,, +immunize,,,immunizes,,immunizing,,,,,immunized,immunized,,,,,,,,,,,, +walk,,,walks,,walking,,,,,walked,walked,,,,,,,,,,,, +subscribe,,,subscribes,,subscribing,,,,,subscribed,subscribed,,,,,,,,,,,, +coddle,,,coddles,,coddling,,,,,coddled,coddled,,,,,,,,,,,, +predestinate,,,predestinates,,predestinating,,,,,predestinated,predestinated,,,,,,,,,,,, +pr_ecis,,,,,,,,,,,,,,,,,,,,,,, +autolyze,,,autolyzes,,autolyzing,,,,,autolyzed,autolyzed,,,,,,,,,,,, +trademark,,,trademarks,,trademarking,,,,,trademarked,trademarked,,,,,,,,,,,, +enchain,,,enchains,,enchaining,,,,,enchained,enchained,,,,,,,,,,,, +tutor,,,tutors,,tutoring,,,,,tutored,tutored,,,,,,,,,,,, +catechize,,,catechizes,,catechizing,,,,,catechized,catechized,,,,,,,,,,,, +mike,,,mikes,,miking,,,,,miked,miked,,,,,,,,,,,, +nickel,,,nickels,,nickelling,,,,,nickelled,nickelled,,,,,,,,,,,, +tap,,,taps,,tapping,,,,,tapped,tapped,,,,,,,,,,,, +twinge,,,twinges,,twinging,,,,,twinged,twinged,,,,,,,,,,,, +overture,,,overtures,,overturing,,,,,overtured,overtured,,,,,,,,,,,, +nicker,,,nickers,,nickering,,,,,nickered,nickered,,,,,,,,,,,, +overturn,,,overturns,,overturning,,,,,overturned,overturned,,,,,,,,,,,, +present,,,presents,,presenting,,,,,presented,presented,,,,,,,,,,,, +twist,,,twists,,twisting,,,,,twisted,twisted,,,,,,,,,,,, +corset,,,corsets,,corseting,,,,,corseted,corseted,,,,,,,,,,,, +sanctify,,,sanctifies,,sanctifying,,,,,sanctified,sanctified,,,,,,,,,,,, +wilt,,,wilts,,wilting,,,,,wilted,wilted,,,,,,,,,,,, +aline,,,alines,,alining,,,,,alined,alined,,,,,,,,,,,, +will,,,wills,,willing,,,,,willed,willed,won't,,,,,,,,,,, +ensconce,,,ensconces,,ensconcing,,,,,ensconced,ensconced,,,,,,,,,,,, +wile,,,wiles,,wiling,,,,,wiled,wiled,,,,,,,,,,,, +rename,,,renames,,renaming,,,,,renamed,renamed,,,,,,,,,,,, +hobbyhorse,,,hobbyhorses,,hobbyhorsing,,,,,hobbyhorsed,hobbyhorsed,,,,,,,,,,,, +layer,,,layers,,layering,,,,,layered,layered,,,,,,,,,,,, +apprehend,,,apprehends,,apprehending,,,,,apprehended,apprehended,,,,,,,,,,,, +restructure,,,restructures,,restructuring,,,,,restructured,restructured,,,,,,,,,,,, +disapprove,,,disapproves,,disapproving,,,,,disapproved,disapproved,,,,,,,,,,,, +thud,,,thuds,,thudding,,,,,thudded,thudded,,,,,,,,,,,, +deepfry,,,deepfries,,deepfrying,,,,,deepfried,deepfried,,,,,,,,,,,, +whore,,,whores,,whoring,,,,,whored,whored,,,,,,,,,,,, +hocus,,,hocuses,,hocusing,,,,,hocused,hocused,,,,,,,,,,,, +vintage,,,vintages,,vintaging,,,,,vintaged,vintaged,,,,,,,,,,,, +subcontract,,,subcontracts,,subcontracting,,,,,subcontracted,subcontracted,,,,,,,,,,,, +cross,,,crosses,,crossing,,,,,crossed,crossed,,,,,,,,,,,, +unite,,,unites,,uniting,,,,,united,united,,,,,,,,,,,, +clinker,,,clinkers,,clinkering,,,,,clinkered,clinkered,,,,,,,,,,,, +scamp,,,scamps,,scamping,,,,,scamped,scamped,,,,,,,,,,,, +maculate,,,maculates,,maculating,,,,,maculated,maculated,,,,,,,,,,,, +slave,,,slaves,,slaving,,,,,slaved,slaved,,,,,,,,,,,, +recline,,,reclines,,reclining,,,,,reclined,reclined,,,,,,,,,,,, +disagree,,,disagrees,,disagreeing,,,,,disagreed,disagreed,,,,,,,,,,,, +pestle,,,pestles,,pestling,,,,,pestled,pestled,,,,,,,,,,,, +pedal,,,pedals,,pedaling,,,,,pedaled,pedaled,,,,,,,,,,,, +whale,,,whales,,whaling,,,,,whaled,whaled,,,,,,,,,,,, +lobby,,,lobbies,,lobbying,,,,,lobbied,lobbied,,,,,,,,,,,, +gutter,,,gutters,,guttering,,,,,guttered,guttered,,,,,,,,,,,, +splint,,,splints,,splinting,,,,,splinted,splinted,,,,,,,,,,,, +stablish,,,stablishes,,stablishing,,,,,stablished,stablished,,,,,,,,,,,, +overwork,,,overworks,,overworking,,,,,overworked,overworked,,,,,,,,,,,, +perpetrate,,,perpetrates,,perpetrating,,,,,perpetrated,perpetrated,,,,,,,,,,,, +scissor,,,scissors,,scissoring,,,,,scissored,scissored,,,,,,,,,,,, +demonize,,,demonizes,,demonizing,,,,,demonized,demonized,,,,,,,,,,,, +hale,,,hales,,haling,,,,,haled,haled,,,,,,,,,,,, +outgrow,,,outgrows,,outgrowing,,,,,outgrew,outgrown,,,,,,,,,,,, +eructate,,,eructs,,eructing,,,,,eructed,eructed,,,,,,,,,,,, +rocket,,,rockets,,rocketing,,,,,rocketed,rocketed,,,,,,,,,,,, +obtain,,,obtains,,obtaining,,,,,obtained,obtained,,,,,,,,,,,, +replenish,,,replenishes,,replenishing,,,,,replenished,replenished,,,,,,,,,,,, +mythicize,,,mythicizes,,mythicizing,,,,,mythicized,mythicized,,,,,,,,,,,, +distend,,,distends,,distending,,,,,distended,distended,,,,,,,,,,,, +smite,,,smites,,smiting,,,,,smited,smitten,,,,,,,,,,,, +console,,,consoles,,consoling,,,,,consoled,consoled,,,,,,,,,,,, +reprehend,,,reprehends,,reprehending,,,,,reprehended,reprehended,,,,,,,,,,,, +supply,,,supplies,,supplying,,,,,supplied,supplied,,,,,,,,,,,, +sky,,,skies,,skying,,,,,skied,skied,,,,,,,,,,,, +halo,,,halos,,haloing,,,,,haloed,haloed,,,,,,,,,,,, +jaup,,,jaups,,jauping,,,,,jauped,jauped,,,,,,,,,,,, +rescind,,,rescinds,,rescinding,,,,,rescinded,rescinded,,,,,,,,,,,, +ski,,,skis,,skiing,,,,,skied,ski'd,,,,,,,,,,,, +empoison,,,empoisons,,empoisoning,,,,,empoisoned,empoisoned,,,,,,,,,,,, +enact,,,enacts,,enacting,,,,,enacted,enacted,,,,,,,,,,,, +knob,,,knobs,,knobbing,,,,,knobbed,knobbed,,,,,,,,,,,, +te-hee,,,te-hees,,te-heeing,,,,,te-heed,te-heed,,,,,,,,,,,, +sick,,,sicks,,,,,,,,,,,,,,,,,,,, +quartersaw,,,quartersaws,,quartersawing,,,,,quartersawed,quartersawed,,,,,,,,,,,, +masquerade,,,masquerades,,masquerading,,,,,masqueraded,masqueraded,,,,,,,,,,,, +straightarm,,,straightarms,,straightarming,,,,,straightarmed,straightarmed,,,,,,,,,,,, +term,,,terms,,terming,,,,,termed,termed,,,,,,,,,,,, +cwtch,,,cwtches,,cwtching,,,,,cwtched,cwtched,,,,,,,,,,,, +overmaster,,,overmasters,,overmastering,,,,,overmastered,overmastered,,,,,,,,,,,, +know,,,knows,,knowing,,,,,knew,known,,,,,,,,,,,, +exsanguinate,,,exsanguinates,,exsanguinating,,,,,exsanguinated,exsanguinated,,,,,,,,,,,, +press,,,presses,,pressing,,,,,pressed,pressed,,,,,,,,,,,, +redesign,,,redesigns,,redesigning,,,,,redesigned,redesigned,,,,,,,,,,,, +hollow,,,hollows,,hollowing,,,,,hollowed,hollowed,,,,,,,,,,,, +mongrelize,,,mongrelizes,,mongrelizing,,,,,mongrelized,mongrelized,,,,,,,,,,,, +calliper,,,callipers,,callipering,,,,,callipered,callipered,,,,,,,,,,,, +unthrone,,,unthrones,,unthroning,,,,,unthroned,unthroned,,,,,,,,,,,, +hitchhike,,,hitchhikes,,hitchhiking,,,,,hitchhiked,hitchhiked,,,,,,,,,,,, +apostrophize,,,apostrophizes,,apostrophizing,,,,,apostrophized,apostrophized,,,,,,,,,,,, +exceed,,,exceeds,,exceeding,,,,,exceeded,exceeded,,,,,,,,,,,, +tumble,,,tumbles,,tumbling,,,,,tumbled,tumbled,,,,,,,,,,,, +holler,,,hollers,,hollering,,,,,hollered,hollered,,,,,,,,,,,, +earwig,,,earwigs,,earwigging,,,,,earwigged,earwigged,,,,,,,,,,,, +leaf,,,leafs,,leafing,,,,,leafed,leafed,,,,,,,,,,,, +lead,,,leads,,leading,,,,,led,led,,,,,,,,,,,, +leak,,,leaks,,leaking,,,,,leaked,leaked,,,,,,,,,,,, +skelp,,,skelps,,skelping,,,,,skelped,skelped,,,,,,,,,,,, +lean,,,leans,,leaning,,,,,leant,leant,,,,,,,,,,,, +thank,,,thanks,,thanking,,,,,thanked,thanked,,,,,,,,,,,, +handfast,,,handfasts,,handfasting,,,,,handfasted,handfasted,,,,,,,,,,,, +leap,,,leaps,,leaping,,,,,leapt,leapt,,,,,,,,,,,, +belt,,,belts,,belting,,,,,belted,belted,,,,,,,,,,,, +locate,,,locates,,locating,,,,,located,located,,,,,,,,,,,, +obey,,,obeys,,obeying,,,,,obeyed,obeyed,,,,,,,,,,,, +slur,,,slurs,,slurring,,,,,slurred,slurred,,,,,,,,,,,, +foredo,,,foredoes,,foredoing,,,,,foredid,foredone,,,,,,,,,,,, +lowercase,,,,,lower-casing,,,,,lower-cased,lower-cased,,,,,,,,,,,, +slum,,,slums,,slumming,,,,,slummed,slummed,,,,,,,,,,,, +paste,,,pastes,,pasting,,,,,pasted,pasted,,,,,,,,,,,, +slug,,,slugs,,slugging,,,,,slugged,slugged,,,,,,,,,,,, +reward,,,rewards,,rewarding,,,,,rewarded,rewarded,,,,,,,,,,,, +throne,,,thrones,,throning,,,,,throned,throned,,,,,,,,,,,, +pike,,,pikes,,piking,,,,,piked,piked,,,,,,,,,,,, +throng,,,throngs,,thronging,,,,,thronged,thronged,,,,,,,,,,,, +incline,,,inclines,,inclining,,,,,inclined,inclined,,,,,,,,,,,, +linger,,,lingers,,lingering,,,,,lingered,lingered,,,,,,,,,,,, +surge,,,surges,,surging,,,,,surged,surged,,,,,,,,,,,, +swear,,,swears,,swearing,,,,,swore,sworn,,,,,,,,,,,, +sweaway,,,sweaways,,sweawaying,,,,,sweawayed,sweawayed,,,,,,,,,,,, +prestress,,,prestresses,,prestressing,,,,,prestressed,prestressed,,,,,,,,,,,, +bugle,,,bugles,,bugling,,,,,bugled,bugled,,,,,,,,,,,, +own,,,owns,,owning,,,,,owned,owned,,,,,,,,,,,, +owe,,,owes,,owing,,,,,owed,owed,,,,,,,,,,,, +cocker,,,cockers,,cockering,,,,,cockered,cockered,,,,,,,,,,,, +champ,,,champs,,champing,,,,,champed,champed,,,,,,,,,,,, +brush,,,brushes,,brushing,,,,,brushed,brushed,,,,,,,,,,,, +outdate,,,outdates,,outdating,,,,,outdated,outdated,,,,,,,,,,,, +negate,,,negates,,negating,,,,,negated,negated,,,,,,,,,,,, +gurgle,,,gurgles,,gurgling,,,,,gurgled,gurgled,,,,,,,,,,,, +stellify,,,stellifies,,stellifying,,,,,stellified,stellified,,,,,,,,,,,, +limn,,,limns,,limning,,,,,limned,limned,,,,,,,,,,,, +single-tongue,,,single-tongues,,single-tonguing,,,,,single-tongued,single-tongued,,,,,,,,,,,, +transfer,,,transfers,,transferring,,,,,transferred,transferred,,,,,,,,,,,, +spiral,,,spirals,,spiralling,,,,,spiralled,spiralled,,,,,,,,,,,, +overtime,,,overtimes,,overtiming,,,,,overtimed,overtimed,,,,,,,,,,,, +unreason,,,unreasons,,unreasoning,,,,,unreasoned,unreasoned,,,,,,,,,,,, +dynamite,,,dynamites,,dynamiting,,,,,dynamited,dynamited,,,,,,,,,,,, +vat,,,vats,,vatting,,,,,vatted,vatted,,,,,,,,,,,, +nourish,,,nourishes,,nourishing,,,,,nourished,nourished,,,,,,,,,,,, +shank,,,shanks,,shanking,,,,,shanked,shanked,,,,,,,,,,,, +unwrap,,,unwraps,,unwrapping,,,,,unwrapped,unwrapped,,,,,,,,,,,, +mutter,,,mutters,,muttering,,,,,muttered,muttered,,,,,,,,,,,, +assail,,,assails,,assailing,,,,,assailed,assailed,,,,,,,,,,,, +squeeze,,,squeezes,,squeezing,,,,,squeezed,squeezed,,,,,,,,,,,, +goose,,,gooses,,goosing,,,,,goosed,goosed,,,,,,,,,,,, +embolden,,,emboldens,,emboldening,,,,,emboldened,emboldened,,,,,,,,,,,, +recede,,,recedes,,receding,,,,,receded,receded,,,,,,,,,,,, +distract,,,distracts,,distracting,,,,,distracted,distracted,,,,,,,,,,,, +retool,,,retools,,retooling,,,,,retooled,retooled,,,,,,,,,,,, +record,,,records,,recording,,,,,recorded,recorded,,,,,,,,,,,, +supplant,,,supplants,,supplanting,,,,,supplanted,supplanted,,,,,,,,,,,, +cake,,,cakes,,caking,,,,,caked,caked,,,,,,,,,,,, +demonstrate,,,demonstrates,,demonstrating,,,,,demonstrated,demonstrated,,,,,,,,,,,, +hornswoggle,,,hornswoggles,,hornswoggling,,,,,hornswoggled,hornswoggled,,,,,,,,,,,, +bewail,,,bewails,,bewailing,,,,,bewailed,bewailed,,,,,,,,,,,, +affranchise,,,affranchises,,affranchising,,,,,affranchised,affranchised,,,,,,,,,,,, +nobble,,,nobbles,,nobbling,,,,,nobbled,nobbled,,,,,,,,,,,, +maroon,,,maroons,,marooning,,,,,marooned,marooned,,,,,,,,,,,, +happen,,,happens,,happening,,,,,happened,happened,,,,,,,,,,,, +immobilize,,,immobilizes,,immobilizing,,,,,immobilized,immobilized,,,,,,,,,,,, +wimple,,,wimples,,wimpling,,,,,wimpled,wimpled,,,,,,,,,,,, +glint,,,glints,,glinting,,,,,glinted,glinted,,,,,,,,,,,, +boot,,,boots,,booting,,,,,booted,booted,,,,,,,,,,,, +portion,,,portions,,portioning,,,,,portioned,portioned,,,,,,,,,,,, +tessellate,,,tessellates,,tessellating,,,,,tessellated,tessellated,,,,,,,,,,,, +book,,,books,,booking,,,,,booked,booked,,,,,,,,,,,, +boom,,,booms,,booming,,,,,boomed,boomed,,,,,,,,,,,, +branch,,,branches,,branching,,,,,branched,branched,,,,,,,,,,,, +disproportion,,,disproportions,,disproportioning,,,,,disproportioned,disproportioned,,,,,,,,,,,, +repute,,,reputes,,reputing,,,,,reputed,reputed,,,,,,,,,,,, +boob,,,boobs,,boobing,,,,,boobed,boobed,,,,,,,,,,,, +pantomime,,,pantomimes,,pantomiming,,,,,pantomimed,pantomimed,,,,,,,,,,,, +lance,,,lances,,lancing,,,,,lanced,lanced,,,,,,,,,,,, +junk,,,junks,,junking,,,,,junked,junked,,,,,,,,,,,, +mulch,,,mulches,,mulching,,,,,mulched,mulched,,,,,,,,,,,, +auscultate,,,auscultates,,auscultating,,,,,auscultated,auscultated,,,,,,,,,,,, +frustrate,,,frustrates,,frustrating,,,,,frustrated,frustrated,,,,,,,,,,,, +mulct,,,mulcts,,mulcting,,,,,mulcted,mulcted,,,,,,,,,,,, +squeak,,,squeaks,,squeaking,,,,,squeaked,squeaked,,,,,,,,,,,, +squeal,,,squeals,,squealing,,,,,squealed,squealed,,,,,,,,,,,, +extort,,,extorts,,extorting,,,,,extorted,extorted,,,,,,,,,,,, +sass,,,sasses,,sassing,,,,,sassed,sassed,,,,,,,,,,,, +unbridle,,,unbridles,,unbridling,,,,,unbridled,unbridled,,,,,,,,,,,, +jewel,,,jewels,,jewelling,,,,,jewelled,jewelled,,,,,,,,,,,, +understand,,,understands,,understanding,,,,,understood,understood,,,,,,,,,,,, +sash,,,sashes,,sashing,,,,,sashed,sashed,,,,,,,,,,,, +inspan,,,inspans,,inspanning,,,,,inspanned,inspanned,,,,,,,,,,,, diff --git a/requirements.txt b/requirements.txt index 2c2354b4cb..9af8d98491 100644 --- a/requirements.txt +++ b/requirements.txt @@ -11,6 +11,11 @@ django-sekizai inflect >= 5.2.0 autobahn >= 17.9.3 lunr == 0.5.6 +simpleeval <= 1.0 + +# conjugation library, py3 version +git+https://github.com/markrogersjr/nodebox_linguistics_extended.git + # try to resolve dependency issue in py3.7 attrs >= 19.2.0