MainMenu

Home Java Overview Maven Tutorials

Monday 26 June 2017

How to test Date Fields & Login Fields/Page



How to test Date field/test Scenarios for date field



1. Ensure that calendar window is displayed and active, when the calendar is invoked by pressing the calendar icon. (Once we faced an issue, the calendar window is in minimized state when we invoked the calendar.)

2. Ensure that calendar date is defaulted to system date/Server date.

3. Ensure that when a date is selected in the calendar (double click, or some other method), the selected date is displayed in the text box.

4. Check for the format as per requirement i.e. mm-dd-yy or dd-mm-yy etc.

5. Check for day, month and year( day should not be > 31, similarily month should be<=12,feb month should have days 28/29, should accept 29 days of february in the leap year, and year as per requirement).

6. Also try characters and spcl. characters on date if textbox is editable.

7. Try dates 30-02-2004 i.e validation for month of feb.

8. Check as per requirement if all parts are separated with / or - or . sign

9. 1980-, -1980, 20/10/2006 etc. if given in requirement, this is usually given in search 1980- means search for records after 1980 and so on.

10. should not accept 000000 as a date.

11. start date < end date

12. Cannot be left blank generally.

13.Check if the field accepts the input as blank.

14.Check if the date as 32 is accepted or not.

15.Check if the year field accepts year entered 10 years backward or forward.



---------------------------------------------------------------------------------------------------------


How to test Login field/test Scenarios for login field




1.check whether the login works with correct credentials

2.check that it doesn't work with wrong credentials

3.check text field limits - whether the browser accepts more than the allowed database limits

4.check whether password text is hidden

5. Check if the page is loaded

6. If login is remembered, check if closing the browser and relogging doesnt take to login page

7. If login is not remembered check if cookies helps to remember the session within the period

8. Check if appropriate error-message is displayed when entered with incorrect input ie invalid user id or pwd

9. Check if appropriate error-message is displayed when password or user id is not entered

10. Check if after login, it doesn't take back to the login page when the website is opened in a new tab

11.Check if password restrictions are applied when entering password ie integer 0-9, characters and special characters etc

12.signon attempts limit

13. Availability of user id and password tab

14. Check if user id and password form field is long enough

15. If there is captcha, check if characters are visible and readable

16.If there is 'remember me' option, check if its a tick box

17.Check if everything works in different browsers

18. sign-on to the application with multiple user accounts at the same time and capture latency of authentication

How to test Login page,

How to Validate Login Page

Scenarios to test login page,

Manual test cases to test login page

How to test Date Fields,

How to Validate Date Fields

Scenarios to test Date Fields,

Manual test cases to test Date Fields

Saturday 24 June 2017

Appium Example Calling Numer from Andriod



For Video Tutorial : Move on Youtube Channel


Note : Select the playlist as per your need & move with number sequence


Hello Friends,
In this session, we will discuss that how to automate Andriod "Native" application Like Dialer.


For Video :- Click Here



Here is the Sample code :


import java.io.File;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.concurrent.TimeUnit;
import org.openqa.selenium.By;
import org.openqa.selenium.JavascriptExecutor;
import org.openqa.selenium.Platform;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.remote.DesiredCapabilities;
import io.appium.java_client.android.AndroidDriver;
import io.appium.java_client.remote.MobileCapabilityType;
public class Nativeapp
{
public static AndroidDriver driver;
public static void main(String[] args) throws MalformedURLException
{
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(MobileCapabilityType.DEVICE_NAME, "LYF");
capabilities.setCapability(MobileCapabilityType.VERSION, "6.0.1");
capabilities.setCapability(MobileCapabilityType.PLATFORM, Platform.ANDROID);
capabilities.setCapability(MobileCapabilityType.PLATFORM_NAME, "Andriod");
capabilities.setCapability("appPackage", "com.android.dialer");
capabilities.setCapability("appActivity", "com.android.dialer.DialtactsActivity");
driver = new AndroidDriver(new URL("http://127.0.0.1:4723/wd/hub"), capabilities);
driver.manage().timeouts().implicitlyWait(5, TimeUnit.SECONDS);
driver.findElement(By.id("Call Csc Idea")).click();
driver.manage().timeouts().implicitlyWait(5, TimeUnit.SECONDS);
driver.quit();
}
}
Code Description :- As usual you have to create desired capability object & then set capabilities for device version, name, platform etc.
After that you must set the capability for app package and app activity.

How to find app package & app activity


Now you have to locate your number/contact to make a call
Now run the code & verify that you application is launched.







Tags :

How to automate Andriod Dialer

Code to automate andriod Native application

Appium tutorial to automate Calling Number

Appium tutorial to automate already installed app

Tuesday 20 June 2017

Appium Automate Whatsapp in Andriod



Hello Friends,
In this session, we will discuss that how to automate Andriod "Whatsapp" application.


For Video :- Click Here



For Video Tutorial : Move on Youtube Channel


Note : Select the playlist as per your need & move with number sequence


Here is the Sample code :

import java.io.File;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.concurrent.TimeUnit;
import org.openqa.selenium.Platform;
import org.openqa.selenium.remote.DesiredCapabilities;
import io.appium.java_client.android.AndroidDriver;
import io.appium.java_client.remote.MobileCapabilityType;
public class Whatsapp
{
public static AndroidDriver driver;
public static void main(String[] args) throws MalformedURLException
{
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(MobileCapabilityType.DEVICE_NAME, "LYF");
capabilities.setCapability(MobileCapabilityType.VERSION, "6.0.1");
capabilities.setCapability(MobileCapabilityType.PLATFORM, Platform.ANDROID);
capabilities.setCapability(MobileCapabilityType.PLATFORM_NAME, "Andriod");
capabilities.setCapability("appPackage", "com.whatsapp");
capabilities.setCapability("appActivity", "com.whatsapp.Main");
File file = new File("C:\\Users\\cchauhan\\Downloads\\Appiumpure\\apk\\com.whatsapp-1.apk");
capabilities.setCapability("apk", file.getAbsolutePath());
driver = new AndroidDriver(new URL("http://127.0.0.1:4723/wd/hub"), capabilities);
driver.manage().timeouts().implicitlyWait(5, TimeUnit.SECONDS);
}
}

Code Description :- As usual you have to create desired capability object & then set capabilities for device version, name, platform etc.
After that you must set the capability for app package and app activity.
How to find app package & app activity
Now create the object of File & give the path of apk file.
set the capability for file
. Now run the code & verify that you application is launched.


Another example to send bulk message on whatsapp.

Automate Whatsapp using appium



import java.io.File;
import java.net.MalformedURLException;
import java.net.URL;
import java.util.List;
import java.util.concurrent.TimeUnit;
import org.openqa.selenium.By;
import org.openqa.selenium.Platform;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.remote.DesiredCapabilities;
import io.appium.java_client.android.AndroidDriver;
import io.appium.java_client.remote.MobileCapabilityType;
public class Whatsapp
{
public static AndroidDriver driver;
public static void main(String[] args) throws MalformedURLException
{
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(MobileCapabilityType.DEVICE_NAME, "LYF");
capabilities.setCapability(MobileCapabilityType.VERSION, "6.0.1");
capabilities.setCapability(MobileCapabilityType.PLATFORM, Platform.ANDROID);
capabilities.setCapability(MobileCapabilityType.PLATFORM_NAME, "Andriod");
capabilities.setCapability("appPackage", "com.whatsapp");
capabilities.setCapability("appActivity", "com.whatsapp.Main");
File file = new File("C:\\Users\\cchauhan\\Downloads\\Appiumpure\\apk\\com.whatsapp-1.apk");
capabilities.setCapability("apk", file.getAbsolutePath());
driver = new AndroidDriver(new URL("http://127.0.0.1:4723/wd/hub"), capabilities);
driver.manage().timeouts().implicitlyWait(5, TimeUnit.SECONDS);
List list = driver.findElements(By.className("android.widget.RelativeLayout"));
for(int i = 0; i<=list.size(); i++)
{
list.get(i).click(); driver.findElement(By.className("android.widget.EditText")).sendKeys("to find pleasure be a good person");
driver.findElementByName("Send").click();
driver.findElementByName("Navigate up").click();
}
}
}



