Back to all blogposts

Reap benefits of automated testing with these 5 good practices for day-to-day maintenance

Dominika Ziółkowska

Dominika Ziółkowska

Senior QA Specialist

The testing software process is a minefield. I run tests on a daily basis for various projects and I see the undeniable benefits of automated testing. I realize that choosing an appropriate approach to automated testing can be challenging and sometimes our decisions turn out to be wrong. Then software testers are left with necessary but extensive refactoring or constant and burdensome changes. What rules should Quality Assurance follow to make automated software testing easy to implement and maintain? In this article, I’ll share my personal good practices that facilitate code maintenance and accelerate any needed refactor or debugging.

1. Independent automated test cycles

In one of the projects I had the opportunity to implement automation test scripts, the client provided a repository with automated testing that had already been written by another company. Obviously, I can’t show you how the original test cases looked like but the test structure looked something like this: 

describe('As a user I want to use note functionality', () => {
it('Create note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.get('button').contains('Add note').click();
cy.get('input[type="text"]').type('Test note title ABC');
cy.get('input[type="textarea"]').type('Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
});
it('Edit note', () => {
cy.get('table').find('tbody tr').contains('Test note title ABC').click(); // note which is editing was taken from test case 'Create note'
cy.get('input[type="text"]').type('EDIT Test note title ABC');
cy.get('input[type="textarea"]').type('EDIT Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
cy.get('table').find('tbody').should('contain.text', 'EDIT Test note title ABC');
});
it('Delete note', () => {
cy.get('table').find('tbody tr').contains('EDIT Test note title ABC').click(); // note which is removing was taken from test case 'Edit note'
cy.get('button').contains('Delete note').click();
cy.get('button').contains('Confirm').click();
cy.get('table').find('tbody').should('not.contain.text', 'EDIT Test note title ABC');
});
});

Everything works flawlessly until the first test stops working. Then you have a classic snowball effect. The “edit note” test will consequently fail too because the note’s name taken from the first test won’t be found. Same for the “delete note” test results – the edited note name won’t be found either. 

Additionally, such combined automated testing will be problematic when the refactoring is only needed for the last test, i.e. “delete note”. In order to check the “delete note” test after introducing any changes to it, you need to run all three tests: “create note”, “edit note”, and “delete note”.

If your automated testing is extensive and launch takes a while, it will naturally extend the time required for maintenance. You need to wait until the “create note” and “edit note” tests (for which the data is collected) are performed. Only then you can check if changes made in the automated “delete note” tests are correct. 

Finally, you’ll definitely get some errors if you try to refactor, e.g. the last test. 

Same project, different test case. When you worked the app too long, it would just crash and prevent further actions. Basically, the same test cases as the previous example – refactoring or debugging of the “delete note” automated test was impossible.

You’ll be better off generating data for each test case execution separately. That will give you a full picture of how the application works. 

So the previous test code after modification may look like this:

describe('As a user I want to use note functionality', () => {
it('Create note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.get('button').contains('Add note').click();
cy.get('input[type="text"]').type('Test note title ABC');
cy.get('input[type="textarea"]').type('Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
});
it('Edit note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.get('button').contains('Add note').click();
cy.get('input[type="text"]').type('Test note title ABC');
cy.get('input[type="textarea"]').type('Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
cy.get('table').find('tbody tr').contains('Test note title ABC').click(); // note which is editing was taken from previous test steps
cy.get('input[type="text"]').type('EDIT Test note title ABC');
cy.get('input[type="textarea"]').type('EDIT Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
cy.get('table').find('tbody').should('contain.text', 'EDIT Test note title ABC');
});
it('Delete note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.get('button').contains('Add note').click();
cy.get('input[type="text"]').type('Test note title ABC');
cy.get('input[type="textarea"]').type('Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
cy.get('table').find('tbody tr').contains('Test note title ABC').click(); // note which is editing was taken from previous test steps
cy.get('button').contains('Delete note').click();
cy.get('button').contains('Confirm').click();
cy.get('table').find('tbody').should('not.contain.text', 'EDIT Test note title ABC');
});
});

In this chapter we’ve applied the automation testing rule number one – execute tests independently from other automated tests that:

  • reduce time spent on implementing new and refactoring old automated tests,
  • eliminate cases of failing automated tests because of other failing automated tests,
  • give an opportunity to run automated tests in parallel because automated tests have their own, separate test data.
sometimes test automation tool is not enough, you need smarter software testing techniques
source: monkeyuser.com

But introducing only this one rule won’t make your solution entirely perfect because:

  • if adding a note manually doesn’t work, the remaining test will fail anyway. 
  • if the page elements are not loaded correctly and thus are not found, the “edit note”/”delete note” automated tests will not pass, 
  • generating test data by UI testing (user interface) steps will take a long time, and cause an unnecessary extension of the test runtime. 

It seems we need to polish the test code form a little. Another rule will help us in this: Using the API as a test data generator

2. Using the API as a test data generator

automated testing tools automated cross browser testing for full test coverage and test execution

How does your web application API come in handy in test automation? All you have to do is send a request to the API to generate a note with the necessary parameters that you can use when editing or deleting.

describe('As a user I want to use note functionality', () => {
it('Create note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.get('button').contains('Add note').click();
cy.get('input[type="text"]').type('Test note title ABC');
cy.get('input[type="textarea"]').type('Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
});
it('Edit note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.request({
method: 'POST',
url: 'https://notepage.com/oauth/v2/token',
body: {
grant_type: 'password',
username: 'john.smith@mail.com',
password: 'Password123!',
},
}).then(() => {
cy.request({
method: 'POST',
url: 'https://notepage.com/createnote',
body: {
note_title: 'Test note title ABC',
note_description: 'Test note description ABC test note description ABC',
},
});
});
cy.reload();
cy.get('table').find('tbody tr').contains('Test note title ABC').click(); // note which is editing was taken from previous test steps
cy.get('input[type="text"]').type('EDIT Test note title ABC');
cy.get('input[type="textarea"]').type('EDIT Test note description ABC test note description ABC');
cy.get('button').contains('Save').click();
cy.get('table').find('tbody').should('contain.text', 'EDIT Test note title ABC');
});
it('Delete note', () => {
cy.visit('https://notepage.com');
cy.get('input[type="email"]').type('john.smith@mail.com');
cy.get('input[type="password"]').type('Password123!');
cy.get('button[name="login"]').click();
cy.request({
method: 'POST',
url: 'https://notepage.com/oauth/v2/token',
body: {
grant_type: 'password',
username: 'john.smith@mail.com',
password: 'Password123!',
},
}).then(() => {
cy.request({
method: 'POST',
url: 'https://notepage.com/createnote',
body: {
note_title: 'Test note title ABC',
note_description: 'Test note description ABC test note description ABC',
},
});
});
cy.reload();
cy.get('table').find('tbody tr').contains('Test note title ABC').click(); // note which is editing was taken from previous test steps
cy.get('button').contains('Delete note').click();
cy.get('button').contains('Confirm').click();
cy.get('table').find('tbody').should('not.contain.text', 'EDIT Test note title ABC');
});
});

