January 12, 2016

Automate Amazon: Writing a Shopping Cart Test

This post is seventh in a series of nine. Need to go back to the beginning?

Finally! We have the testing framework written!

Now it is time to write a simple test to check to see how we could develop some tests to use this framework.

Let's call our test method in the PurchaseOrderTest class "test_CreatePurchaseForSingleProduct". Our test can be:

1) Go to the Product page, and check the price of a product, such as the mass market edition of the Hitchhiker's Guide to the Galaxy  
2) Add the Product to an empty Shopping Cart 
3) Verify the price in the Shopping Cart Review page is the same as the product.


To write our first ever test of the ShoppingCart Review Page, we have had a lot of setup to do. Luckily, most of it is already written for the previous six blog entries. We have:

  • Declare the test product to be a single book, the mass market edition of the first book in the Hitchhiker's Guide to the Galaxy.  ( review
  • Grab the username and password to login. 
  • Instantiate the OrdersActions class so we can process the order with methods we set up in the class. ( review )
  • We are going to instantiate the page object called the ShoppingCartReviewPage, which will be designed below. 
  • We use the methods we wrote in the OrderActions page ( review ) to initialize the Login, logging out if we have to. ( review )
  • We navigate to the Home Page and and Login as the username and password. ( review )
  • We initialize the cart to remove any previous test products from the shopping cart. ( review )
  • We grab all data shown on the product page for our test product and load up the product object. ( review ) 
  • We add this test product, a test book, to the Shopping Cart Review page, as shown below. 
Elaborating on our three part test, our test can:
  • Get the actual cart subtotal price shown in the Shopping Cart Review page. 
  • Retrieve the price stored from the book's product page. 
  • Since I like pretty output in my logs, we are going to feed the actual and expected results and see if it matches with a (PASS) or (FAIL). 
  • And finally, we are going to assert that the actual subtotal price in the cart matches what is expected, as shown below.
It's a heck of a lot of setup for one small assertion statement. The payoff will be in the next blog entry where I will be talking about testing multiple products and the tests running in parallel. 

What our Directory Structure Will Look Like


For this blog entry, we will be expanding upon the what we already had, so the directory structure will remain the same, except for a new page object called ShoppingCartReviewPage.

src/test/java
  • actions
    • OrderActions
  • base
    • LoadProperties
  • enums
    • Products
    • Url
  • pages
    • HomePage
    • SignInPage
    • ProductPage
    • ShoppingCartPage
    • ShoppingCartReviewPage
  • pojo
    • Book
  • properties
    • user.properties
  • testcases
    • PurchaseOrderTest
  • utils
    • CommonUtils
    • DriverUtils

The ShoppingCartReviewPage

Remember that our test product we set up in our test is:
 Products testBook = Products.HITCHHIKERS_GUIDE;  

Navigating to the Page


Getting to what I have dubbed the "Shopping Cart Review Page" is easy. All you need to do is:

Go to the page of the product at http://www.amazon.com/Hitchhikers-Guide-Galaxy-Douglas-Adams/dp/0345391802/

... See how the price is $6.00 USD today? It used to be $7.00 USD the day before. Whatever the price is at the time the test is run, we are going to call that $6.00 USD the expected price.

With our test, we are going to instantiate a new book object, call it bookProductPage, and call the method that we wrote that loads up all the relevant test data on the Product Page:

 Book bookProductPage = orderActions.loadProductPageDataIntoProductObject(testBook);  

So, bookProductPage now contains:

  • ProductTitle
  • Author
  • OfferPrice
  • Edition
With future tests, we can compare and contrast the values of this Book object on the product page with other values. For now, we are just going to compare the OfferPrice.

Select the [ Add to Cart ] button to add the product to the shopping cart .


... See how the Cart shows (1 item) and is $6.00 USD? That $6.00 will be the actual price.

With our test, we need to validate that the actual price equals the expected price. We need to Assert that it is Equal.

What the Page Object Looks Like


For page elements, on the ShoppingCartReview page, for this test, we will only need to grab the price of the cart subtotal. We also will need to write two methods:
  • Verify we are on the ShoppingCartReview page after clicking the [ Add to Cart ] button. 
  • Grab the price. 