Tags :

How to automate whatsapp

Code to automate andriod whatsapp

Appium tutorial to automate whatsapp

Appium tutorial to automate installed app

Sunday 18 June 2017

Manual Test Cases for Database testing



Manual Test Cases for DATABASE TESTING.




Hello friends in this session , we i will write some basic test that must be performed on a database.
As a tester you need to validate below test:-

0. Verify that only authorize user can access the database.
1. Check if correct data is getting saved in database upon successful page submit

2. Check values for columns which are not accepting null values

3. Check for data integrity. Data should be stored in single or multiple tables based on design

4. Index names should be given as per the standards e.g. IND__

5. Tables should have primary key column

6. Table columns should have description information available (except for audit columns like created date, created by etc.)

7. For every database add/update operation log should be added

8. Required table indexes should be created

9. Check if data is committed to database only when the operation is successfully completed

10. Data should be rolled back in case of failed transactions

11. Database name should be given as per the application type i.e. test, UAT, sandbox, live (though this is not a standard it is helpful for database maintenance)

12. Database logical names should be given according to database name (again this is not standard but helpful for DB maintenance)

13. Stored procedures should not be named with prefix “sp_”

14. Check is values for table audit columns (like createddate, createdby, updatedate, updatedby, isdeleted, deleteddate, deletedby etc.) are populated properly

15. Check if input data is not truncated while saving. Field length shown to user on page and in database schema should be same

16. Check numeric fields with minimum, maximum, and float values

17. Check numeric fields with negative values (for both acceptance and non-acceptance)

18. Check if radio button and dropdown list options are saved correctly in database

19. Check if database fields are designed with correct data type and data length

20. Check if all table constraints like Primary key, Foreign key etc. are implemented correctly

21. Test stored procedures and triggers with sample input data

22. Input field leading and trailing spaces should be truncated before committing data to database

23. Null values should not be allowed for Primary key column

24. Verify that data inserted from UI , is reflecting properly in appropriate table.



Tags :
database testing test casestest cases for database testing
how to write test cases for database testingmanual test cases for database testing
Manual test cases for penManual Test case for Email functionality
Database Testing tutorialsSQL Queries with example

Important Unix Commands


Very Use full Commands of Unix for Software Tester.



$ ls command is used for directory and file listing with there permission.
$ ls -l list files in current directory.
$ ls -a list hidden files.
$ pwd -command is used for knowing user current working directory or you can say print working directory.
$ cd - similar to DOS cd .it is use to change directory.
$ mkdir - use to create new directory.
$ rmdir - use to remove directory.
$ cat filename - command is use to display file contents without paging.
$ cp source destination - command is use to copy file.
$ mv oldname newname - command is use to rename file .
$ rm filename - command use to delete file.
$ pico filename - command use to create or modify file.
$ More filename -List the contents of file pausing after each screen (press Space to continue listing).
$ grep string file-Search file for occurrences of string.
$ less filename - Display filename one screenful.A pager similar to (better than) more.
$ pg filename - View filename one screen full at a time (a pager).
$ print file -Send file to the UNIX laser printer.
$ man command - Display information about command.
$ apropos keyword - List commands/programs that contain keyword in their description.
$ du - List the number of Killo bytes for each directory below current working directory.
$ talk username - Interactively communicate with username; username has to be logged-in.
$ finger username - Find the username for username.
$ w - Display current activity on the system.
$ who - Show users that are currently logged-in.
$ tin - A program to read a collection of newsgroups (new articles arrive daily).
$ help [command] - If specified without command, a brief introduction is listed.If command is specified, help displays the man page for command.
$ pine - Send email through the Internet
$ quota –v - Display disk usage and disk quota. This command does not display your email quota.
$ mydiskspace - Display uhunix disk usage only. This command does not display your email quota.
$ write username - Writes files or text to username.
$ !! - Repeats last command.
$ kill - Command use to terminate process.example: kill - 5555
$ nice program name - Command use to run program with lower priority.Recommended for running background processes.
$ ps - Command use to list no of processes running in a system.
$ top - show (continuously) what process(es) is running.


Tags :
Unix important commandUnix command for testers
Unix command for interviewimportant unix command for software tester
Important shortcut for LinuxImportant shortcuts for windows

Friday 16 June 2017

Manual Test cases for Email and Email bounce

A complete tutorial on Email test cases and Email bounces



Manual Test Cases to verify 'Email' Functionality

Verify Inbox functionality:-
1).Verify that total unread email count appears.
2).Verify that a newly received email is displayed as highlighted in the Inbox section.
3).Verify that a newly received email has correctly displayed sender emailId or name, mail subject, header and mail body.
4).Verify that on clicking the newly received email, the user is navigated to email content/body.
5).Verify that the email contents are correctly displayed with the desired source formatting.
6).Verify that any attachments are attached to the email and are downloadable.
7).Verify that the attachments are scanned for viruses before download.
8).Verify that all the emails marked as reading are not highlighted.
9).Verify that all the emails read as well as unread have a mail read time appended at the end of the email list displayed in the inbox section.
10).Verify that count of unread emails is displayed alongside 'Inbox' text in the left sidebar of Gmail.
11).Verify that unread email count increases by one on receiving a new email.
12).Verify that unread email count decreases by one on reading an email ( marking the email as reading).
13).Verify that email recipient in cc are visible to all user.
14).Verify that email recipient in bcc are not visible to the user.
15).Verify that all received emails get piled up in the 'Inbox' section and gets deleted in cyclic fashion based on the size availability.
16).Verify that email can be received from non-Gmail emailIds like - yahoo, Hotmail etc.




Verify Compose Mail Functionality:

1).Verify that on clicking 'Compose'/'create new' button, a frame to compose a mail gets displayed.
2).Verify that user can enter emailIds in 'To', 'cc' and 'bcc' sections and also user will get suggestions while typing the emails based on the existing emailIds in user's email list.
3).Verify that user can enter multiple commas separated emailIds in 'To', 'cc' and 'bcc' sections.
4).Verify that user can type Subject line in the 'Subject' textbox.
5).Verify that user can type the email in email body section.
6).Verify that user can format mail using editor-options provided like choosing font-family, font-size, bold-italic-underline etc.
7).Verify that user can user can attach the file as an attachment to the email.
8).Verify that user can add images in the email and select the size for the same.
9).Verify that after entering emailIds in either of the 'To', 'cc' and 'bcc' sections, entering the Subject line and mail body and clicking 'Send' button, mail gets delivered to intended receivers.
10).Verify that sent mails can be found in 'Sent Mail' sections of the sender.
11).Verify that mail can be sent to non-Gmail emailIds also.
12).Verify that all sent emails get piled up in the 'Sent Mail' section and gets deleted in cyclic fashion based on the size availability.
13).Verify that the emails composed but not sent remain in the draft section.
14).Verify the maximum number of email recipients that can be entered in 'To', 'cc' and 'bcc' sections.
15).Verify the maximum length of text that can be entered in the 'Subject' textbox.
16).Verify the content limit of text/images that can be entered and successfully delivered as mail body.
17).Verify the maximum size and number of attachment that can be attached to an email.
18).Verify that only the allowed specifications of the attachment can be attached with an email
19).Verify that if the email is sent without Subject, a pop-up is generated warning user about no subject line. Also, Check that on accepting the pop-up message, the user is able to send the email.






Type of Bounces in Email



When we send an email to an subscriber/user then sometimes it get bounce due to some reason, There are four type of bounces in emails