The API solution has a few advantages:

  • test execution time is significantly shorter,
  • random testing errors (e.g. loading elements on frontend) are eliminated,
  • if creating a note via API ends with a negative result, it gives you instant feedback with clear information that the error hides in the backend layer,
  • if the creating the note error is on the frontend, you can test in editing and delete note features in automated tests any way 

3. Test automation & design patterns

Okay, you’ve implemented two rules already. Your automated test cases are no longer dependent on each other. Moreover, automation tests use API that significantly stabilizes and speeds up their implementation. But it would be amazing to reduce the amount of code repetition.

I’ll show you how to do it using test automation example for a specific situation: 

  1. Each test has separate steps for logging in the user. 
  2. The developer makes changes to the login page, including in the selectors’ names. 

test automation automates testing tools that execute tests

Result: changes must be made to every single automated test, and applied to all with user login scenarios. The update won’t take long with 5-10 tests, but what if you have 50, 100, or 555? Not so fast anymore, eh? And the code gets duplicated anyway, which makes the test even less readable. 

Design patterns are going to be lifesavers here. I’m talking about Page Object Pattern or App Actions recommended by the creators of Cypress. They will help to deal with refactor problems and facilitate the implementation of automated testing.

Applying a design pattern in our automated testing

Firstly, create the base class, and throw inside:

  • element selectors used on multiple pages of the web application,
  • steps performed on multiple pages of the web application and grouped into methods.

export class BasePage {
commonElements = {
appLogo: '.appLogo',
};
constructor() {}
navigateTo(url: string) {
cy.visit(url);
cy.get(this.commonElements.appLogo).should('be.visible');
}
}
export const basePage = new BasePage();
view raw basePage.ts hosted with ❤ by GitHub