ShoppingCartReviewPage.java
1:  package pages;  
2:  import org.openqa.selenium.By;  
3:  import org.testng.TestException;  
4:  import utils.CommonUtils;  
5:  /**  
6:   * Created by tmaher on 12/21/2015.  
7:   */  
8:  public class ShoppingCartReviewPage extends CommonUtils {  
9:     private final By PRICE = By.cssSelector("[class='a-color-price hlb-price a-inline-block a-text-bold']");  
10:    public void verifyOnShoppingCartReviewPage(){  
11:      String url = getCurrentURL();  
12:      System.out.println("SHOPPING_CART_REVIEW_PAGE: Verifying that we are on SHOPPING_CART_REVIEW_PAGE.");  
13:      if (!url.contains("view")){  
14:        throw new TestException("ERROR: Not on SHOPPING_CART_REVIEW_PAGE! URL: " + url);  
15:      }  
16:    }  
17:    public String getCartSubtotal(){  
18:      return getElementText(PRICE);  
19:    }  
20:  }  

Retrieve the Actual Price

We already have the test object set up, login and initialization, price retrieval from the product page, we just need to go to the ShoppingCartReview page and retrieve that price, too...

PurchaseOrderTest.java
1:  @Test()  
2:    public void test_createPurchaseOrderForSingleProduct(){  
3:      Products testBook = Products.HITCHHIKERS_GUIDE;  
4:      String username = LoadProperties.user.getProperty("tester23.username");  
5:      String password = LoadProperties.user.getProperty("tester23.password");  
6:      OrderActions orderActions = new OrderActions();  
7:      ShoppingCartReviewPage shoppingCartReviewPage = new ShoppingCartReviewPage();  
8:      orderActions.initializeLogin();  
9:      orderActions.navigateToHomePage();  
10:      orderActions.loginAs(username, password);  
11:      orderActions.initializeCart();  
12:      Book bookProductPage = orderActions.loadProductPageDataIntoProductObject(testBook);  
13:      orderActions.addProductToShoppingCartReview(testBook);  
14:      String actualCartSubtotalPrice = shoppingCartReviewPage.getCartSubtotal();  
15:      String expectedBookPrice = bookProductPage.getOfferPrice();  
16:  }  

Running what we have for the test looks like...
 [TestNG] Running:  
  C:\Users\tmaher\.IdeaIC15\system\temp-testng-customsuite.xml  
 INITIALIZING: Signing out, if needed.  
   
 Navigating to Amazon.com: http://www.amazon.com  
 HOME_PAGE: Selecting [YOUR_ACCOUNT] in navigation bar.  
 HOME_PAGE: Navigating to the SIGNIN_PAGE.  
   
 SIGNIN_PAGE: Entering username: amzn.tester23@gmail.com  
 SIGNIN_PAGE: Entering password.  
 SIGNIN_PAGE: Clicking the [SIGN_IN] button.  
   
 INITIALIZING: Deleting all Items in Cart.  
   
 Starting process to load info for HITCHHIKERS_GUIDE:  
 PRODUCT_PAGE: Navigated to http://www.amazon.com/gp/product/0345391802  
 PRODUCT_PAGE: Verifying that the product title is 'The Hitchhiker's Guide to the Galaxy'  
 LOAD_INFO: Loading data...  
   
 Product Title: The Hitchhiker's Guide to the Galaxy  
 Author: Douglas Adams  
 Edition: Mass Market Paperback  
 Offer Price: $6.00  
   
 Adding HITCHHIKERS_GUIDE to cart:  
 PRODUCT_PAGE: Navigated to http://www.amazon.com/gp/product/0345391802  
 PRODUCT_PAGE: Verifying that the product title is 'The Hitchhiker's Guide to the Galaxy'  
 PRODUCT_PAGE: Clicking on [ADD_TO_CART] button.   
   
 SHOPPING_CART_REVIEW_PAGE: Verifying that we are on SHOPPING_CART_REVIEW_PAGE.  

Compare the actual price with the expected price is simple with TestNG... We can use an AssertEquals statement. If the actual price doesn't match the expected price, the test will fail.


Make Log Output More Readable


Having the test fail is all well and good... but it doesn't match what I would write if I was designing an impromptu test plan. I would prefer to see (PASS) and (FAIL), such as:

TestHeading: Describe what the test is supposed to compare:

  • List the actual value
  • List the expected value
  • Mark if the test (PASS) or (FAIL)
To do this, we can create two methods in OrderActions.java: One checkMatchingValues, and one which has outputPassOrFailOnFieldComparison:

checkMatchingValues
1:   public boolean checkMatchingValues(String testHeading, Object actualValue, Object expectedValue) {  
2:      String successMessage = "\t* The Expected and Actual Values match. (PASS)\n";  
3:      String failureMessage = "\t* The Expected and Actual Values do not match! (FAIL)\n";  
4:    
5:      boolean doesPriceMatch = false;  
6:    
7:      System.out.println(testHeading);  
8:      System.out.println("\t* Expected Value: " + expectedValue);  
9:      System.out.println("\t* Actual Value: " + actualValue);  
10:    
11:      if (actualValue.equals(expectedValue)) {  
12:        System.out.println(successMessage);  
13:        doesPriceMatch = true;  
14:      } else {  
15:        System.out.println(failureMessage);  
16:        doesPriceMatch = false;  
17:      }  
18:      return doesPriceMatch;  
19:    }  
20:  }  

... This method is public. We want to be able to call this in our test every time we compare values, so that it can be outputted to the logs. 

The Final Version of Our Test


With the Assert statement and the output methods, our test now looks like:

test_createPurchaseOrderForSingleProduct()
1:  @Test()  
2:    public void test_createPurchaseOrderForSingleProduct(){  
3:      Products testBook = Products.HITCHHIKERS_GUIDE;  
4:      String username = LoadProperties.user.getProperty("tester23.username");  
5:      String password = LoadProperties.user.getProperty("tester23.password");  
6:      OrderActions orderActions = new OrderActions();  
7:      ShoppingCartReviewPage shoppingCartReviewPage = new ShoppingCartReviewPage();  
8:    
9:      orderActions.initializeLogin();  
10:      orderActions.navigateToHomePage();  
11:      orderActions.loginAs(username, password);  
12:      orderActions.initializeCart();  
13:    
14:      Book bookProductPage = orderActions.loadProductPageDataIntoProductObject(testBook);  
15:      orderActions.addProductToShoppingCartReview(testBook);  
16:      String actualCartSubtotalPrice = shoppingCartReviewPage.getCartSubtotal();  
17:      String expectedBookPrice = bookProductPage.getOfferPrice();  
18:      orderActions.checkMatchingValues("Verify the Price Listed for the book:", actualCartSubtotalPrice, expectedBookPrice);  
19:      assertEquals(actualCartSubtotalPrice, expectedBookPrice, "SHOPPING_CART_REVIEW: Cart Subtotal not what is expected!");  

We are passing in the following values from the test into checkMatchingValues:

  • TestHeading: "Verify the Price Listed for the book:"
  • Actual Value: actualCartTotalPrice
  • Expected Value: expectedBookPrice

If the test passes, the following output will be sent to the logs...

Successful Test Execution:
 SHOPPING_CART_REVIEW_PAGE: Verifying that we are on SHOPPING_CART_REVIEW_PAGE.  
 Verify the Price Listed for the book:  
      * Expected Value: $6.00  
      * Actual Value: $6.00  
      * The Expected and Actual Values match. (PASS)  
   
   
 ===============================================  
 Default Suite  
 Total tests run: 1, Failures: 0, Skips: 0  
 ===============================================  

... If there were failures, not only would the assertion fail, halting the test,

Why Worry About Log Output?

Why worry about the log output? Isn't it enough for the test to pass or fail?

For me, it is not enough. Coming from a manual testing background, I want to see exactly how the test traverses a site. Without seeing the output explicitly spelled out as I have it, it is difficult for me to see the test composition.

Without knowing the test composition, or seeing exactly what values are being compared and contrasted, having a test pass or fail is meaningless to me.

Just because the test claims to have passed or failed, there still could be false positives or false negatives, as it compares and contrasts incorrect data. 

NEXT UP





-T.J. Maher
 Sr. QA Engineer, Fitbit
 Boston, MA

// Automated tester for [ 9 ] month and counting!

Please note: 'Adventures in Automation' is a personal blog about automated testing. It is not an official blog of Fitbit.com

79 comments:

Kailey Hinz said...

Nowadays eCommerce Business is trendy in the emerging world of the latest technology. So starting a business in e-Commerce is a good idea.

markson said...

Very useful article, this explains a lot about Component Integration Test. If you also want to learn about software tests then don’t hesitate to follow the link provided

King Hornbill said...

Very nice article, thank you very much. review finds

Vidogarment said...
This comment has been removed by the author.
Vidogarment said...

Perhaps you should also a put a forum site on your blog to increase reader interaction.*::-` Amazon Saving Tricks

arnav sharma said...

Very informative article thanks for share Amazon

Nicholas Olson said...

Thanks for the entire information you have given here to impart knowledge amongst us?
try safe personal alarm reviews

Harsh Patel said...

Very informative.
Regards Tech98

akhilapriya404 said...

Thanks, this is generally helpful.
Still, I followed step-by-step your method in this selenium training

Alia parker said...

I was searching for some quality information on 4 wheel dollies so that i can use it in my kitchen. I am so unhappy with my kitchen because it is so small in size and i can not work properly here. I saw by this dolly i cane easily arrange many things at a single time and can also transfer them easily without wasting any energy.

Bernard Harris said...

Thank you for sharing superb information. Your web site is so cool. I’m impressed by the details that you’ve on this website. It reveals how nicely you perceive this subject. Bookmarked this website page, will come back for more articles. Speakers Black Friday Deals

tike mik said...

But if you are fitter than your opponent who have just out-dribbled you, you will be able to track back fast enough to cover your position again. dart board with cabinet

John smith said...

I am hoping the same best effort from you in the future as well. In fact your creative writing skills has inspired me. cheap essay writer service

John smith said...

I am hoping the same best effort from you in the future as well. In fact your creative writing skills has inspired me. cheap essay writer service

123456789 said...

When there are bargains in a neighborhood store, you can be certain that there will be a group to fight with. Discovering bargains online spares you from managing the groups and cerebral pains brought about by the groups. best amazon uk deals

Watson said...
This comment has been removed by the author.
Watson said...


This is really a nice and informative, containing all information and also has a great impact on the new technology. Check it out here:CBD oil from Amazon

Wild Gearz said...

I don’t know if it’s just me or if perhaps everyone else encountering problems with your blog. It seems like some of the written text within your content are running off the screen. Can someone else please provide feedback and let me know if this is happening to them as well? This could be a problem with my internet browser because I’ve had this happen previously. Many thanks kevin david amazon

Online Shopping At Smile Bazar said...

SmileBazar is an online shopping site offering made in India Products. Buy Duffel Bag online at lowest prices. Hope you enjoy discovering new products.

Kamal Singh said...

Thank you for sharing superb information. I am hoping for the same best effort from you in the future as well. This is really nice and informative, containing all information and also has a great impact on the new technology.

India Best Automation Testing Company
India Best Software Testing Services

mikethomson said...

I think this is an informative post and it is very useful and knowledgeable. therefore, I would like to thank you for the efforts you have made in writing this article. Mua Tài khoản Grammarly Premium

Phan Thương said...

Hello everyone, We are Children's Furniture – Bao An Kids. Surely when you come to this page, you are looking for a professional children's interior design and construction unit to help you advise and choose for your family and baby to have a perfect and comfortable living space. the safest. Thank you very much for trusting and wanting to accompany Bao An Kids. nội thất trẻ em

Phan Thương said...

Tan Binh valve has many years of experience in the field of industrial valves. Production meets DIN, BS, JIS standards… Tan Binh After more than 10 years of supplying materials for the water industry Our company is now a reliable partner for most companies providing water treatment systems in the local area. Hanoi as well as nationwide. van công nghiệp, Van cửa, van điện từ

maynguyen.hn92@gmail.com said...

Nội thất Kfa đã có trên 10 năm kinh nghiệm trong thiết kế và thi công nội thất, được hàng nghìn khách hàng tin tưởng - đem đến sự hài lòng cho cả những khách hàng khó tính nhất
Hé lộ cách treo đèn phòng khách theo phong thủy đón tài lộc và may mắn
Top 5 mẫu cửa gỗ tự nhiên đẹp nhất
Bí quyết thiết kế quán café nhỏ vạn người mê
Màu sắc có vai trò gì trong thiết kế nội thất phòng ngủ
Phong cách tropical trong thiết kế nội thất

maynguyen.hn92@gmail.com said...

Nội thất Kfa đã có trên 10 năm kinh nghiệm trong thiết kế và thi công nội thất, được hàng nghìn khách hàng tin tưởng - đem đến sự hài lòng cho cả những khách hàng khó tính nhất
Phong cách tropical trong thiết kế nội thất
Phong cách tropical là gì? Xem chi tiết ngay
Vách ngăn phòng khách là gì
Có Nên Sử Dụng Thảm Phòng Khách Hay Không

nên mua điện thoại nào said...

I think this is an informative post and it is very useful and knowledgeable. therefore, I would like to thank you for the efforts you have made in writing this article. 4 trieu nen mua dien thoai nao

Phan Thương said...

Hung was formerly an official distributor of industrial lubricants of Shell in the North. Currently, in addition to oil trading, we also trade in transportation and equipment trading. After nearly 12 years of establishment and development, Yen Hung is now a prestigious partner of nearly 10,000 large and small domestic and international factories. Main products:
giá dầu truyền nhiệt
dầu bánh răng
dầu tuần hoàn
dầu dẫn nhiệt
dầu thủy lực shell
mỡ bò bôi trơn chịu nhiệt

whatsapp plus themes said...

Very Usefull Info,Thanks For Shearing This Post. yowhatsapp apk

Alia parker said...

I was searching for powder coating ovens for my business. Can anybody tell me where could get the best service on coating? I heard about EPTEX Coating. I was thinking to hire them. If you have any opinion please tell me.

mathew said...

This blog contains more valuable information, keep sharing your thoughts.
Robot Framework Test Automation Training in Chennai
Robot Framework Test Automation Online training

kumar said...


This post is so usefull and informative.keep updating with more information...
Automation Software Testing
Quality Software

Vidhyamenon said...

Great blog with useful information.

Features of Robot Framework
Scope of Robot Framework

flirter said...

kayak cart When your website or blog goes live for the first time, it is exciting. That is until you realize no one but you and your.

flirter said...

fishing cart
I have read all the comments and suggestions posted by the visitors for this article are very fine,We will wait for your next article so only.Thanks!

policezuza123 said...

betflixบริการตลอด 24 ชั่วโมง ไม่เว้นวันหยุดราชการ เราไม่อยากให้คุณต้องมาพลาดโอกาสรวยไปกับเรา หากคุณไม่ได้รับการติดต่อสามารถติดต่อทีมงานผู้เชี่ยวชาญสล็อตได้ตลอดเวลาทางเข้า BETFLIX

vuadieuhoa said...

Xiaomi chính thức xuất hiện tại Việt Nam với sản phẩm có tên gọi đầy đủ là Xiaomi Gentle Breeze. Sử dụng điều hòa Xiaomi có nhiều tính năng thuận lợi cho khách hàng, đặc biệt nhất là công nghệ tiết kiệm điện tối ưu. Kết hợp với chế độ điều khiển bằng giọng nói, Xiaomi mang lại nhiều trải nghiệm thoải mái. Vậy điều hòa Xiaomi có tốt không?

aarav said...


This post is so useful and informative. Keep updating with more information.....
Future Of RPA
Robotic Automation Tools

vuadieuhoa said...

Máy điều hòa gần như đã quen thuộc với nhiều người, tuy nhiên làm sao để sử dụng điều hòa Sharp một cách thông minh, đảm bảo hiệu quả và tiết kiệm điện năng hàng tháng thì không phải ai cũng biết. Bài viết sau đây sẽ hướng dẫn bạn cách sử dụng điều hòa Sharp đơn giản, dễ hiểu nhất vừa đảm bảo hiệu quả và vừa tiết kiệm điện cho gia đình?

vuadieuhoa said...

Điều hòa Casper 1 chiều 9000BTU SC-09FS32 thuộc series LA-CASPER của hãng điều hòa Thái Lan Casper. Với ưu thế giá rẻ, thiết kế trang nhã và được trang bị nhiều tính năng hiệu quả cho người tiêu dùng. Điều hòa Casper chính là sự lựa chọn hoàn hảo cho mùa hè này.

Aarthi Ramesh said...

Useful blog, keep sharing with us.

Benefits of Robot Framework Test Automation
Advantages of Robot Framework Test Automation

PSW550 said...

เว็บไซต์ PGSLOTGAMES แจกหนัก แจกจริง มาร่วมเป็นสมาชิกกับเราได้ PG เครดิตฟรี รับรางวัลใหญ่ได้เลยทันที แจกเครดิตฟรีได้แบบไม่มีเงื่อนไข กับเครดืตฟรีสุดพิเศษ ได้ผลจริง แบบรีลไทลม์ สร้างกำไรได้แบบไม่มีที่สิ้นสุด ฝากถอนรวดเร็วตลอด 24 ชั่วโมง

slot said...

เหมาะกับเกมสล็อตเครดิตฟรี เครดิตฟรี PG รับได้แบบคุ้มค่า ตั้งแต่เริ่มสมาชิกใหม่ ทำได้หลากหลายเพลตฟอร์ม ทั้งสมาร์ทโฟน แท็บเล็ต คอมพิวเตอร์ รับเเครดิตได้ง่าย แบบไม่มีเงื่อนไข สะสมประสบการณ์การเล่นสุดแปลกใหม่ ทำได้ดั่งใจตลอด 24 ชั่วโมง

vuadieuhoa said...

bảng mã lỗi điều hòa Reetech khá đầy đủ, chi tiết nên khi điều hòa Reetech bị lỗi, chúng ta dễ dàng xác định nguyên nhân và tìm kiếm biện pháp khắc phục. Đặc biệt, kể cả những lỗi nhỏ, điều hòa cũng báo hiệu cho người dùng biết. Điều này giúp Reetech hạn chế phát sinh lỗi và hoạt động tốt hơn sau khi được khắc phục.

vuadieuhoa said...

Điều hòa Multi LG treo tường 1 chiều 18.000BTU AMNQ18GSKB0 được trang bị môi chất lạnh R410a tiên tiến. Điều hoà được sản xuất tại Thái Lan và có chế độ bảo hành chính hãng lên đến 12 tháng. Công suất 18.000BTU, LG AMNQ18GSKB0 sẽ là sự lựa chọn lý tưởng nhất cho các phòng có diện tích nhỏ hơn 30m2. Đây là một công nghệ mới vừa được áp dụng cho các mode 2021 của điều hòa Multi LG.

vuadieuhoa said...

Điều hòa Midea inverter 12.000BTU 1 chiều MSAG-13CRDN8 là mode điều hoà mới nhất vừa được Midea cho ra mắt vào tháng 4/2022. Sản phẩm được sử dụng môi chất thế hệ mới R32 với hiệu suất làm lạnh cao. Thiết kế sang trọng cùng những tính năng hiện đại, điều hoà Midea MSAG-13CRDN8 thích hợp với căn phòng có diện tích từ 15-20 m2

vuadieuhoa said...

Người dùng chọn mua điều hòa Samsung nhiều là bởi hãng trang bị rất nhiều chế độ, tính năng rất hữu ích trong việc vận hành êm ái và tiết kiệm điện năng. Trên thực tế thì ít người tận dụng triệt để những công nghệ này vì không biết sử dụng điều hòa Samsung. Chính vì thế, Vua Điều Hòa sẽ tổng hợp đầy đủ cách hướng dẫn sử dụng điều khiển điều hòa Samsung các chế độ.

newin said...

วิดิโอสล็อต รีวิวเกม Beef Lightning วิดิโอสล็อตที่มาในรูปแบบธีมความสนุกของชาวสวนที่มี รูปแบบความสนุกที่มานรูปแบบของธรรมชาติ ที่สดชื่น.

vuadieuhoa said...

Việc tích hợp khá nhiều tính năng và chế độ nên đôi khi, người dùng còn lúng túng trong việc sử dụng điều hòa Mitsubishi Electric. Tuy nhiên, việc am hiểu hết cách sử dụng các chế độ trên điều hòa sẽ giúp người dùng tiết kiệm điện nhiều hơn, hệ thống vận hành êm ái và gia tăng tuổi thọ. Vậy còn gì chờ đợi nữa mà không đến ngay cách vận hành tất cả các dòng điều hòa Mitsubishi Electric một cách chi tiết!

vuadieuhoa said...

Trên thị trường có nhiều thương hiệu điều hòa khác nhau thuộc nhiều phân khúc từ giá rẻ đến hạng sang. Trong đó, TOP 5 hãng có máy điều hòa tiết kiệm điện giá rẻ nhất thị trường hiện nay là Casper, Funiki, Sumikura, Nagakawa và Gree. Cùng xem giá, ưu điểm, nhược điểm và đâu mới là sự lựa chọn tốt nhất dành cho bạn.

Thẩm Mỹ Xuân Trường said...

I think this is an informative post and it is very useful and knowledgeable. therefore, I would like to thank you for the efforts you have made in writing this article.kinh nghiệm cấy lông mi

vuadieuhoa said...

Tiết kiệm điện là một trong những yếu tố quan trọng trong việc mua các sản phẩm điện máy, điện lạnh và dĩ nhiên bao gồm cả khi mua sắm điều hòa. Vậy thì mua điều hòa loại nào tốt và tiết kiệm điện? Cùng Vua Điều Hòa tìm hiểu chi tiết nhé!

Phuwadon said...

การเติมเต็มเกมสล็อตออนไลน์ การเดิมพันนี้จะเป็นวิธีหารายได้พิเศษมากมายสำหรับผู้ที่ชอบเกมแนวแฟนตาซี กีฬา และเกมยิงปลาเพื่อให้พวกเขาได้รับความบันเทิง มีแจ็คพอตที่หาง่าย ทางเข้าเล่น pg pgslot และของรางวัลมากมายให้ลุ้นอยู่ตลอดเวลาในการเล่นเกมและยังมีฟีเจอร์ไลน์การเล่นแบบใหม่หลายรูปแบบ

Anonymous said...

Hẳn là bạn đang rất quan tâm đến dòng điều hòa Panasonic có tốt không, tuy nhiên, trước khi mua sản phẩm này thì chúng ta còn phải cân nhắc thêm rất nhiều yếu tố khác nữa. Cùng Vua Điều Hòa đánh giá chi tiết điều hòa Panasonic dùng có tốt không, có tốn điện không, giá ra sao, bảo hành như thế nào và những ưu và nhược điểm trong quá trình sử dụng các sản phẩm đến từ thương hiệu Panasonic

vuadieuhoa said...

Những năm gần đây, do thời tiết nắng nóng nên điều hòa đã trở thành một người bạn đồng hành thân thuộc trong mỗi hộ gia đình, công ty, cơ quan và cả trường học. Thị trường điều hòa cũng nhờ thế mà đa dạng thương hiệu, kiểu dáng và giá thành. Trong đó, thương hiệu điều hòa Nagakawa ngày càng được nhiều người tin tưởng và sử dụng. Tuy nhiên rất nhiều người phân vân không biết ở đâu mới phân phối chính hãng dòng sản phẩm này, đặc biệt là địa chỉ đại lý điều hòa Nagakawa tại Hà Nội.

vuadieuhoa said...

Nếu bạn đang quan tâm đến dòng điều hòa treo tường, đặc biệt là dòng điều hòa treo tường 18000BTU thì phải lưu ý thật kỹ trước khi mua. Theo đó, những thông số cần cân nhắc là công suất làm lạnh, thiết kế, ưu và nhược điểm, giá bán, thương hiệu nào tốt,... Vì trên thị trường hiện nay có khá nhiều thương hiệu, dòng sản phẩm khác nhau và người mua chưa thật sự hiểu nhiều về điều hòa để lựa chọn được một sản phẩm ưng ý. Cùng chúng tôi đánh giá điều hòa treo tường 18000BTU trong bài viết này nhé!

vuadieuhoa said...

Dàn lạnh điều hòa LG Multi treo tường AMNW18GSKB0 được LG cho trình làng thị trường vào đầu năm 2019. Sản phẩm là dàn lạnh thuộc hệ điều hòa Multi có công suất 18000BTU, 2 chiều được tích hợp công nghệ inverter tiết kiệm điện, Gas R410a tiên tiến và nhiều tính năng hấp dẫn khác. Điều hòa LG Multi được nhập khẩu từ Thái Lan sẽ mang đến cho gia đình bạn một luồng không khí mát lạnh và thoải mái nhất.

vuadieuhoa said...

Hẳn là bạn đang rất quan tâm đến vấn đề tiết kiệm điện trên điều hòa. Tuy nhiên trên thực tế thì không phải dòng điều hòa nào cũng được trang bị công nghệ mới nhất trong việc tiết kiệm điện. Vậy thì với dòng điều hòa âm trần 18000BTU inverter có được trang bị công nghệ “tối tân” này không? Cùng tìm hiểu điều hòa âm trần 18000BTU inverter là gì?

vuadieuhoa said...

Dàn nóng LG Multi A3UW18GFA2 thuộc dòng điều hòa 2 chiều, công suất 18000BTU sử dụng Gas R410A, công nghệ inverter và có thể thể kết nối với 3 dàn lạnh. Dàn nóng LG Multi chắc chắn sẽ đem đến cho bạn và gia đình bạn những trải nghiệm đầy bất ngờ bởi sản phẩm không chỉ bởi vì thiết kế linh hoạt, tiết kiệm về không gian mà còn có những tính năng hiện đại, thông minh.

ทางเข้าสล็อต said...

Thanks with your Perception for your personal fantastic distributing. I’m exhilarated I've taken the time to find out this. It truly is under no circumstances sufficient; I will consider your World wide web web-site every day.https://in12.me/

Đồ gia dụng said...

Xông hơi hồng ngoại
lều xông hơi tại nhà
Xông hơi sau sinh
Lều xông hơi gia đình

Đồ gia dụng said...

Khám phá các mẫu bàn học đẹp mê ly khiến con ngây ngất ngay từ lần đầu thấy
Điểm danh những công dụng của giường tầng đa năng dành cho bé

Đồ gia dụng said...


mua máy tính cũ
màn hình máy tính cũ
máy tính để bàn
màn hình 27 inch cũ

Đồ gia dụng said...

lều xông hơi giá rẻ
lều xông hơi mini
mua lều xông hơi
lều xông hơi tại nhà


Fleek IT Solutions said...

Great share! Thanks for the information. Keep posting!

Đồ gia dụng said...

màn hình máy tính cũ
màn hình máy tính giá rẻ
màn hình máy tính 2k
thanh lý màn hình máy tính cũ


gấu yêu said...

dc roi nhe
Thiết kế nội thất chung cư uy tín tại hà nội

Thiết kế nội thất chung cư cần lưu ý những gì?

harperpaul said...

Thanks for sharing beautiful content. I got information from your blog. keep sharing
traffic accident lawyer

Motipur Industries Pvt Ltd said...

Keep Sharing wonderful content. Thank You..
Valve Manufacturers in India

Endorphin Corporation said...

Thanks for Nice Blog, Keep Sharing content..
Counselling Courses in India

Professional Electronic Repair said...

Very nice article, thank you very much..
AC Repair in Thane

Fleek IT Solutions said...

Great share! Thanks for the information. Keep posting

Đồ gia dụng said...

Thông cống nghẹt Phú Nhuận
thong cong nghet phu nhuan
Hút hầm cầu Biên Hòa

Đồ gia dụng said...

thông cống nghẹt vĩnh thạch
Hút hầm cầu ninh kiều

Đồ gia dụng said...


thông cống nghẹt tại quận 10
Hút hầm cầu Đồng Nai

kevinjones said...

Automating Amazon's shopping cart test is a game-changer for efficiency. Streamlining the process ensures a seamless shopping experience. It's a smart move towards enhancing user satisfaction and system reliability.
New Jersey Careless Driving
New Jersey Reckless Driving Speed

shira said...

To automate Amazon's shopping cart test, use Selenium or a similar tool to simulate user interactions. Start by navigating to Amazon, search for a product, add it to the cart, and proceed to checkout. Implement assertions to validate the cart's contents and ensure a successful transaction. Regularly update your script to accommodate any changes in Amazon's website structure.
estate and tax lawyer




MrBoy said...

Nice article and thanks for sharing with us.
amazon consulting services

MrBoy said...
This comment has been removed by the author.
MrBoy said...

Nice article and thanks for sharing with us.
Amazon Wholesale Management
Amazon Wholesale Automation