Email Soft bounce :-

A soft bounce occurs when the email server rejects the email due to a seemingly temporary condition,
such as a full inbox. When that happens, the system retries sending the email to the subscriber every
15 minutes for 72 hours, for up to 288 tries. Only after the system stops attempting to retry does a
subscriber appear in your tracking as bounced.
The 288 re-tries do not count as bounces. Instead, the full count of unsuccessful retries equate to one soft bounce. If the system attempts delivery 288 times and the message bounces each time, the subscriber's status is set to Bounced. If the email is delivered during the 288 tries and the subscriber opens the email, the subscriber's status is set to Active.
Examples of this type of soft bounce that would show up faster include these types of ISP responses:

mailbox would exceed maximum allowed storage
user account is over quota
mailbox is full
mailbox disabled
mailbox temporarily disabled
mailbox disabled, not accepting messages
After Marketing Cloud receives the third soft bounce for a subscriber, their status is set to Held.


Email Hard bounce :-

A hard bounce occurs when the email server rejects the email due to permanent conditions
(this typically results when "user unknown" or "domain not found" errors occur). What happens next depends
on the subscriber's current status. If the subscriber's status was already Active, their status now changes to Bounced.
If the subscriber's status was already Bounced, which indicates they had experienced a bounce previously,
the application treats the bounce differently.


Email Technical bounce :-

A technical bounce, which is considered a type of soft bounce, occurs when the email server rejects the email due
to technical errors, such as a data format or network error. When a subscriber experiences a technical bounce they are
re-tried in the next email send.
This table describes the causes of a technical bounce.
Cause Definition
Server Too Busy Receiving email server is temporarily overwhelmed with delivery attempts from you and other senders
Data Format Error Email is rejected due to formatting or line length errors
Network Error Connection lost or timed our during delivery line length errors


Email block bounce :-

A block bounce, which is considered a type of soft bounce,
occurs when the email server rejects the email due to filter issues,
such as URL blocks, lack of proper authentication,
or the domain or IP address is found on a blacklist utilized by the receiving domain. A subscriber who receives a block bounce is re-tried in the next email send.
This table describes the causes of a block bounce.
Cause Definition
Complaint Your email is blocked due to complaints
Blacklist IP address is on a blacklist
Content Message was filtered due to content
URL Block Emails containing your URLs are blocked
Authentication Message lacks required authentication


Manaul test cases for EmailTest cases to verify Email functionality
How to verify email inbox functionalityHow to verify Email compose functionality
What are email bouncesWhat are email soft bounce and hard bounce
Difference between email Soft bounces and hard bounceWhat is email hard bounce

Sunday 11 June 2017

Manual Test cases for the pen



Manual Test Cases for Pen

Test Cases for Pen :- It is a very favorite question of interviewer, they use to ask this one to every one during interview.
So here i am writing few good positive and negative cases.

Positive Cases :- 1). See if the different components(the barrel, cap, unscrew-able head, refill, spring etc) of the pen are fitting perfectly.
2). Test the dimension of the pen, its shape and size should be ergonomically designed so as to result in a comfortable writing experience.
3). Test by writing on a piece of paper, see if you can write smoothly.
4). Test if you can carry the pen in your shirt pocket using its cap. The cap extension should be firm enough to grip the pocket.
5). Verify whether it is ink or ball point and color of ink accordingly.
6). Verify whether the pen tip is covered by a suitable cap or not.
7). Test the pen by writing different angles of use.
8). Test if the pen is usable with different brands of simillar refill.
9). Check Whether you are able to hold the pen easily.
10).Soak the refill upward and then write on a paper.

Negative Cases :- 1). Rub the pen ball on hard material and then write.
2). Try to write on paper with bit force to check if it damages the paper.
3). Through the pen in the water and then write up again.
4). Remove the cap of a pen and keep it in a pocket to check whether there is any leakage of ink.
5). Drop the pen from remarkable height to check whether it is getting damage or not.

Tags :

Test cases for pen

,

Positive Test cases for pen

,

Negative Test cases for pen

,

Write 10 Test cases for pen

,

Write Test cases for pen

,

What are the Test cases for pen

,

Test cases for elctric bulb

,

Test cases for Table

,.

Thursday 8 June 2017

How to Find App Package & App Activity



For Video Tutorial : Move on Youtube Channel


Note : Select the playlist as per your need & move with number sequence


Video for this tutorial :

Click here



How to find App package and App Activity ?



In this Article/Tutorial , we will let you know that how to find app package and app activity to automate mobile application.

First of all verify that your mobile device is connected or not.
In windows open the command Prompt (window key + r & then enter "cmd" and hit enter)


Type the command adb devices and hit enter
your device binary name will appear.
Method :1- Enter below commond in commond promt & hit enter

adb shell pm list packages -f



This above command will list all the application path and package names.
Note that above commond prints the package details for all apps in the device.
You can use findstr (grep for mac os) commond to filter only specific apps as shown in below image.


adb shell pm list packages -f | findstr "whatsapp"


Now use below command to copy apk file from mobile/emulator to your machine(computer)
adb pull /system/app/Calculator/Calculator.apk






After that your apk file will be downloaded at user directory
In my computer path is :
C:\Users\cchauhan\com.whatsapp-1.apk

Now open the appium and click on the andriod icon, a pop up window will appear


Now select the check box Application path and click the Choose button, and select your apk file from your machine.

after selecting the apk file, app package and activity will get populated.

enjoy, you have found what you want. :)
Mathod 2 :- Using command : adb shell
dumpsys window windows | grep-E 'mcurrentFocus | mFocusedApp'
In windows open the command Prompt (window key + r & then enter "cmd" and hit enter)
to verify that your device is connected or not type the command adb devices
your device binary name will appear



open the app in your mobile & now type the command :
adb shell
and hit enter key and then
type the command dumpsys window windows | grep -E 'mcurrentFocus | mFocusedApp' and hit enter key
you will find the app package & app activity.


or you can also use dumpsys window windows | grep -E 'mFocusedApp' command to find the app package and app activity.

Congratulation you have found app package and app activity.



Method 3 :- Using Appinfo.apk file(apkinfo android app) :- Step-1:- Download and install Apk Info app from play store


Step-2:- Open the apk info app


Step-3:-Suppose i want to find app package & app activity of Whatsapp
Then i will scroll it upto Whatsapp and then long press on it


Step-4:-Select the detailed information option
, here you will find app package


Step-5:-Scroll down and find the app activity


Congratulation You have done a good job.

Tags :

How to find app package and app activity

,

Commond to find app package and app activity

,

Methods to app package and app activity

,

Different methods to find app package and app activity

.

Sunday 4 June 2017

Verbs first second and third form



Verbs First Seond and Third Form