Create the “LoginPage” class that stores:

  • selectors for items that appear only on the login page,
  • the “loginUser” method containing the user login steps.

import { BasePage } from '../basePage';
export class LoginPage extends BasePage {
elements = {
emailInput: 'input[type="email"]',
passwordInput: 'input[type="password"]',
loginButton: 'button[name="login"]',
};
constructor() {
super();
}
loginUser(userData: { email: string; password: string }) {
cy.get(this.elements.emailInput).type(userData.email);
cy.get(this.elements.passwordInput).type(userData.password);
cy.get(this.elements.loginButton).click();
}
}
export const loginPage = new LoginPage();
view raw loginPage.ts hosted with ❤ by GitHub

Create “NotesPage” class that stores:

  • element selectors that you can find on the notes page,
  • “CreateNote” method with steps for adding a note,
  • the “CreateNoteAPI” method containing a query for user login and creating a note using the API,
  • a “DeleteNote” method that contains steps for deleting a note.

import { BasePage } from '../basePage';
export class NotesPage extends BasePage {
elements = {
noteTitleInput: 'input[type="text"]',
noteDescriptionInput: 'input[type="textarea"]',
loginButton: 'button[name="login"]',
};
constructor() {
super();
}
createNote(noteDetails: { title: string; description: string }) {
cy.get('button').contains('Add note').click();
cy.get(this.elements.noteTitleInput).type(noteDetails.title);
cy.get(this.elements.noteDescriptionInput).type(noteDetails.description);
cy.get('button').contains('Save').click();
}
createNoteAPI(noteDetails: { title: string; description: string; username: string; password: string }) {
cy.request({
method: 'POST',
url: 'https://notepage.com/oauth/v2/token',
body: {
grant_type: 'password',
username: noteDetails.username,
password: noteDetails.password,
},
}).then(() => {
cy.request({
method: 'POST',
url: 'https://notepage.com/createnote',
body: {
note_title: noteDetails.title,
note_description: noteDetails.description,
},
});
});
cy.reload();
}
deleteNote() {
cy.get('button').contains('Delete note').click();
cy.get('button').contains('Confirm').click();
}
}
export const notesPage = new NotesPage();
view raw notesPage.ts hosted with ❤ by GitHub

Finally, add “before” and “beforeEach” sections, to eliminate the repetitive code that occurs in each test:

import { loginPage } from '../page/client/loginPage';
import { notesPage } from '../page/client/notesPage';
describe('As a user I want to use note functionality', () => {
before(() => {
cy.visit('https://notepage.com');
});
beforeEach(() => {
const loginUserData = {
email: 'john.smith@mail.com',
password: 'Password123!',
};
loginPage.loginUser(loginUserData);
});
it('Create note', () => {
const noteDetails = {
title: 'Test note title ABC',
description: 'Test note description ABC test note description ABC',
};
notesPage.createNote(noteDetails);
});
it('Edit note', () => {
const noteDetailsAPI = {
title: 'Test note title ABC API',
description: 'Test note description ABC test note description ABC',
username: 'john.smith@mail.com',
password: 'Password123!',
};
const editNoteDetails = {
title: 'EDIT Test note title ABC',
description: ' EDIT Test note description ABC test note description ABC',
};
notesPage.createNoteAPI(noteDetailsAPI);
cy.get('table').find('tbody tr').contains(noteDetailsAPI.title).click();
notesPage.createNote(editNoteDetails);
cy.get('table').find('tbody').should('contain.text', editNoteDetails.title);
});
it('Delete note', () => {
const noteDetailsAPI = {
title: 'DELETE Test note title ABC API',
description: 'DELETE Test note description ABC test note description ABC',
username: 'john.smith@mail.com',
password: 'Password123!',
};
notesPage.createNoteAPI(noteDetailsAPI);
cy.get('table').find('tbody tr').contains(noteDetailsAPI.title).click();
notesPage.deleteNote();
cy.get('table').find('tbody').should('not.contain.text', noteDetailsAPI.title);
});
});

By dividing the test code this way, you significantly shorten the main test file and improve its readability for the whole testing team. 

Benefits of automated tests with design patterns

Let’s go back to our situation – the developer has changed the names of the selectors and the tests need to be updated.

Result:

  • update in the “LoginPage” class and replace out-of-date selectors with new ones,
  • all automated tests use the new selectors when they are run,
  • the update is not time-consuming and takes literally a moment even with 50 or 100 tests,
  • methods and variables with selectors are separated into separate files, so you can reuse them without duplicating code,
  • you can easily find the definition of a method or variable.

Design patterns help in organizing the code, navigating the repository, and shortening the refactor time. However, they will not eliminate necessary changes, such as updating selectors after development changes. The next part of the article will show you how to deal with that. 

4. Locating elements by unique attributes

Not every project uses id for individual elements on the page. This can make implementation difficult, especially when you use test attributes that may actually change, e.g. class CSS when changing the design or generic element id. The automated testing is not very stable that way and you can’t predict what/when changes will occur.

You can advantage by adding dedicated attributes to a given element.

Let’s analyze this point with the example of our note-taking app. The notes page has a table with all the notes you’ve created:

<table class="table table-responsive table-striped hover table-condensed">

To refer to this table in tests, you need to retrieve its characteristic attribute, class or HTML tag:

cy.get('table');
//or
cy.get('.table');

But what if there are more data tables on the page and they don’t have different attributes that you can refer to? You can add your own test attributes! If you have access to the frontend code of the application, you can add it yourselves in the appropriate place and file. If you don’t, you can always ask the frontend developer to add them in the right place.

<table class="table table-responsive table-striped hover table-condensed" data-testid="notes-table">

cy.get('table[data-testid="notes-table"]');

Remember that the new attributes should be legible and give a clear message about what they refer to. You can inform developers that these are attributes needed for testing and should not be updated or removed during the code refactoring.

5. Regularly execute testing applications

None of the above rules will be 100% effective if you run the tests once in whatever. No matter how good and stable the tests are, they will cause problems if not used and not updated on a regular basis. Otherwise prepare for repetitive tasks and incredibly time-consuming, lengthy tests.

real devices test automation increases test automation benefits
source: monkeyuser.com

It’s worth running tests regularly:

  • once a day with a bit of help from “scheduled pipelines”. With some clever automation testing tools or version control systems, you can create a configuration that will run the entire test case suite once a day (or night). 
  • with each merge request, an additional testing job is launched, and until the tests pass the developer cannot close their merge request.

Unfortunately, both solutions have some disadvantages:

  • tests run once a day give you information that a possible issue was caused by one of the changes introduced in the last 24 hours, and sometimes that’s not specific enough,
  • in the case of running tests at each merge request, the number of changes is significantly narrowed. On the other hand, waiting for all jobs in the entire pipeline to be completed is longer. Additionally, every developer would have to be involved in updating the tests, which is not always happily received.

No matter which option you choose, generate detailed test reports showing which automated tests have not passed. Just to be safe, run some manual testing to determine whether you need to improve the test or there is an actual error in the application.

What benefits of automated testing come from the aforementioned five good practices?

Maintaining tests can be simple and fast, not just a painful chore. Each of the five described rules has a positive impact on test automation, significantly speeding up the implementation and maintenance process

Benefits are visible also from the business perspective. By saving time you’re saving money. Paradoxically, if you let test engineers sort out automated test coverage, your company and application owners will reduce costs related to not only the automation itself but the entire testing process

Something is better than nothing.

I believe that even one of the good practices introduced to your software project will reap some automation testing benefits for the testing team. Like reducing the time spent on implementing test automation (that can be used better on more pressing issues) or running them as part of regression tests. I hope that the good practices of the test automation I presented will make it easier for you to maintain your code.

If you want to read more about software testing and test automation tools in agile development, I highly recommend those tutorials written by my colleagues:

What would you like to do?

    • United States+1
    • United Kingdom+44
    • Afghanistan (‫افغانستان‬‎)+93
    • Albania (Shqipëri)+355
    • Algeria (‫الجزائر‬‎)+213
    • American Samoa+1684
    • Andorra+376
    • Angola+244
    • Anguilla+1264
    • Antigua and Barbuda+1268
    • Argentina+54
    • Armenia (Հայաստան)+374
    • Aruba+297
    • Australia+61
    • Austria (Österreich)+43
    • Azerbaijan (Azərbaycan)+994
    • Bahamas+1242
    • Bahrain (‫البحرين‬‎)+973
    • Bangladesh (বাংলাদেশ)+880
    • Barbados+1246
    • Belarus (Беларусь)+375
    • Belgium (België)+32
    • Belize+501
    • Benin (Bénin)+229
    • Bermuda+1441
    • Bhutan (འབྲུག)+975
    • Bolivia+591
    • Bosnia and Herzegovina (Босна и Херцеговина)+387
    • Botswana+267
    • Brazil (Brasil)+55
    • British Indian Ocean Territory+246
    • British Virgin Islands+1284
    • Brunei+673
    • Bulgaria (България)+359
    • Burkina Faso+226
    • Burundi (Uburundi)+257
    • Cambodia (កម្ពុជា)+855
    • Cameroon (Cameroun)+237
    • Canada+1
    • Cape Verde (Kabu Verdi)+238
    • Caribbean Netherlands+599
    • Cayman Islands+1345
    • Central African Republic (République centrafricaine)+236
    • Chad (Tchad)+235
    • Chile+56
    • China (中国)+86
    • Christmas Island+61
    • Cocos (Keeling) Islands+61
    • Colombia+57
    • Comoros (‫جزر القمر‬‎)+269
    • Congo (DRC) (Jamhuri ya Kidemokrasia ya Kongo)+243
    • Congo (Republic) (Congo-Brazzaville)+242
    • Cook Islands+682
    • Costa Rica+506
    • Côte d’Ivoire+225
    • Croatia (Hrvatska)+385
    • Cuba+53
    • Curaçao+599
    • Cyprus (Κύπρος)+357
    • Czech Republic (Česká republika)+420
    • Denmark (Danmark)+45
    • Djibouti+253
    • Dominica+1767
    • Dominican Republic (República Dominicana)+1
    • Ecuador+593
    • Egypt (‫مصر‬‎)+20
    • El Salvador+503
    • Equatorial Guinea (Guinea Ecuatorial)+240
    • Eritrea+291
    • Estonia (Eesti)+372
    • Ethiopia+251
    • Falkland Islands (Islas Malvinas)+500
    • Faroe Islands (Føroyar)+298
    • Fiji+679
    • Finland (Suomi)+358
    • France+33
    • French Guiana (Guyane française)+594
    • French Polynesia (Polynésie française)+689
    • Gabon+241
    • Gambia+220
    • Georgia (საქართველო)+995
    • Germany (Deutschland)+49
    • Ghana (Gaana)+233
    • Gibraltar+350
    • Greece (Ελλάδα)+30
    • Greenland (Kalaallit Nunaat)+299
    • Grenada+1473
    • Guadeloupe+590
    • Guam+1671
    • Guatemala+502
    • Guernsey+44
    • Guinea (Guinée)+224
    • Guinea-Bissau (Guiné Bissau)+245
    • Guyana+592
    • Haiti+509
    • Honduras+504
    • Hong Kong (香港)+852
    • Hungary (Magyarország)+36
    • Iceland (Ísland)+354
    • India (भारत)+91
    • Indonesia+62
    • Iran (‫ایران‬‎)+98
    • Iraq (‫العراق‬‎)+964
    • Ireland+353
    • Isle of Man+44
    • Israel (‫ישראל‬‎)+972
    • Italy (Italia)+39
    • Jamaica+1876
    • Japan (日本)+81
    • Jersey+44
    • Jordan (‫الأردن‬‎)+962
    • Kazakhstan (Казахстан)+7
    • Kenya+254
    • Kiribati+686
    • Kosovo+383
    • Kuwait (‫الكويت‬‎)+965
    • Kyrgyzstan (Кыргызстан)+996
    • Laos (ລາວ)+856
    • Latvia (Latvija)+371
    • Lebanon (‫لبنان‬‎)+961
    • Lesotho+266
    • Liberia+231
    • Libya (‫ليبيا‬‎)+218
    • Liechtenstein+423
    • Lithuania (Lietuva)+370
    • Luxembourg+352
    • Macau (澳門)+853
    • Macedonia (FYROM) (Македонија)+389
    • Madagascar (Madagasikara)+261
    • Malawi+265
    • Malaysia+60
    • Maldives+960
    • Mali+223
    • Malta+356
    • Marshall Islands+692
    • Martinique+596
    • Mauritania (‫موريتانيا‬‎)+222
    • Mauritius (Moris)+230
    • Mayotte+262
    • Mexico (México)+52
    • Micronesia+691
    • Moldova (Republica Moldova)+373
    • Monaco+377
    • Mongolia (Монгол)+976
    • Montenegro (Crna Gora)+382
    • Montserrat+1664
    • Morocco (‫المغرب‬‎)+212
    • Mozambique (Moçambique)+258
    • Myanmar (Burma) (မြန်မာ)+95
    • Namibia (Namibië)+264
    • Nauru+674
    • Nepal (नेपाल)+977
    • Netherlands (Nederland)+31
    • New Caledonia (Nouvelle-Calédonie)+687
    • New Zealand+64
    • Nicaragua+505
    • Niger (Nijar)+227
    • Nigeria+234
    • Niue+683
    • Norfolk Island+672
    • North Korea (조선 민주주의 인민 공화국)+850
    • Northern Mariana Islands+1670
    • Norway (Norge)+47
    • Oman (‫عُمان‬‎)+968
    • Pakistan (‫پاکستان‬‎)+92
    • Palau+680
    • Palestine (‫فلسطين‬‎)+970
    • Panama (Panamá)+507
    • Papua New Guinea+675
    • Paraguay+595
    • Peru (Perú)+51
    • Philippines+63
    • Poland (Polska)+48
    • Portugal+351
    • Puerto Rico+1
    • Qatar (‫قطر‬‎)+974
    • Réunion (La Réunion)+262
    • Romania (România)+40
    • Russia (Россия)+7
    • Rwanda+250
    • Saint Barthélemy+590
    • Saint Helena+290
    • Saint Kitts and Nevis+1869
    • Saint Lucia+1758
    • Saint Martin (Saint-Martin (partie française))+590
    • Saint Pierre and Miquelon (Saint-Pierre-et-Miquelon)+508
    • Saint Vincent and the Grenadines+1784
    • Samoa+685
    • San Marino+378
    • São Tomé and Príncipe (São Tomé e Príncipe)+239
    • Saudi Arabia (‫المملكة العربية السعودية‬‎)+966
    • Senegal (Sénégal)+221
    • Serbia (Србија)+381
    • Seychelles+248
    • Sierra Leone+232
    • Singapore+65
    • Sint Maarten+1721
    • Slovakia (Slovensko)+421
    • Slovenia (Slovenija)+386
    • Solomon Islands+677
    • Somalia (Soomaaliya)+252
    • South Africa+27
    • South Korea (대한민국)+82
    • South Sudan (‫جنوب السودان‬‎)+211
    • Spain (España)+34
    • Sri Lanka (ශ්‍රී ලංකාව)+94
    • Sudan (‫السودان‬‎)+249
    • Suriname+597
    • Svalbard and Jan Mayen+47
    • Swaziland+268
    • Sweden (Sverige)+46
    • Switzerland (Schweiz)+41
    • Syria (‫سوريا‬‎)+963
    • Taiwan (台灣)+886
    • Tajikistan+992
    • Tanzania+255
    • Thailand (ไทย)+66
    • Timor-Leste+670
    • Togo+228
    • Tokelau+690
    • Tonga+676
    • Trinidad and Tobago+1868
    • Tunisia (‫تونس‬‎)+216
    • Turkey (Türkiye)+90
    • Turkmenistan+993
    • Turks and Caicos Islands+1649
    • Tuvalu+688
    • U.S. Virgin Islands+1340
    • Uganda+256
    • Ukraine (Україна)+380
    • United Arab Emirates (‫الإمارات العربية المتحدة‬‎)+971
    • United Kingdom+44
    • United States+1
    • Uruguay+598
    • Uzbekistan (Oʻzbekiston)+998
    • Vanuatu+678
    • Vatican City (Città del Vaticano)+39
    • Venezuela+58
    • Vietnam (Việt Nam)+84
    • Wallis and Futuna (Wallis-et-Futuna)+681
    • Western Sahara (‫الصحراء الغربية‬‎)+212
    • Yemen (‫اليمن‬‎)+967
    • Zambia+260
    • Zimbabwe+263
    • Åland Islands+358
    Your personal data will be processed in order to handle your question, and their administrator will be The Software House sp. z o.o. with its registered office in Gliwice. Other information regarding the processing of personal data, including information on your rights, can be found in our Privacy Policy.

    This site is protected by reCAPTCHA and the Google
    Privacy Policy and Terms of Service apply.

    We regard the TSH team as co-founders in our business. The entire team from The Software House has invested an incredible amount of time to truly understand our business, our users and their needs.

    Eyass Shakrah

    Co-Founder of Pet Media Group

    Thanks

    Thank you for your inquiry!

    We'll be back to you shortly to discuss your needs in more detail.