S.No. Base Form(1st Form) Past Form(2nd Form) Past Participle Form(3rd Form) s / es/ ies  ‘ing’ form
1 abash abashed abashed abashes abashing
2 abate abated abated abates abating
3 abide abode abode abides abiding
4 absorb absorbed absorbed absorbs absorbing
5 accept accepted accepted accepts accepting
6 accompany accompanied accompanied accompanies accompanying
7 ache ached ached aches aching
8 achieve achieved achieved achieves achieving
9 acquire acquired acquired acquires acquiring
10 act acted acted acts acting
11 add added added adds adding
12 address addressed addressed addresses addressing
13 adjust adjusted adjusted adjusts adjusting
14 admire admired admired admires admiring
15 admit admitted admitted admits admitting
16 advise advised advised advises advising
17 afford afforded afforded affords affording
18 agree agreed agreed agrees agreeing
19 alight alit alit alights alighting
20 allow allowed allowed allows allowing
21 animate animated animated animates animating
22 announce announced announced announces announcing
23 answer answered answered answers answering
24 apologize apologized apologized apologizes apologizing
25 appear appeared appeared appears appearing
26 applaud applauded applauded applauds applauding
27 apply applied applied applies applying
28 approach approached approached approaches approaching
29 approve approved approved approves approving
30 argue argued argued argues arguing
31 arise arose arisen arises arising
32 arrange arranged arranged arranges arranging
33 arrest arrested arrested arrests arresting
34 ask asked asked asks asking
35 assert asserted asserted asserts asserting
36 assort assorted assorted assorts assorting
37 astonish astonished astonished astonishes astonishing
38 attack attacked attacked attacks attacking
39 attend attended attended attends attending
40 attract attracted attracted attracts attracting
41 audit audited audited audits auditing
42 avoid avoided avoided avoids avoiding
43 awake awoke awoken awakes awaking
44 bang banged banged bangs banging
45 banish banished banished banishes banishing
46 bash bashed bashed bashes bashing
47 bat batted batted bats batting
48 be (am,are) was / were been is being
49 bear bore born bears bearing
50 bear bore borne bears bearing
51 beat beat beaten beats beating
52 beautify beautified beautified beautifies beautifying
53 become became become becomes becoming
54 befall befell befallen befalls befalling
55 beg begged begged begs begging
56 begin began begun begins beginning
57 behave behaved behaved behaves behaving
58 behold beheld beheld beholds beholding
59 believe believed believed believes believing
60 belong belonged belonged belongs belonging
61 bend bent bent bends bending
62 bereave bereft bereft bereaves bereaving
63 beseech besought besought beseeches beseeching
64 bet bet bet bets betting
65 betray betrayed betrayed betrays betraying
66 bid bade bidden bids bidding
67 bid bid bid bids bidding
68 bind bound bound binds binding
69 bite bit bitten bites biting
70 bleed bled bled bleeds bleeding
71 bless blessed blessed blesses blessing
72 blossom blossomed blossomed blossoms blossoming
73 blow blew blown blows blowing
74 blur blurred blurred blurs blurring
75 blush blushed blushed blushes blushing
76 board boarded boarded boards boarding
77 boast boasted boasted boasts boasting
78 boil boiled boiled boils boiling
79 bow bowed bowed bows bowing
80 box boxed boxed boxes boxing
81 bray brayed brayed brays braying
82 break broke broken breaks breaking
83 breathe breathed breathed breathes breathing
84 breed bred bred breeds breeding
85 bring brought brought brings bringing
86 broadcast broadcast broadcast broadcasts broadcasting
87 brush brushed brushed brushes brushing
88 build built built builds building
89 burn burnt burnt burns burning
90 burst burst burst bursts bursting
91 bury buried buried buries burying
92 bust bust bust busts busting
93 buy bought bought buys buying
94 buzz buzzed buzzed buzzes buzzing
95 calculate calculated calculated calculates calculating
96 call called called calls calling
97 canvass canvassed canvassed canvasses canvassing
98 capture captured captured captures capturing
99 caress caressed caressed caresses caressing
100 carry carried carried carries carrying
101 carve carved carved carves carving
102 cash cashed cashed cashes cashing
103 cast cast cast casts casting
104 catch caught caught catches catching
105 cause caused caused causes causing
106 cease ceased ceased ceases ceasing
107 celebrate celebrated celebrated celebrates celebrating
108 challenge challenged challenged challenges challenging
109 change changed changed changes changing
110 charge charged charged charges charging
111 chase chased chased chases chasing
112 chat chatted chatted chats chatting
113 check checked checked checks checking
114 cheer cheered cheered cheers cheering
115 chew chewed chewed chews chewing
116 chide chid chid/chidden chides chiding
117 chip chipped chipped chips chipping
118 choke choked choked chokes choking
119 choose chose chosen chooses choosing
120 classify classified classified classifies classifying
121 clean cleaned cleaned cleans cleaning
122 cleave clove/cleft cloven/cleft cleaves cleaving
123 click clicked clicked clicks clicking
124 climb climbed climbed climbs climbing
125 cling clung clung clings clinging
126 close closed closed closes closing
127 clothe clad clad clothes clothing
128 clutch clutched clutched clutches clutching
129 collapse collapsed collapsed collapses collapsing
130 collect collected collected collects collecting
131 colour coloured coloured colours colouring
132 come came come comes coming
133 comment commented commented comments commenting
134 compare compared compared compares comparing
135 compel compelled compelled compels compelling
136 compete competed competed competes competing
137 complain complained complained complains complaining
138 complete completed completed completes completing
139 conclude concluded concluded concludes concluding
140 conduct conducted conducted conducts conducting
141 confess confessed confessed confesses confessing
142 confine confined confined confines confining
143 confiscate confiscated confiscated confiscates confiscating
144 confuse confused confused confuses confusing
145 congratulate congratulated congratulated congratulates congratulating
146 connect connected connected connects connecting
147 connote connoted connoted connotes connoting
148 conquer conquered conquered conquers conquering
149 consecrate consecrated consecrated consecrates consecrating
150 consent consented consented consents consenting
151 conserve conserved conserved conserves conserving
152 consider considered considered considers considering
153 consign consigned consigned consigns consigning
154 consist consisted consisted consists consisting
155 console consoled consoled consoles consoling
156 consort consorted consorted consorts consorting
157 conspire conspired conspired conspires conspiring
158 constitute constituted constituted constitutes constituting
159 constrain constrained constrained constrains constraining
160 construct constructed constructed constructs constructing
161 construe construed construed construes construing
162 consult consulted consulted consults consulting
163 contain contained contained contains containing
164 contemn contemned contemned contemns contemning
165 contend contended contended contends contending
166 contest contested contested contests contesting
167 continue continued continued continues continuing
168 contract contracted contracted contracts contracting
169 contradict contradicted contradicted contradicts contradicting
170 contrast contrasted contrasted contrasts contrasting
171 contribute contributed contributed contributes contributing
172 contrive contrived contrived contrives contriving
173 control controlled controlled controls controlling
174 convene convened convened convenes convening
175 converge converged converged converges converging
176 converse conversed conversed converses conversing
177 convert converted converted converts converting
178 convey conveyed conveyed conveys conveying
179 convict convicted convicted convicts convicting
180 convince convinced convinced convinces convincing
181 coo cooed cooed coos cooing
182 cook cooked cooked cooks cooking
183 cool cooled cooled cools cooling
184 co-operate co-operated co-operated co-operates co-operating
185 cope coped cope copes coping
186 copy copied copied copies copying
187 correct corrected corrected corrects correcting
188 correspond corresponded corresponded corresponds corresponding
189 corrode corroded corroded corrodes corroding
190 corrupt corrupted corrupted corrupts corrupting
191 cost cost cost costs costing
192 cough coughed coughed coughs coughing
193 counsel counselled counselled counsels counselling
194 count counted counted counts counting
195 course coursed coursed courses coursing
196 cover covered covered covers covering
197 cower cowered cowered cowers cowering
198 crack cracked cracked cracks cracking
199 crackle crackled crackled crackles crackling
200 crash crashed crashed crashes crashing
201 crave craved craved craves craving
202 create created created creates creating
203 creep crept crept creeps creeping
204 crib cribbed cribbed cribs cribbing
205 cross crossed crossed crosses crossing
206 crowd crowded crowded crowds crowding
207 crush crushed crushed crushes crushing
208 cry cried cried cries crying
209 curb curbed curbed curbs curbing
210 cure cured cured cures curing
211 curve curved curved curves curving
212 cut cut cut cuts cutting
213 cycle cycled cycled cycles cycling
214 damage damaged damaged damages damaging
215 damp damped damped damps damping
216 dance danced danced dances dancing
217 dare dared dared dares daring
218 dash dashed dashed dashes dashing
219 dazzle dazzled dazzled dazzles dazzling
220 deal dealt dealt deals dealing
221 decay decayed decayed decays decaying
222 decide decided decided decides deciding
223 declare declared declared declares declaring
224 decorate decorated decorated decorates decorating
225 decrease decreased decreased decreases decreasing
226 dedicate dedicated dedicated dedicates dedicating
227 delay delayed delayed delays delaying
228 delete deleted deleted deletes deleting
229 deny denied denied denies denying
230 depend depended depended depends depending
231 deprive deprived deprived deprives depriving
232 derive derived derived derives deriving
233 describe described described describes describing
234 desire desired desired desires desiring
235 destroy destroyed destroyed destroys destroying
236 detach detached detached detaches detaching
237 detect detected detected detects detecting
238 determine determined determined determines determining
239 develop developed developed develops developing
240 die died died dies dying
241 differ differed differed differs differing
242 dig dug dug digs digging
243 digest digested digested digests digesting
244 dim dimmed dimmed dims dimming
245 diminish diminished diminished diminishes diminishing
246 dine dined dined dines dining
247 dip dipped dipped dips dipping
248 direct directed directed directs directing
249 disappear disappeared disappeared disappears disappearing
250 discover discovered discovered discovers discovering
251 discuss discussed discussed discusses discussing
252 disobey disobeyed disobeyed disobeys disobeying
253 display displayed displayed displays displaying
254 dispose disposed disposed disposes disposing
255 distribute distributed distributed distributes distributing
256 disturb disturbed disturbed disturbs disturbing
257 disuse disused disused disuses disusing
258 dive dived  dived dives diving
259 divide divided divided divides dividing
260 do did done does doing
261 donate donated donated donates donating
262 download downloaded downloaded downloads downloading
263 drag dragged dragged drags dragging
264 draw drew drawn draws drawing
265 dream dreamt dreamt dreams dreaming
266 dress dressed dressed dresses dressing
267 drill drilled drilled drills drilling
268 drink drank drunk drinks drinking
269 drive drove driven drives driving
270 drop dropped dropped drops dropping
271 dry dried dried dries drying
272 dump dumped dumped dumps dumping
273 dwell dwelt dwelt dwells dwelling
274 dye dyed dyed dyes dyeing
275 earn earned earned earns earning
276 eat ate eaten eats eating
277 educate educated educated educates educating
278 empower empowered empowered empowers empowering
279 empty emptied emptied empties emptying
280 encircle encircled encircled encircles encircling
281 encourage encouraged encouraged encourages encouraging
282 encroach encroached encroached encroaches encroaching
283 endanger endangered endangered endangers entangling
284 endorse endorsed endorsed endorses endorsing
285 endure endured endured endures enduring
286 engrave engraved engraved engraves engraving
287 enjoy enjoyed enjoyed enjoys enjoying
288 enlarge enlarged enlarged enlarges enlarging
289 enlighten enlightened enlightened enlightens enlightening
290 enter entered entered enters entering
291 envy envied envied envies envying
292 erase erased erased erases erasing
293 escape escaped escaped escapes escaping
294 evaporate evaporated evaporated evaporates evaporating
295 exchange exchanged exchanged exchanges exchanging
296 exclaim exclaimed exclaimed exclaims exclaiming
297 exclude excluded excluded excludes excluding
298 exist existed existed exists existing
299 expand expanded expanded expands expanding
300 expect expected expected expects expecting
301 explain explained explained explains explaining
302 explore explored explored explores exploring
303 express expressed expressed expresses expressing
304 extend extended extended extends extending
305 eye eyed eyed eyes eyeing
306 face faced faced faces facing
307 fail failed failed fails failing
308 faint fainted fainted faints fainting
309 fall fell fallen falls falling
310 fan fanned fanned fans fanning
311 fancy fancied fancied fancies fancying
312 favour favoured favoured favours favouring
313 fax faxed faxed faxes faxing
314 feed fed fed feeds feeding
315 feel felt felt feels feeling
316 ferry ferried ferried ferries ferrying
317 fetch fetched fetched fetches fetching
318 fight fought fought fights fighting
319 fill filled filled fills filling
320 find found found finds finding
321 finish finished finished finishes finishing
322 fish fished fished fishes fishing
323 fit fit/fitted fit/fitted fits fitting
324 fix fixed fixed fixes fixing
325 fizz fizzed fizzed fizzes fizzing
326 flap flapped flapped flaps flapping
327 flash flashed flashed flashes flashing
328 flee fled fled flees fleeing
329 fling flung flung flings flinging
330 float floated floated floats floating
331 flop flopped flopped flops flopping
332 fly flew flown flies flying
333 fold folded folded folds folding
334 follow followed followed follows following
335 forbid forbade forbidden forbids forbidding
336 force forced forced forces forcing
337 forecast forecast forecast forecasts forecasting
338 foretell foretold foretold foretells foretelling
339 forget forgot forgotten forgets forgetting
340 forgive forgave forgiven forgives forgiving
341 forlese forlore forlorn forlese forlesing
342 form formed formed forms forming
343 forsake forsook forsaken forsakes forsaking
344 found founded founded founds founding
345 frame framed framed frames framing
346 free freed freed frees freeing
347 freeze froze frozen freezes freezing
348 frighten frightened frightened frightens frightening
349 fry fried fried fries frying
350 fulfil fulfilled fulfilled fulfils fulfilling
351 gag gagged gagged gags gagging
352 gain gained gained gains gaining
353 gainsay gainsaid gainsaid gainsays gainsaying
354 gash gashed gashed gashes gashing
355 gaze gazed gazed gazes gazing
356 get got got gets getting
357 give gave given gives giving
358 glance glanced glanced glances glancing
359 glitter glittered glittered glitters glittering
360 glow glowed glowed glows glowing
361 go went gone goes going
362 google googled googled googles googling
363 govern governed governed governs governing
364 grab grabbed grabbed grabs grabbing
365 grade graded graded grades grading
366 grant granted granted grants granting
367 greet greeted greeted greets greeting
368 grind ground ground grinds grinding
369 grip gripped gripped grips gripping
370 grow grew grown grows growing
371 guard guarded guarded guards guarding
372 guess guessed guessed guesses guessing
373 guide guided guided guides guiding
374 handle handled handled handles handling
375 hang hung hung hangs hanging
376 happen happened happened happens happening
377 harm harmed harmed harms harming
378 hatch hatched hatched hatches hatching
379 hate hated hated hates hating
380 have had had has having
381 heal healed healed heals healing
382 hear heard heard hears hearing
383 heave hove hove heaves heaving
384 help helped helped helps helping
385 hew hewed hewn hews hewing
386 hide hid hidden hides hiding
387 hinder hindered hindered hinders hindering
388 hiss hissed hissed hisses hissing
389 hit hit hit hits hitting
390 hoax hoaxed hoaxed hoaxes hoaxing
391 hold held held holds holding
392 hop hopped hopped hops hopping
393 hope hoped hoped hopes hoping
394 horrify horrified horrified horrifies horrifying
395 hug hugged hugged hugs hugging
396 hum hummed hummed hums humming
397 humiliate humiliated humiliated humiliates humiliating
398 hunt hunted hunted hunts hunting
399 hurl hurled hurled hurls hurling
400 hurry hurried hurried hurries hurrying
401 hurt hurt hurt hurts hurting
402 hush hushed hushed hushes hushing
403 hustle hustled hustled hustles hustling
404 hypnotize hypnotized hypnotized hypnotizes hypnotizing
405 idealize idealized idealized idealizes idealizing
406 identify identified identified identifies identifying
407 idolize idolized idolized idolizes idolizing
408 ignite ignited ignited ignites igniting
409 ignore ignored ignored ignores ignoring
410 ill-treat ill-treated ill-treated ill-treats ill-treating
411 illuminate illuminated illuminated illuminates illuminating
412 illumine illumined illumined illumines illumining
413 illustrate illustrated illustrated illustrates illustrating
414 imagine imagined imagined imagines imagining
415 imbibe imbibed imbibed imbibes imbibing
416 imitate imitated imitated imitates imitating
417 immerse immersed immersed immerses immersing
418 immolate immolated immolated immolates immolating
419 immure immured immured immures immuring
420 impair impaired impaired impairs impairing
421 impart imparted imparted imparts imparting
422 impeach impeached impeached impeaches impeaching
423 impede impeded impeded impedes impeding
424 impel impelled impelled impels impelling
425 impend impended impended impends impending
426 imperil imperilled imperilled imperils imperilling
427 impinge impinged impinged impinges impinging
428 implant implanted implanted implants implanting
429 implicate implicated implicated implicates implicating
430 implode imploded imploded implodes imploding
431 implore implored implored implores imploring
432 imply implied implied implies implying
433 import imported imported imports importing
434 impose imposed imposed imposes imposing
435 impress impressed impressed impresses impressing
436 imprint imprinted imprinted imprints imprinting
437 imprison imprisoned imprisoned imprisons imprisoning
438 improve improved improved improves improving
439 inaugurate inaugurated inaugurated inaugurates inaugurating
440 incise incised incised incises incising
441 include included included includes including
442 increase increased increased increases increasing
443 inculcate inculcated inculcated inculcates inculcating
444 indent indented indented indents indenting
445 indicate indicated indicated indicates indicating
446 induce induced induced induces inducing
447 indulge indulged indulged indulges indulging
448 infect infected infected infects infecting
449 infest infested infested infests infesting
450 inflame inflamed inflamed inflames inflaming
451 inflate inflated inflated inflates inflating
452 inflect inflected inflected inflects inflecting
453 inform informed informed informs informing
454 infringe infringed infringed infringes infringing
455 infuse infused infused infuses infusing
456 ingest ingested ingested ingests ingesting
457 inhabit inhabited inhabited inhabits inhabiting
458 inhale inhaled inhaled inhales inhaling
459 inherit inherited inherited inherits inheriting
460 initiate initiated initiated initiates initiating
461 inject injected injected injects injecting
462 injure injured injured injures injuring
463 inlay inlaid inlaid inlays inlaying
464 innovate innovated innovated innovates innovating
465 input input input inputs inputting
466 inquire inquired inquired inquires inquiring
467 inscribe inscribed inscribed inscribes inscribing
468 insert inserted inserted inserts inserting
469 inspect inspected inspected inspects inspecting
470 inspire inspired inspired inspires inspiring
471 install installed installed installs installing
472 insult insulted insulted insults insulting
473 insure insured insured insures insuring
474 integrate integrated integrated integrates integrating
475 introduce introduced introduced introduces introducing
476 invent invented invented invents inventing
477 invite invited invited invites inviting
478 join joined joined joins joining
479 jump jumped jumped jumps jumping
480 justify justified justified justifies justifying
481 keep kept kept keeps keeping
482 kick kicked kicked kicks kicking
483 kid kidded kidded kids kidding
484 kill killed killed kills killing
485 kiss kissed kissed kisses kissing
486 kneel knelt knelt kneels kneeling
487 knit knit knit knits knitting
488 knock knocked knocked knocks knocking
489 know knew known knows knowing
490 lade laded laden lades lading
491 land landed landed lands landing
492 last lasted lasted lasts lasting
493 latch latched latched latches latching
494 laugh laughed laughed laughs laughing
495 lay laid laid lays laying
496 lead led led leads leading
497 leak leaked leaked leaks leaking
498 lean leant leant leans leaning
499 leap leapt leapt leaps leaping
500 learn learnt learnt learns learning
501 leave left left leaves leaving
502 leer leered leered leers leering
503 lend lent lent lends lending
504 let let let lets letting
505 lick licked licked licks licking
506 lie lay lain lies lying
507 lie lied lied lies lying
508 lift lifted lifted lifts lifting
509 light lit lit lights lighting
510 like liked liked likes liking
511 limp limped limped limps limping
512 listen listened listened listens listening
513 live lived lived lives living
514 look looked looked looks looking
515 lose lost lost loses losing
516 love loved loved loves loving
517 magnify magnified magnified magnifies magnifying
518 maintain maintained maintained maintains maintaining
519 make made made makes making
520 manage managed managed manages managing
521 march marched marched marches marching
522 mark marked marked marks marking
523 marry married married marries marrying
524 mash mashed mashed mashes mashing
525 match matched matched matches matching
526 matter mattered mattered matters mattering
527 mean meant meant means meaning
528 measure measured measured measures measuring
529 meet met met meets meeting
530 melt melted melted melts melting
531 merge merged merged merges merging
532 mew mewed mewed mews mewing
533 migrate migrated migrated migrates migrating
534 milk milked milked milks milking
535 mind minded minded minds minding
536 mislead misled misled misleads misleading
537 miss missed missed misses missing
538 mistake mistook mistaken mistakes mistaking
539 misuse misused misused misuses misusing
540 mix mixed mixed mixes mixing
541 moan moaned moaned moans moaning
542 modify modified modified modifies modifying
543 moo mooed mooed moos mooing
544 motivate motivated motivated motivates motivating
545 mould moulded moulded moulds moulding
546 moult moulted moulted moults moulting
547 move moved moved moves moving
548 mow mowed mown mows mowing
549 multiply multiplied multiplied multiplies multiplying
550 murmur murmured murmured murmurs murmuring
551 nail nailed nailed nails nailing
552 nap napped napped naps napping
553 need needed needed needs needing
554 neglect neglected neglected neglects neglecting
555 nip nipped nipped nips nipping
556 nod nodded nodded nods nodding
557 note noted noted notes noting
558 notice noticed noticed notices noticing
559 notify notified notified notifies notifying
560 nourish nourished nourished nourishes nourishing
561 nurse nursed nursed nurses nursing
562 obey obeyed obeyed obeys obeying
563 oblige obliged obliged obliges obliging
564 observe observed observed observes observing
565 obstruct obstructed obstructed obstructs obstructing
566 obtain obtained obtained obtains obtaining
567 occupy occupied occupied occupies occupying
568 occur occurred occurred occurs occurring
569 offer offered offered offers offering
570 offset offset offset offsets offsetting
571 omit omitted omitted omits omitting
572 ooze oozed oozed oozes oozing
573 open opened opened opens opening
574 operate operated operated operates operating
575 opine opined opined opines opining
576 oppress oppressed oppressed oppresses oppressing
577 opt opted opted opts opting
578 optimize optimized optimized optimizes optimizing
579 order ordered ordered orders ordering
580 organize organized organized organizes organizing
581 originate originated originated originates originating
582 output output output outputs outputting
583 overflow overflowed overflowed overflows overflowing
584 overtake overtook overtaken overtakes overtaking
585 owe owed owed owes owing
586 own owned owned owns owning
587 pacify pacified pacified pacifies pacifying
588 paint painted painted paints painting
589 pardon pardoned pardoned pardons pardoning
590 part parted parted parts parting
591 partake partook partaken partakes partaking
592 participate participated participated participates participating
593 pass passed passed passes passing
594 paste pasted pasted pastes pasting
595 pat patted patted pats patting
596 patch patched patched patches patching
597 pause paused paused pauses pausing
598 pay paid paid pays paying
599 peep peeped peeped peeps peeping
600 perish perished perished perishes perishing
601 permit permitted permitted permits permitting
602 persuade persuaded persuaded persuades persuading
603 phone phoned phoned phones phoning
604 place placed placed places placing
605 plan planned planned plans planning
606 play played played plays playing
607 plead pled pled pleads pleading
608 please pleased pleased pleases pleasing
609 plod plodded plodded plods plodding
610 plot plotted plotted plots plotting
611 pluck plucked plucked plucks plucking
612 ply plied plied plies plying
613 point pointed pointed points pointing
614 polish polished polished polishes polishing
615 pollute polluted polluted pollutes polluting
616 ponder pondered pondered ponders pondering
617 pour poured poured pours pouring
618 pout pouted pouted pouts pouting
619 practise practised practised practises practising
620 praise praised praised praises praising
621 pray prayed prayed prays praying
622 preach preached preached preaches preaching
623 prefer preferred preferred prefers preferring
624 prepare prepared prepared prepares preparing
625 prescribe prescribed prescribed prescribes prescribing
626 present presented presented presents presenting
627 preserve preserved preserved preserves preserving
628 preset preset preset presets presetting
629 preside presided presided presides presiding
630 press pressed pressed presses pressing
631 pretend pretended pretended pretends pretending
632 prevent prevented prevented prevents preventing
633 print printed printed prints printing
634 proceed proceeded proceeded proceeds proceeding
635 produce produced produced produces producing
636 progress progressed progressed progresses progressing
637 prohibit prohibited prohibited prohibits prohibiting
638 promise promised promised promises promising
639 propose proposed proposed proposes proposing
640 prosecute prosecuted prosecuted prosecutes prosecuting
641 protect protected protected protects protecting
642 prove proved proved proves proving
643 provide provided provided provides providing
644 pull pulled pulled pulls pulling
645 punish punished punished punishes punishing
646 purify purified purified purifies purifying
647 push pushed pushed pushes pushing
648 put put put puts putting
649 qualify qualified qualified qualifies qualifying
650 quarrel quarrelled quarrelled quarrels quarrelling
651 question questioned questioned questions questioning
652 quit quit quit quits quitting
653 race raced raced races racing
654 rain rained rained rains raining
655 rattle rattled rattled rattles rattling
656 reach reached reached reaches reaching
657 read read read reads reading
658 realize realized realized realizes realizing
659 rebuild rebuilt rebuilt rebuilds rebuilding
660 recall recalled recalled recalls recalling
661 recast recast recast recasts recasting
662 receive received received receives receiving
663 recite recited recited recites reciting
664 recognize recognized recognized recognizes recognizing
665 recollect recollected recollected recollects recollecting
666 recur recurred recurred recurs recurring
667 redo redid redone redoes redoing
668 reduce reduced reduced reduces reducing
669 refer referred referred refers referring
670 reflect reflected reflected reflects reflecting
671 refuse refused refused refuses refusing
672 regard regarded regarded regards regarding
673 regret regretted regretted regrets regretting
674 relate related related relates relating
675 relax relaxed relaxed relaxes relaxing
676 rely relied relied relies relying
677 remain remained remained remains remaining
678 remake remade remade remakes remaking
679 remove removed removed removes removing
680 rend rent rent rends rending
681 renew renewed renewed renews renewing
682 renounce renounced renounced renounces renouncing
683 repair repaired repaired repairs repairing
684 repeat repeated repeated repeats repeating
685 replace replaced replaced replaces replacing
686 reply replied replied replies replying
687 report reported reported reports reporting
688 request requested requested requests requesting
689 resell resold resold resells reselling
690 resemble resembled resembled resembles resembling
691 reset reset reset resets resetting
692 resist resisted resisted resists resisting
693 resolve resolved resolved resolves resolving
694 respect respected respected respects respecting
695 rest rested rested rests resting
696 restrain restrained restrained restrains restraining
697 retain retained retained retains retaining
698 retch retched retched retches retching
699 retire retired retired retires retiring
700 return returned returned returns returning
701 reuse reused reused reuses reusing
702 review reviewed reviewed reviews reviewing
703 rewind rewound rewound rewinds rewinding
704 rid rid rid rids ridding
705 ride rode ridden rides riding
706 ring rang rung rings ringing
707 rise rose risen rises rising
708 roar roared roared roars roaring
709 rob robbed robbed robs robbing
710 roll rolled rolled rolls rolling
711 rot rotted rotted rots rotting
712 rub rubbed rubbed rubs rubbing
713 rule ruled ruled rules ruling
714 run ran run runs running
715 rush rushed rushed rushes rushing
716 sabotage sabotaged sabotaged sabotages sabotaging
717 sack sacked sacked sacks sacking
718 sacrifice sacrificed sacrificed sacrifices sacrificing
719 sadden saddened saddened saddens saddening
720 saddle saddled saddled saddles saddling
721 sag sagged sagged sags sagging
722 sail sailed sailed sails sailing
723 sally sallied sallied sallies sallying
724 salute saluted saluted salutes saluting
725 salvage salvaged salvaged salvages salvaging
726 salve salved salved salves salving
727 sample sampled sampled samples sampling
728 sanctify sanctified sanctified sanctifies sanctifying
729 sanction sanctioned sanctioned sanctions sanctioning
730 sap sapped sapped saps sapping
731 saponify saponified saponified saponifies saponifying
732 sash sashed sashed sashes sashing
733 sashay sashayed sashayed sashays sashaying
734 sass sassed sassed sasses sassing
735 sate sated sated sates sating
736 satiate satiated satiated satiates satiating
737 satirise satirised satirised satirises satirising
738 satisfy satisfied satisfied satisfies satisfying
739 saturate saturated saturated saturates saturating
740 saunter sauntered sauntered saunters sauntering
741 save saved saved saves saving
742 savor savored savored savors savoring
743 savvy savvied savvied savvies savvying
744 saw sawed sawn saws sawing
745 say said said says saying
746 scab scabbed scabbed scabs scabbing
747 scabble scabbled scabbled scabbles scabbling
748 scald scalded scalded scalds scalding
749 scale scaled scaled scales scaling
750 scam scammed scammed scams scamming
751 scan scanned scanned scans scanning
752 scant scanted scanted scants scanting
753 scar scarred scarred scars scarring
754 scare scared scared scares scaring
755 scarify scarified scarified scarifies scarifying
756 scarp scarped scarped scarps scarping
757 scat scatted scatted scats scatting
758 scatter scattered scattered scatters scattering
759 scold scolded scolded scolds scolding
760 scorch scorched scorched scorches scorching
761 scowl scowled scowled scowls scowling
762 scrawl scrawled scrawled scrawls scrawling
763 scream screamed screamed screams screaming
764 screw screwed screwed screws screwing
765 scrub scrubbed scrubbed scrubs scrubbing
766 search searched searched searches searching
767 seat seated seated seats seating
768 secure secured secured secures securing
769 see saw seen sees seeing
770 seek sought sought seeks seeking
771 seem seemed seemed seems seeming
772 seize seized seized seizes seizing
773 select selected selected selects selecting
774 sell sold sold sells selling
775 send sent sent sends sending
776 sentence sentenced sentenced sentences sentencing
777 separate separated separated separates separating
778 set set set sets setting
779 sever severed severed severs severing
780 sew sewed sewn sews sewing
781 shake shook shaken shakes shaking
782 shape shaped shaped shapes shaping
783 share shared shared shares sharing
784 shatter shattered shattered shatters shattering
785 shave shove shaven shaves shaving
786 shear shore shorn shears shearing
787 shed shed shed sheds shedding
788 shine shone shone shines shining
789 shirk shirked shirked shirks shirking
790 shit shit shit shits shitting
791 shiver shivered shivered shivers shivering
792 shock shocked shocked shocks shocking
793 shoe shod shod shoes shoeing
794 shoot shot shot shoots shooting
795 shorten shortened shortened shortens shortening
796 shout shouted shouted shouts shouting
797 show showed shown shows showing
798 shrink shrank shrunk shrinks shrinking
799 shun shunned shunned shuns shunning
800 shut shut shut shuts shutting
801 sight sighted sighted sights sighting
802 signal signalled signalled signals signalling
803 signify signified signified signifies signifying
804 sing sang sung sings singing
805 sink sank sunk sinks sinking
806 sip sipped sipped sips sipping
807 sit sat sat sits sitting
808 ski skied skied skis skiing
809 skid skidded skidded skids skidding
810 slam slammed slammed slams slamming
811 slay slew slain slays slaying
812 sleep slept slept sleeps sleeping
813 slide slid slid/slide slides sliding
814 slim slimmed slimmed slims slimming
815 sling slung slung slings slinging
816 slink slunk slunk slinks slinking
817 slip slipped slipped slips slipping
818 slit slit slit slits slitting
819 smash smashed smashed smashes smashing
820 smell smelt smelt smells smelling
821 smile smiled smiled smiles smiling
822 smite smote smitten smites smiting
823 smooth smoothed smoothed smoothes smoothing
824 smother smothered smothered smothers smothering
825 snap snapped snapped snaps snapping
826 snatch snatched snatched snatches snatching
827 sneak snuck snuck sneaks sneaking
828 sneeze sneezed sneezed sneezes sneezing
829 sniff sniffed sniffed sniffs sniffing
830 soar soared soared soars soaring
831 sob sobbed sobbed sobs sobbing
832 solicit solicited solicited solicits soliciting
833 solve solved solved solves solving
834 soothe soothed soothed soothes soothing
835 sort sorted sorted sorts sorting
836 sow sowed sowed sows sowing
837 sparkle sparkled sparkled sparkles sparkling
838 speak spoke spoken speaks speaking
839 speed sped sped speeds speeding
840 spell spelt spelt spells spelling
841 spend spent spent spends spending
842 spill spilt spilt spills spilling
843 spin span/spun spun spins spinning
844 spit spat/spit spat/spit spits spitting
845 split split split splits splitting
846 spoil spoilt spoilt spoils spoiling
847 spray sprayed sprayed sprays spraying
848 spread spread spread spreads spreading
849 spring sprang sprung springs springing
850 sprout sprouted sprouted sprouts sprouting
851 squeeze squeezed squeezed squeezes squeezing
852 stand stood stood stands standing
853 stare stared stared stares staring
854 start started started starts starting
855 state stated stated states stating
856          
857 stay stayed stayed stays staying
858 steal stole stolen steals stealing
859 steep steeped steeped steeps steeping
860 stem stemmed stemmed stems stemming
861 step stepped stepped steps stepping
862 sterilize sterilized sterilized sterilizes sterilizing
863 stick stuck stuck sticks sticking
864 stimulate stimulated stimulated stimulates stimulating
865 sting stung stung stings stinging
866 stink stank stunk stinks stinking
867 stir stirred stirred stirs stirring
868 stitch stitched stitched stitches stitching
869 stoop stooped stooped stoops stooping
870 stop stopped stopped stops stopping
871 store stored stored stores storing
872 strain strained strained strains straining
873 stray strayed strayed strays straying
874 stress stressed stressed stresses stressing
875 stretch stretched stretched stretches stretching
876 strew strewed strewn strews strewing
877 stride strode stridden strides striding
878 strike struck struck/stricken strikes striking
879 string strung strung strings stringing
880 strive strove striven strives striving
881 study studied studied studies studying
882 submit submitted submitted submits submitting
883 subscribe subscribed subscribed subscribes subscribing
884 subtract subtracted subtracted subtracts subtracting
885 succeed succeeded succeeded succeeds succeeding
886 suck sucked sucked sucks sucking
887 suffer suffered suffered suffers suffering
888 suggest suggested suggested suggests suggesting
889 summon summoned summoned summons summoning
890 supply supplied supplied supplies supplying
891 support supported supported supports supporting
892 suppose supposed supposed supposes supposing
893 surge surged surged surges surging
894 surmise surmised surmised surmises surmising
895 surpass surpassed surpassed surpasses surpassing
896 surround surrounded surrounded surrounds surrounding
897 survey surveyed surveyed surveys surveying
898 survive survived survived survives surviving
899 swallow swallowed swallowed swallows swallowing
900 sway swayed swayed sways swaying
901 swear swore sworn swears swearing
902 sweat sweat sweat sweats sweating
903 sweep swept swept sweeps sweeping
904 swell swelled swollen swells swelling
905 swim swam swum swims swimming
906 swing swung swung swings swinging
907 swot swotted swotted swots swotting
908 take took taken takes taking
909 talk talked talked talks talking
910 tap tapped tapped taps tapping
911 taste tasted tasted tastes tasting
912 tax taxed taxed taxes taxing
913 teach taught taught teaches teaching
914 tear tore torn tears tearing
915 tee teed teed tees teeing
916 tell told told tells telling
917 tempt tempted tempted tempts tempting
918 tend tended tended tends tending
919 terminate terminated terminated terminates terminating
920 terrify terrified terrified terrifies terrifying
921 test tested tested tests testing
922 thank thanked thanked thanks thanking
923 think thought thought thinks thinking
924 thrive throve thriven thrives thriving
925 throw threw thrown throws throwing
926 thrust thrust thrust thrusts thrusting
927 thump thumped thumped thumps thumping
928 tie tied tied ties tying
929 tire tired tired tires tiring
930 toss tossed tossed tosses tossing
931 touch touched touched touches touching
932 train trained trained trains training
933 trample trampled trampled tramples trampling
934 transfer transferred transferred transfers transferring
935 transform transformed transformed transforms transforming
936 translate translated translated translates translating
937 trap trapped trapped traps trapping
938 travel travelled travelled travels travelling
939 tread trod trodden treads treading
940 treasure treasured treasured treasures treasuring
941 treat treated treated treats treating
942 tree treed treed trees treeing
943 tremble trembled trembled trembles trembling
944 triumph triumphed triumphed triumphs triumphing
945 trust trusted trusted trusts trusting
946 try tried tried tries trying
947 turn turned turned turns turning
948 type typed typed types typing
949 typeset typeset typeset typesets typesetting
950 understand understood understood understands understanding
951 undo undid undone undoes undoing
952 uproot uprooted uprooted uproots uprooting
953 upset upset upset upsets upsetting
954 urge urged urged urges urging
955 use used used uses using
956 utter uttered uttered utters uttering
957 value valued valued values valuing
958 vanish vanished vanished vanishes vanishing
959 vary varied varied varies varying
960 verify verified verified verifies verifying
961 vex vexed vexed vexes vexing
962 vie vied vied vies vying
963 view viewed viewed views viewing
964 violate violated violated violates violating
965 vomit vomited vomited vomits vomiting
966 wake woke woken wakes waking
967 walk walked walked walks walking
968 wander wandered wandered wanders wandering
969 want wanted wanted wants wanting
970 warn warned warned warns warning
971 waste wasted wasted wastes wasting
972 watch watched watched watches watching
973 water watered watered waters watering
974 wave waved waved waves waving
975 wax waxed waxed waxes waxing
976 waylay waylaid waylaid waylays waylaying
977 wear wore worn wears wearing
978 weave wove woven weaves weaving
979 wed wed wed weds wedding
980 weep wept wept weeps weeping
981 weigh weighed weighed weighs weighing
982 welcome welcomed welcomed welcomes welcoming
983 wend went went wends wending
984 wet wet wet wets wetting
985 whip whipped whipped whips whipping
986 whisper whispered whispered whispers whispering
987 win won won wins winning
988 wind wound wound winds winding
989 wish wished wished wishes wishing
990 withdraw withdrew withdrawn withdraws withdrawing
991 work worked worked works working
992 worry worried worried worries worrying
993 worship worshipped worshipped worships worshipping
994 wring wrung wrung wrings wringing
995 write wrote written writes writing
996 yawn yawned yawned yawns yawning
997 yell yelled yelled yells yelling
998 yield yielded yielded yields yielding
999 zinc zincked zincked zincs zincking
1000 zoom zoomed zoomed zooms zooming


Tags :

Verbs First, Second and third forms

All verbs first second and third form

Verbs Present and past form

second forms of verbs

Third form of verbs

ing form of verbs