SlideShare a Scribd company logo
1 of 52
© Integrated Computer Solutions, Inc. All Rights Reserved
Qt Test-Driven Development
Using Google Test and
Google Mock
Justin Noel, Senior Consulting Engineer
1
© Integrated Computer Solutions, Inc. All Rights Reserved
Webinar Contents
• Light introduction to Google Test / Google Mock
• See bibliography for more information
• Light introduction to TDD
• See bibliography for more information
• Designing applications for testability
• Isolation of units
• How to test with classes that use Qt
• Using Google Test with Qt Creator
• QObject, Qt Data types, Signals, Events
2
© Integrated Computer Solutions, Inc. All Rights Reserved
Types of Testing
• Unit Testing
• Test one discrete area of the software
• Usually on a class basis. Think “Test Piston Rod”
• Tests can be written and performed as code is developed
• White box tests. Often written by developers
• “Does the software perform as the developer intended?”
• Functional Testing
• Tests subsystems of the whole software system
• Usually a group of classes. Think “Test Engine”
• Tests can be preformed once subsystem is wired together
• Tests interaction between specific groups of units
• “Does the software work together?”
3
© Integrated Computer Solutions, Inc. All Rights Reserved
Types of Testing
• System Testing
• End to end testing of the whole software system
• Sometimes includes actual hardware. Think “Test Car”
• Tests are written late in project
• Because of the end to end nature
• Black box tests. Often written by separate SQA team
• “Does the software do the right thing?”
4
© Integrated Computer Solutions, Inc. All Rights Reserved
Google Test Creator Integration
• Unified AutoTest Plugin (Qt Creator 4.0+)
• QTest
• QTest-QML
• GoogleTest
• Provides new Test Results output pane
• Tree of Test Fixtures and Test Functions
• Color codes success vs failure
• Contains failure messages from Google Test
• Provide Tests project view
• Select which tests to run
5
© Integrated Computer Solutions, Inc. All Rights Reserved
Google Test Creator Plugin
6
© Integrated Computer Solutions, Inc. All Rights Reserved
Enabling Auto Test Plugin
• Start Qt Creator and enable the Auto Test plugin
• Help -> About Plugins
• Check Load for AutoTest under Utilities
• Restart Qt Creator
• You now have the following available
• Test Results Output Pane
• Tests Project View
• Test Settings Pane under Tools -> Options
• Show/Hide debug/warning console output
• GoogleTest specific settings are here
7
© Integrated Computer Solutions, Inc. All Rights Reserved
Design for Testability
• Your code must be testable!
• There are design techniques to help make your code more testable
• Try not to add functions to production code just for tests
• Sub classing for tests is acceptable (access designer UI members)
• Isolation of units is your primary goal
• Can I just test this class?
• Without re-testing lower level classes?
• Also think about error conditions
• Some may be hard to produce in production environments
• Can I stimulate a bad MD5 error?
• Socket disconnects?
• Default switch cases?
8
© Integrated Computer Solutions, Inc. All Rights Reserved
Build Application as Libraries
Building the bulk of your application as a set of libraries increases
testability
9
© Integrated Computer Solutions, Inc. All Rights Reserved
Layered Design
• A layered design is more testable
• Easy to isolate lower layers for testing
• Test Communications without Data, Presentation or Visualization
• No upwards dependencies
• Hard downward dependencies
10
© Integrated Computer Solutions, Inc. All Rights Reserved
Break Downward Dependencies
• Dependency injection works well
• An Inversion of Control Pattern
• Classes take their dependencies as constructor arguments
• Classes do not construct any members themselves
• Loose coupling with signals and slots also works well
• Classes interface to each other via signals and slots only
• 3rd class wires say the UI classes to the Backend classes
• Lets you substitute a test fixture object for a dependency object
• Instead of an actual production object
11
© Integrated Computer Solutions, Inc. All Rights Reserved
Why is isolation important?
• Avoids testing the same code over and over
• You have already tested the data model
• Why do the UI tests need to also test the model?
• This will make your tests run very quickly
• If there is a failure in a low level class it won’t trigger errors in higher level tests
• Avoid testing side effects
• Tests can be implementation agnostic
• DB, Files, Cloud. Shouldn’t matter for UI tests.
• Tests should only depend on interfaces, not behavior
12
© Integrated Computer Solutions, Inc. All Rights Reserved
EE Analogy: Motor Controller Test
13
© Integrated Computer Solutions, Inc. All Rights Reserved
Google Test/Mock Libraries
• Google Test and Google Mock are C++ libraries
• New version (1.8) combines gtest and gmock in one project
• Called “googletest”
• Link to them as you would any other C++ library
• Only your test executables should need gtest and gmock libs
• g[test|mock]_main and libraries offer a prebuilt main function
• Build googletest using Cmake. make && make install
• Use from a known location like Qt
• Build GoogleTest inside your project using short .pro/.pri
• I prefer this to avoid compiler flag incompatibilities
• Windows is famous for mix/match incompatibilities
• Qt’s GoogleTest project template does this method
14
© Integrated Computer Solutions, Inc. All Rights Reserved
Google Test/Mock In Project
Build Google Test and Google Mock with this short .pro
15
TEMPLATE = lib
CONFIG += static exceptions
CONFIG -= debug_and_release
TARGET = GoogleTest
INCLUDEPATH += 
googletest/googletest/include 
googletest/googlemock/include 
googletest/googletest 
googletest/googlemock
SOURCES = 
googletest/googletest/src/gtest-all.cc 
googletest/googlemock/src/gmock-all.cc
© Integrated Computer Solutions, Inc. All Rights Reserved
GTest is a unit testing framework
• Prepare
• Create dependencies
• Create object under test
• Setup expectations
• Mock Expectations, QSignalSpy, etc
• Stimulate
• Call a 1 function or emit a signal
• Verify
• Check that expectations occurred
• And/or check return value
16
© Integrated Computer Solutions, Inc. All Rights Reserved
GTest Verifications
• ASSERT_EQ(a, b) – Equality Operator
• Works for QString, std::string, etc
• QString needs a “Pretty Printer” to be truly integrated
• ASSERT_TRUE(exp) – Boolean Expression
• ASSERT_DOUBLE_EQ(a, b) – Fuzzy Compare
• ASSERT_FLOAT_EQ(a, b) – Fuzzy Compare
• ASSERT_STREQ(a, b) – char* comparison
17
© Integrated Computer Solutions, Inc. All Rights Reserved
Expection, Assert, Abort, Exit
• EXPECT_THROW(foo(), execptionType)
• EXPECT_NO_THROW(foo(), exceptionType)
• ASSERT_DEATH(foo())
• Fails if program did not exit() or abort()
• assert(), Q_ASSERT(), etc will abort()
• Very useful for testing “Does CTRL-C exit my program”
• These types of tests can pass on unhandled exceptions and
exiting. Tests will continue on as usual.
• This is something that is hard to do in QtTest.
18
© Integrated Computer Solutions, Inc. All Rights Reserved
Qt Specific Things
• Not supplied by Google Test
• QtTest does supply these. Link to QtTest and use them.
• QSignalSpy
• Test for signal emits
• QTest::mouseClick, QTest::keyClicks, etc
• Stimulate Qt events
19
© Integrated Computer Solutions, Inc. All Rights Reserved
Print Qt Data Types in Output
• Google Test would like to print text for objects using ASSERT_EQ
• std::ostream << operators work
• Or implement a PrintTo function
• Put this in a header file and include it in your test files
20
QT_BEGIN_NAMESPACE
inline void PrintTo(const QString &qString,
::std::ostream *os)
{
*os << qPrintable(qString);
}
QT_END_NAMESPACE
© Integrated Computer Solutions, Inc. All Rights Reserved
Creating a Test Fixture
21
#include <gtest/gtest.h>
using namespace ::testing;
// Fixture
class ExampleTest : public Test
{
protected:
Example m_example; // Object Under Test
};
// Test Function
TEST_F(ExampleTest, ThisShouldFail)
{
ASSERT_TRUE(false);
}
© Integrated Computer Solutions, Inc. All Rights Reserved
New Objects For Every Test Function
• A new Fixture is created for every test function
• All new objects are created for each test
• Helps ensure that tests do no depend on each other
• Or pollute the environment for future tests
• Can use constructor and destructor to setup tests
• Unless there may be exceptions thrown
• Fixtures have Setup() and TearDown() functions to handle that case
• Some projects have policy to only use Setup() and TearDown() with empty
constructor and destructor
22
© Integrated Computer Solutions, Inc. All Rights Reserved
Test Fixture Project
23
QT += test # QtTest includes QSignalSpy, event stimulators, etc
CONFIG += console # Create an stdout window on Windows
CONFIG += testcase # Creates make check target
INCLUDEPATH += ../GoogleTest/include
LIBS += -L../GoogleTest/lib –lGoogleTest # Lib name(s) depends on
build
SOURCES += TestQString.cpp
qmake
make
LD_LIBRARY_PATH=<paths> make check
© Integrated Computer Solutions, Inc. All Rights Reserved
Running Selected Test Fixtures
• Google test supplies a very intelligent main helpers
• Defaults to running all the tests
• Command line options can run any subset of tests
• By fixture name or test name
24
#include <gmock/gmock.h>
int main(int argc, char *argv[])
{
testing::InitGoogleTest(&argc, argv);
testing::InitGoogleMock(&argc, argv);
return RUN_ALL_TESTS();
© Integrated Computer Solutions, Inc. All Rights Reserved
Running Selected Test Fixtures
• Test Project View can select tests
25
© Integrated Computer Solutions, Inc. All Rights Reserved
Running Tests Within Creator
• Tests must be executed from the Test Results Pane
• Run All
• Run Selected
• Filter Results
• Show failures only
• Double clicking a failure navigates to the test code
26
© Integrated Computer Solutions, Inc. All Rights Reserved
Writing Good Tests
• Test one thing at a time
• It’s tempting to get as much done in one function as you can.
• This makes one verification depend on another verification
• Tests will be brittle and changes to code could break lots of verifications
• Do not have your tests depend on each other
• Order should not matter!
• Not depending on other tests will help you when you remove functionality.
• You do not want to have to fix a cascading waterfall of tests!
• Google Test has a shuffle mode command line parameter
• Keeps you from depending on previous tests
27
© Integrated Computer Solutions, Inc. All Rights Reserved
Test Driven Development (TDD)
• An entirely new way of writing code
• Mind bending at first. Hard to re-train your brain
• 1 Test is written before ~1 code is written
• Test must fail before the line of code is written
• Write the minimum code necessary to pass the test
• Often the WRONG code to pass the first couple tests
• Write another test
28
© Integrated Computer Solutions, Inc. All Rights Reserved
Benefits of TDD
• Every line of code is well tested
• Tests are written as code is written
• High code coverage
• Obscure conditions are tested along with normal paths
• No unused code paths
• Paths are used as test are written
• Awkward APIs are found by class developers. Not class users!
• Tests are known to fail when expected code is not correct
• Because the test failed without that line of code present
• Tests did not pass by “coincidence”
29
© Integrated Computer Solutions, Inc. All Rights Reserved
Drawbacks of TDD
• Larger developed code size. More code more time.
• Possibly > 10 SLOC of Tests for ~1 SLOC of Code
• Re-working behavior can be difficult without re-writing many tests
• Re-factor is easier as code is usually more modular
• For example: Move tests with code to another class.
• Hard part is still hard.
• Design is still the hardest part to coding.
• Increased testing of the implementation will not fix design issues
• Code that isn’t written still isn’t tested
• i.e. A function can be passed bad data.
• If there is no test there is no guard for bounds... Boom!
• Code still needs to be reviewed and corner cases caught.
30
© Integrated Computer Solutions, Inc. All Rights Reserved
TDD a Division Function Demo
31
© Integrated Computer Solutions, Inc. All Rights Reserved
Google Mock is a Dependency
Replacement Framework
• Mock allows you to easily replace production class dependencies
with testing alternatives
• Provides the ability to hi-jack return variables and error conditions
• Provides ability to “expect calls” to be made
• Check the parameters of those calls
• Mock allows us to test against the interface of the dependency
• Not the behavior or implementation
• No reason to actually write to a database or files
• Simply verify that object calls Logger log() function satisfies test
32
© Integrated Computer Solutions, Inc. All Rights Reserved
Production Implementations
33
© Integrated Computer Solutions, Inc. All Rights Reserved
Battery Test Implementation
Battery has been isolated from the rest of the system
34
© Integrated Computer Solutions, Inc. All Rights Reserved
Dependency Injection
• Constructors to classes take references to dependencies
• Rather than having self created members
• Sometimes setters are used rather than constructors
• Either way makes it easy to swap out dependencies
• Dependency Injection can help isolate units
• Each class has a base class interface with pure virtuals
• IBatteryCell
• Inherited by BatteryCell and MockBatteryCell
• Interface has to inherit QObject to use signals and Q_PROPERTY
• Properties can be declared with pure virtual READ and WRITE
35
© Integrated Computer Solutions, Inc. All Rights Reserved
IBatteryCell
36
#include "ApplicationLibDecl.h"
#include <QObject>
class APPLICATIONLIB_EXPORT IBatteryCell : public QObject
{
Q_OBJECT
Q_PROPERTY(double chargePercent READ chargePercent
WRITE chargePercentChanged)
public:
virtual double chargePercent() const = 0;
signals:
void chargePercentChanged();
};
© Integrated Computer Solutions, Inc. All Rights Reserved
MockBatteryCell
37
#include "IBatteryCell.h"
#include <gmock/gmock.h>
class MockBatteryCell : public IBatteryCell
{
Q_OBJECT
public:
MOCK_CONST_METHOD0(chargePercent, double());
};
© Integrated Computer Solutions, Inc. All Rights Reserved
Using Mock in a Fixture
38
class BatteryTest : public Test
{
public:
BatteryTest() :
m_battery(m_batteryCellOne, m_batteryCellTwo)
{
}
protected:
//Dependencies
NiceMock<MockBatteryCell> m_batteryCellOne;
NiceMock<MockBatteryCell> m_batteryCellTwo;
//Class Under Test
Battery m_battery;
};
© Integrated Computer Solutions, Inc. All Rights Reserved
Mock Expectations
• EXPECT_CALL
• Verifies that a function was called
• How many times? With what parameters?
39
TEST_F(SomeTest, SetValueCalledWithCorrectParameter)
{
EXPECT_CALL(m_mockDep, setValue(1)).Times(AtLeast(1));
m_underTest.setAllValues();
}
© Integrated Computer Solutions, Inc. All Rights Reserved
Mock Return Value
• ON_CALL or EXPECT_CALL can make the mocked function return
arbitrary values
• Even return different values based on parameters
• Or return different values based on how many times it was called
40
TEST_F(SomeTest, CalculateReturnsDepFooPlusBar)
{
ON_CALL(m_mockDep, getValue(“Foo”)).WillByDefault(Return(5.0));
ON_CALL(m_mockDep, getValue(“Bar”)).WillByDefault(Return(55.0));
ASSERT_DOUBLE_EQ(60.0, m_underTest.calculate());
}
© Integrated Computer Solutions, Inc. All Rights Reserved
Turning Mock Implicit Failure
• Regular MockType instance
• Warns on uninteresting calls
• Functions called without explicit EXPECT_CALL or ON_CALL
• Test passes with warnings printed to console
• StrictMock<MockType>
• Fails on any uninteresting call
• NiceMock<MockType>
• Fails only when explicit expectations are not met
• Suppresses uninteresting warnings
41
© Integrated Computer Solutions, Inc. All Rights Reserved
Mock Has Many Features
• Far too many to list or describe in a 1 hour webinar
• There are entire books dedicated to Google Mock
• Tune Expectations
• Return(ByRef(val)), WillOnce, WillByDefault, Times(), GreaterThan()
• Custom Matchers
• Verify parameters by arbitrary means
• Compare based on members
• Id() function on a pointer type
• List goes on and on
42
© Integrated Computer Solutions, Inc. All Rights Reserved
Testing a Signal
• QSignalSpy from QTest can test signals without a slot
• QTest also has functions for stimulating user events
43
TEST_F(SomeTest, MouseClickEmitsClickedSingal)
{
QSignalSpy spy(&m_button, SIGNAL(clicked()));
QTest::mouseClick(m_button);
ASSERT_EQ(1, spy.count());
}
© Integrated Computer Solutions, Inc. All Rights Reserved
Stimulating a Signal
• signals is a #define public
• Emit dependent object signals directly!
• emit is a #define to nothing
44
TEST_F(SomeTest, DepUpdateSignalChangesValue)
{
m_underTest.setValue(5);
emit m_mockDep.update(10); // emit is actually optional
ASSERT_EQ(10, m_underTest.value());
}
© Integrated Computer Solutions, Inc. All Rights Reserved
Q_PROPERTY Macro Testing
• Two options to test Q_PROPERTY via TDD
• 1) Use Private/Protected READ and WRITE methods
• Test the property like a public function using
• obj.property(“name”).to[Type]()
• obj.setProperty(“name”, variantValue)
• Only useful if class is only used via properties. Say for QML.
• 2) Test public getter and setter as usual
• Then test the Q_PROPERTY using dummy READ / WRITE methods
• You end up with the exact same tests as get/set methods
• Finally refactor the Q_PROPERTY to use regular get/set
• All tests should still pass
• However, you end up with 2x tests. Bulletproof tests.
45
© Integrated Computer Solutions, Inc. All Rights Reserved
Q_PROPERTY NOTIFY / CONSTANT
• Check the name of the property's NOTIFY signal
• Use QMetaObject / QMetaProperty / QMetaMethod
46
• Check for property’s CONSTANT flag
• Use QMetaObject / QMetaProperty
int propertyIndex = m_battery.metaObject()->indexOfProperty("chargePercent");
QMetaProperty property = m_battery.metaObject()->property(propertyIndex);
ASSERT_STREQ("chargePercentChanged", property.notifySignal().name().data());
int propertyIndex = m_battery.metaObject()->indexOfProperty("chargePercent");
QMetaProperty property = m_battery.metaObject()->property(propertyIndex);
ASSERT_TRUE(property.isConstant());
© Integrated Computer Solutions, Inc. All Rights Reserved
Battery Test Example
47
© Integrated Computer Solutions, Inc. All Rights Reserved
Bibliography
Google Test
• Primer
• https://github.com/google/googletest/blob/master/googletest/docs/Primer.
md
• Cook Book
• https://github.com/google/googletest/blob/master/googlemock/docs/CookB
ook.md
48
© Integrated Computer Solutions, Inc. All Rights Reserved
Bibliography
Google Mock
• Primer
• https://github.com/google/googletest/blob/master/googlemock/docs/ForDu
mmies.md
• Cook Book
• https://github.com/google/googletest/blob/master/googlemock/docs/CookB
ook.md
• Cheat Sheet
• https://github.com/google/googletest/blob/master/googlemock/docs/CheatS
heet.md
49
© Integrated Computer Solutions, Inc. All Rights Reserved
Bibliography
TDD
• http://www.agiledata.org/essays/tdd.html
• http://www.jamesshore.com/Agile-Book/test_driven_development.html
• http://www.amazon.com/Modern-Programming-Test-Driven-Development-
Better/dp/1937785483/ref=sr_1_1?ie=UTF8&qid=1455140098&sr=8-
1&keywords=TDD+C%2B%2B
• http://www.amazon.com/Test-Driven-Development-Kent-
Beck/dp/0321146530/ref=sr_1_fkmr0_1?ie=UTF8&qid=1455140098&sr=8-1-
fkmr0&keywords=TDD+C%2B%2B
50
© Integrated Computer Solutions, Inc. All Rights Reserved
Bibliography
• SOLID Object Oriented Design Principles
• https://en.wikipedia.org/wiki/SOLID_(object-oriented_design)
• http://www.codemag.com/article/1001061
• https://scotch.io/bar-talk/s-o-l-i-d-the-first-five-principles-of-object-oriented-
design
51
© Integrated Computer Solutions, Inc. All Rights Reserved
Thank You!
52

More Related Content

What's hot

Best Practices in Qt Quick/QML - Part I
Best Practices in Qt Quick/QML - Part IBest Practices in Qt Quick/QML - Part I
Best Practices in Qt Quick/QML - Part IICS
 
C++ Unit Test with Google Testing Framework
C++ Unit Test with Google Testing FrameworkC++ Unit Test with Google Testing Framework
C++ Unit Test with Google Testing FrameworkHumberto Marchezi
 
Quickly Testing Qt Desktop Applications
Quickly Testing Qt Desktop ApplicationsQuickly Testing Qt Desktop Applications
Quickly Testing Qt Desktop ApplicationsClare Macrae
 
05 junit
05 junit05 junit
05 junitmha4
 
JUnit- A Unit Testing Framework
JUnit- A Unit Testing FrameworkJUnit- A Unit Testing Framework
JUnit- A Unit Testing FrameworkOnkar Deshpande
 
Best Practices in Qt Quick/QML - Part II
Best Practices in Qt Quick/QML - Part IIBest Practices in Qt Quick/QML - Part II
Best Practices in Qt Quick/QML - Part IIICS
 
Understanding Unit Testing
Understanding Unit TestingUnderstanding Unit Testing
Understanding Unit Testingikhwanhayat
 
JUnit & Mockito, first steps
JUnit & Mockito, first stepsJUnit & Mockito, first steps
JUnit & Mockito, first stepsRenato Primavera
 
Qt for beginners part 1 overview and key concepts
Qt for beginners part 1   overview and key conceptsQt for beginners part 1   overview and key concepts
Qt for beginners part 1 overview and key conceptsICS
 
In-Depth Model/View with QML
In-Depth Model/View with QMLIn-Depth Model/View with QML
In-Depth Model/View with QMLICS
 
Best Practices in Qt Quick/QML - Part III
Best Practices in Qt Quick/QML - Part IIIBest Practices in Qt Quick/QML - Part III
Best Practices in Qt Quick/QML - Part IIIICS
 
Writing and using Hamcrest Matchers
Writing and using Hamcrest MatchersWriting and using Hamcrest Matchers
Writing and using Hamcrest MatchersShai Yallin
 
Robot Framework Introduction
Robot Framework IntroductionRobot Framework Introduction
Robot Framework IntroductionPekka Klärck
 
Test Automation Strategies For Agile
Test Automation Strategies For AgileTest Automation Strategies For Agile
Test Automation Strategies For AgileNaresh Jain
 

What's hot (20)

Best Practices in Qt Quick/QML - Part I
Best Practices in Qt Quick/QML - Part IBest Practices in Qt Quick/QML - Part I
Best Practices in Qt Quick/QML - Part I
 
Introduction to JUnit
Introduction to JUnitIntroduction to JUnit
Introduction to JUnit
 
C++ Unit Test with Google Testing Framework
C++ Unit Test with Google Testing FrameworkC++ Unit Test with Google Testing Framework
C++ Unit Test with Google Testing Framework
 
Quickly Testing Qt Desktop Applications
Quickly Testing Qt Desktop ApplicationsQuickly Testing Qt Desktop Applications
Quickly Testing Qt Desktop Applications
 
05 junit
05 junit05 junit
05 junit
 
JUnit- A Unit Testing Framework
JUnit- A Unit Testing FrameworkJUnit- A Unit Testing Framework
JUnit- A Unit Testing Framework
 
Best Practices in Qt Quick/QML - Part II
Best Practices in Qt Quick/QML - Part IIBest Practices in Qt Quick/QML - Part II
Best Practices in Qt Quick/QML - Part II
 
Understanding Unit Testing
Understanding Unit TestingUnderstanding Unit Testing
Understanding Unit Testing
 
JUNit Presentation
JUNit PresentationJUNit Presentation
JUNit Presentation
 
JUnit & Mockito, first steps
JUnit & Mockito, first stepsJUnit & Mockito, first steps
JUnit & Mockito, first steps
 
Test Automation in Agile
Test Automation in AgileTest Automation in Agile
Test Automation in Agile
 
Qt for beginners part 1 overview and key concepts
Qt for beginners part 1   overview and key conceptsQt for beginners part 1   overview and key concepts
Qt for beginners part 1 overview and key concepts
 
In-Depth Model/View with QML
In-Depth Model/View with QMLIn-Depth Model/View with QML
In-Depth Model/View with QML
 
Cucumber BDD
Cucumber BDDCucumber BDD
Cucumber BDD
 
TestNG
TestNGTestNG
TestNG
 
Best Practices in Qt Quick/QML - Part III
Best Practices in Qt Quick/QML - Part IIIBest Practices in Qt Quick/QML - Part III
Best Practices in Qt Quick/QML - Part III
 
Writing and using Hamcrest Matchers
Writing and using Hamcrest MatchersWriting and using Hamcrest Matchers
Writing and using Hamcrest Matchers
 
Angular Unit Testing
Angular Unit TestingAngular Unit Testing
Angular Unit Testing
 
Robot Framework Introduction
Robot Framework IntroductionRobot Framework Introduction
Robot Framework Introduction
 
Test Automation Strategies For Agile
Test Automation Strategies For AgileTest Automation Strategies For Agile
Test Automation Strategies For Agile
 

Similar to [Webinar] Qt Test-Driven Development Using Google Test and Google Mock

A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)Thierry Gayet
 
Agile Software Testing the Agilogy Way
Agile Software Testing the Agilogy WayAgile Software Testing the Agilogy Way
Agile Software Testing the Agilogy WayJordi Pradel
 
Practical Software Testing Tools
Practical Software Testing ToolsPractical Software Testing Tools
Practical Software Testing ToolsDr Ganesh Iyer
 
Google test training
Google test trainingGoogle test training
Google test trainingThierry Gayet
 
How to Build Your Own Test Automation Framework?
How to Build Your Own Test Automation Framework?How to Build Your Own Test Automation Framework?
How to Build Your Own Test Automation Framework?Dmitry Buzdin
 
Unit Testing in JavaScript
Unit Testing in JavaScriptUnit Testing in JavaScript
Unit Testing in JavaScriptRob Scaduto
 
Beginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NETBeginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NETBaskar K
 
Testlink Test Management with Teamforge
Testlink Test Management with TeamforgeTestlink Test Management with Teamforge
Testlink Test Management with TeamforgeCollabNet
 
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...Applitools
 
Unit Testing in R with Testthat - HRUG
Unit Testing in R with Testthat - HRUGUnit Testing in R with Testthat - HRUG
Unit Testing in R with Testthat - HRUGegoodwintx
 
Automated Developer Testing: Achievements and Challenges
Automated Developer Testing: Achievements and ChallengesAutomated Developer Testing: Achievements and Challenges
Automated Developer Testing: Achievements and ChallengesTao Xie
 
Adopting agile in an embedded platform Suryakiran Kasturi & Akhil Kumar
Adopting agile in an embedded platform  Suryakiran Kasturi & Akhil KumarAdopting agile in an embedded platform  Suryakiran Kasturi & Akhil Kumar
Adopting agile in an embedded platform Suryakiran Kasturi & Akhil KumarXP Conference India
 
Automated Software Testing Framework Training by Quontra Solutions
Automated Software Testing Framework Training by Quontra SolutionsAutomated Software Testing Framework Training by Quontra Solutions
Automated Software Testing Framework Training by Quontra SolutionsQuontra Solutions
 
Continuous Integration
Continuous IntegrationContinuous Integration
Continuous IntegrationXPDays
 
Azure Integration DTAP Series, How to go from Development to Production – Par...
Azure Integration DTAP Series, How to go from Development to Production – Par...Azure Integration DTAP Series, How to go from Development to Production – Par...
Azure Integration DTAP Series, How to go from Development to Production – Par...BizTalk360
 
[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project
[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project
[Webinar] 10 Keys to Ensuring Success for Your Next Qt ProjectICS
 
Architecting for the cloud storage build test
Architecting for the cloud storage build testArchitecting for the cloud storage build test
Architecting for the cloud storage build testLen Bass
 
Advanced Coded UI Testing
Advanced Coded UI TestingAdvanced Coded UI Testing
Advanced Coded UI TestingShai Raiten
 

Similar to [Webinar] Qt Test-Driven Development Using Google Test and Google Mock (20)

A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)
 
Agile Software Testing the Agilogy Way
Agile Software Testing the Agilogy WayAgile Software Testing the Agilogy Way
Agile Software Testing the Agilogy Way
 
Practical Software Testing Tools
Practical Software Testing ToolsPractical Software Testing Tools
Practical Software Testing Tools
 
Google test training
Google test trainingGoogle test training
Google test training
 
How to Build Your Own Test Automation Framework?
How to Build Your Own Test Automation Framework?How to Build Your Own Test Automation Framework?
How to Build Your Own Test Automation Framework?
 
Unit Testing in JavaScript
Unit Testing in JavaScriptUnit Testing in JavaScript
Unit Testing in JavaScript
 
Unit testing (eng)
Unit testing (eng)Unit testing (eng)
Unit testing (eng)
 
Quality for developers
Quality for developersQuality for developers
Quality for developers
 
Beginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NETBeginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NET
 
Testlink Test Management with Teamforge
Testlink Test Management with TeamforgeTestlink Test Management with Teamforge
Testlink Test Management with Teamforge
 
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...
Unlocking the Power of ChatGPT and AI in Testing - NextSteps, presented by Ap...
 
Unit Testing in R with Testthat - HRUG
Unit Testing in R with Testthat - HRUGUnit Testing in R with Testthat - HRUG
Unit Testing in R with Testthat - HRUG
 
Automated Developer Testing: Achievements and Challenges
Automated Developer Testing: Achievements and ChallengesAutomated Developer Testing: Achievements and Challenges
Automated Developer Testing: Achievements and Challenges
 
Adopting agile in an embedded platform Suryakiran Kasturi & Akhil Kumar
Adopting agile in an embedded platform  Suryakiran Kasturi & Akhil KumarAdopting agile in an embedded platform  Suryakiran Kasturi & Akhil Kumar
Adopting agile in an embedded platform Suryakiran Kasturi & Akhil Kumar
 
Automated Software Testing Framework Training by Quontra Solutions
Automated Software Testing Framework Training by Quontra SolutionsAutomated Software Testing Framework Training by Quontra Solutions
Automated Software Testing Framework Training by Quontra Solutions
 
Continuous Integration
Continuous IntegrationContinuous Integration
Continuous Integration
 
Azure Integration DTAP Series, How to go from Development to Production – Par...
Azure Integration DTAP Series, How to go from Development to Production – Par...Azure Integration DTAP Series, How to go from Development to Production – Par...
Azure Integration DTAP Series, How to go from Development to Production – Par...
 
[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project
[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project
[Webinar] 10 Keys to Ensuring Success for Your Next Qt Project
 
Architecting for the cloud storage build test
Architecting for the cloud storage build testArchitecting for the cloud storage build test
Architecting for the cloud storage build test
 
Advanced Coded UI Testing
Advanced Coded UI TestingAdvanced Coded UI Testing
Advanced Coded UI Testing
 

More from ICS

The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...ICS
 
Practical Advice for FDA’s 510(k) Requirements.pdf
Practical Advice for FDA’s 510(k) Requirements.pdfPractical Advice for FDA’s 510(k) Requirements.pdf
Practical Advice for FDA’s 510(k) Requirements.pdfICS
 
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...ICS
 
Overcoming CMake Configuration Issues Webinar
Overcoming CMake Configuration Issues WebinarOvercoming CMake Configuration Issues Webinar
Overcoming CMake Configuration Issues WebinarICS
 
Enhancing Quality and Test in Medical Device Design - Part 2.pdf
Enhancing Quality and Test in Medical Device Design - Part 2.pdfEnhancing Quality and Test in Medical Device Design - Part 2.pdf
Enhancing Quality and Test in Medical Device Design - Part 2.pdfICS
 
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdf
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdfDesigning and Managing IoT Devices for Rapid Deployment - Webinar.pdf
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdfICS
 
Quality and Test in Medical Device Design - Part 1.pdf
Quality and Test in Medical Device Design - Part 1.pdfQuality and Test in Medical Device Design - Part 1.pdf
Quality and Test in Medical Device Design - Part 1.pdfICS
 
Creating Digital Twins Using Rapid Development Techniques.pdf
Creating Digital Twins Using Rapid Development Techniques.pdfCreating Digital Twins Using Rapid Development Techniques.pdf
Creating Digital Twins Using Rapid Development Techniques.pdfICS
 
Secure Your Medical Devices From the Ground Up
Secure Your Medical Devices From the Ground Up Secure Your Medical Devices From the Ground Up
Secure Your Medical Devices From the Ground Up ICS
 
Cybersecurity and Software Updates in Medical Devices.pdf
Cybersecurity and Software Updates in Medical Devices.pdfCybersecurity and Software Updates in Medical Devices.pdf
Cybersecurity and Software Updates in Medical Devices.pdfICS
 
MDG Panel - Creating Expert Level GUIs for Complex Medical Devices
MDG Panel - Creating Expert Level GUIs for Complex Medical DevicesMDG Panel - Creating Expert Level GUIs for Complex Medical Devices
MDG Panel - Creating Expert Level GUIs for Complex Medical DevicesICS
 
How to Craft a Winning IOT Device Management Solution
How to Craft a Winning IOT Device Management SolutionHow to Craft a Winning IOT Device Management Solution
How to Craft a Winning IOT Device Management SolutionICS
 
Bridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsBridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsICS
 
IoT Device Fleet Management: Create a Robust Solution with Azure
IoT Device Fleet Management: Create a Robust Solution with AzureIoT Device Fleet Management: Create a Robust Solution with Azure
IoT Device Fleet Management: Create a Robust Solution with AzureICS
 
Basic Cmake for Qt Users
Basic Cmake for Qt UsersBasic Cmake for Qt Users
Basic Cmake for Qt UsersICS
 
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...ICS
 
Qt Installer Framework
Qt Installer FrameworkQt Installer Framework
Qt Installer FrameworkICS
 
Bridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsBridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsICS
 
Overcome Hardware And Software Challenges - Medical Device Case Study
Overcome Hardware And Software Challenges - Medical Device Case StudyOvercome Hardware And Software Challenges - Medical Device Case Study
Overcome Hardware And Software Challenges - Medical Device Case StudyICS
 
User Experience Design for IoT
User Experience Design for IoTUser Experience Design for IoT
User Experience Design for IoTICS
 

More from ICS (20)

The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
 
Practical Advice for FDA’s 510(k) Requirements.pdf
Practical Advice for FDA’s 510(k) Requirements.pdfPractical Advice for FDA’s 510(k) Requirements.pdf
Practical Advice for FDA’s 510(k) Requirements.pdf
 
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...
Accelerating Development of a Safety-Critical Cobot Welding System with Qt/QM...
 
Overcoming CMake Configuration Issues Webinar
Overcoming CMake Configuration Issues WebinarOvercoming CMake Configuration Issues Webinar
Overcoming CMake Configuration Issues Webinar
 
Enhancing Quality and Test in Medical Device Design - Part 2.pdf
Enhancing Quality and Test in Medical Device Design - Part 2.pdfEnhancing Quality and Test in Medical Device Design - Part 2.pdf
Enhancing Quality and Test in Medical Device Design - Part 2.pdf
 
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdf
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdfDesigning and Managing IoT Devices for Rapid Deployment - Webinar.pdf
Designing and Managing IoT Devices for Rapid Deployment - Webinar.pdf
 
Quality and Test in Medical Device Design - Part 1.pdf
Quality and Test in Medical Device Design - Part 1.pdfQuality and Test in Medical Device Design - Part 1.pdf
Quality and Test in Medical Device Design - Part 1.pdf
 
Creating Digital Twins Using Rapid Development Techniques.pdf
Creating Digital Twins Using Rapid Development Techniques.pdfCreating Digital Twins Using Rapid Development Techniques.pdf
Creating Digital Twins Using Rapid Development Techniques.pdf
 
Secure Your Medical Devices From the Ground Up
Secure Your Medical Devices From the Ground Up Secure Your Medical Devices From the Ground Up
Secure Your Medical Devices From the Ground Up
 
Cybersecurity and Software Updates in Medical Devices.pdf
Cybersecurity and Software Updates in Medical Devices.pdfCybersecurity and Software Updates in Medical Devices.pdf
Cybersecurity and Software Updates in Medical Devices.pdf
 
MDG Panel - Creating Expert Level GUIs for Complex Medical Devices
MDG Panel - Creating Expert Level GUIs for Complex Medical DevicesMDG Panel - Creating Expert Level GUIs for Complex Medical Devices
MDG Panel - Creating Expert Level GUIs for Complex Medical Devices
 
How to Craft a Winning IOT Device Management Solution
How to Craft a Winning IOT Device Management SolutionHow to Craft a Winning IOT Device Management Solution
How to Craft a Winning IOT Device Management Solution
 
Bridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsBridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory Teams
 
IoT Device Fleet Management: Create a Robust Solution with Azure
IoT Device Fleet Management: Create a Robust Solution with AzureIoT Device Fleet Management: Create a Robust Solution with Azure
IoT Device Fleet Management: Create a Robust Solution with Azure
 
Basic Cmake for Qt Users
Basic Cmake for Qt UsersBasic Cmake for Qt Users
Basic Cmake for Qt Users
 
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...
Software Update Mechanisms: Selecting the Best Solutin for Your Embedded Linu...
 
Qt Installer Framework
Qt Installer FrameworkQt Installer Framework
Qt Installer Framework
 
Bridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory TeamsBridging the Gap Between Development and Regulatory Teams
Bridging the Gap Between Development and Regulatory Teams
 
Overcome Hardware And Software Challenges - Medical Device Case Study
Overcome Hardware And Software Challenges - Medical Device Case StudyOvercome Hardware And Software Challenges - Medical Device Case Study
Overcome Hardware And Software Challenges - Medical Device Case Study
 
User Experience Design for IoT
User Experience Design for IoTUser Experience Design for IoT
User Experience Design for IoT
 

Recently uploaded

CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️anilsa9823
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Steffen Staab
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerThousandEyes
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AIABDERRAOUF MEHENNI
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsAndolasoft Inc
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfkalichargn70th171
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...Health
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...harshavardhanraghave
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVshikhaohhpro
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...MyIntelliSource, Inc.
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...OnePlan Solutions
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️Delhi Call girls
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceanilsa9823
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comFatema Valibhai
 

Recently uploaded (20)

CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online  ☂️
CALL ON ➥8923113531 🔝Call Girls Kakori Lucknow best sexual service Online ☂️
 
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
Shapes for Sharing between Graph Data Spaces - and Epistemic Querying of RDF-...
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected WorkerHow To Troubleshoot Collaboration Apps for the Modern Connected Worker
How To Troubleshoot Collaboration Apps for the Modern Connected Worker
 
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AISyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
SyndBuddy AI 2k Review 2024: Revolutionizing Content Syndication with AI
 
How To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.jsHow To Use Server-Side Rendering with Nuxt.js
How To Use Server-Side Rendering with Nuxt.js
 
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdfThe Ultimate Test Automation Guide_ Best Practices and Tips.pdf
The Ultimate Test Automation Guide_ Best Practices and Tips.pdf
 
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
+971565801893>>SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHAB...
 
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
Reassessing the Bedrock of Clinical Function Models: An Examination of Large ...
 
Optimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTVOptimizing AI for immediate response in Smart CCTV
Optimizing AI for immediate response in Smart CCTV
 
Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS LiveVip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
Vip Call Girls Noida ➡️ Delhi ➡️ 9999965857 No Advance 24HRS Live
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female serviceCALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
CALL ON ➥8923113531 🔝Call Girls Badshah Nagar Lucknow best Female service
 
HR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.comHR Software Buyers Guide in 2024 - HRSoftware.com
HR Software Buyers Guide in 2024 - HRSoftware.com
 

[Webinar] Qt Test-Driven Development Using Google Test and Google Mock

  • 1. © Integrated Computer Solutions, Inc. All Rights Reserved Qt Test-Driven Development Using Google Test and Google Mock Justin Noel, Senior Consulting Engineer 1
  • 2. © Integrated Computer Solutions, Inc. All Rights Reserved Webinar Contents • Light introduction to Google Test / Google Mock • See bibliography for more information • Light introduction to TDD • See bibliography for more information • Designing applications for testability • Isolation of units • How to test with classes that use Qt • Using Google Test with Qt Creator • QObject, Qt Data types, Signals, Events 2
  • 3. © Integrated Computer Solutions, Inc. All Rights Reserved Types of Testing • Unit Testing • Test one discrete area of the software • Usually on a class basis. Think “Test Piston Rod” • Tests can be written and performed as code is developed • White box tests. Often written by developers • “Does the software perform as the developer intended?” • Functional Testing • Tests subsystems of the whole software system • Usually a group of classes. Think “Test Engine” • Tests can be preformed once subsystem is wired together • Tests interaction between specific groups of units • “Does the software work together?” 3
  • 4. © Integrated Computer Solutions, Inc. All Rights Reserved Types of Testing • System Testing • End to end testing of the whole software system • Sometimes includes actual hardware. Think “Test Car” • Tests are written late in project • Because of the end to end nature • Black box tests. Often written by separate SQA team • “Does the software do the right thing?” 4
  • 5. © Integrated Computer Solutions, Inc. All Rights Reserved Google Test Creator Integration • Unified AutoTest Plugin (Qt Creator 4.0+) • QTest • QTest-QML • GoogleTest • Provides new Test Results output pane • Tree of Test Fixtures and Test Functions • Color codes success vs failure • Contains failure messages from Google Test • Provide Tests project view • Select which tests to run 5
  • 6. © Integrated Computer Solutions, Inc. All Rights Reserved Google Test Creator Plugin 6
  • 7. © Integrated Computer Solutions, Inc. All Rights Reserved Enabling Auto Test Plugin • Start Qt Creator and enable the Auto Test plugin • Help -> About Plugins • Check Load for AutoTest under Utilities • Restart Qt Creator • You now have the following available • Test Results Output Pane • Tests Project View • Test Settings Pane under Tools -> Options • Show/Hide debug/warning console output • GoogleTest specific settings are here 7
  • 8. © Integrated Computer Solutions, Inc. All Rights Reserved Design for Testability • Your code must be testable! • There are design techniques to help make your code more testable • Try not to add functions to production code just for tests • Sub classing for tests is acceptable (access designer UI members) • Isolation of units is your primary goal • Can I just test this class? • Without re-testing lower level classes? • Also think about error conditions • Some may be hard to produce in production environments • Can I stimulate a bad MD5 error? • Socket disconnects? • Default switch cases? 8
  • 9. © Integrated Computer Solutions, Inc. All Rights Reserved Build Application as Libraries Building the bulk of your application as a set of libraries increases testability 9
  • 10. © Integrated Computer Solutions, Inc. All Rights Reserved Layered Design • A layered design is more testable • Easy to isolate lower layers for testing • Test Communications without Data, Presentation or Visualization • No upwards dependencies • Hard downward dependencies 10
  • 11. © Integrated Computer Solutions, Inc. All Rights Reserved Break Downward Dependencies • Dependency injection works well • An Inversion of Control Pattern • Classes take their dependencies as constructor arguments • Classes do not construct any members themselves • Loose coupling with signals and slots also works well • Classes interface to each other via signals and slots only • 3rd class wires say the UI classes to the Backend classes • Lets you substitute a test fixture object for a dependency object • Instead of an actual production object 11
  • 12. © Integrated Computer Solutions, Inc. All Rights Reserved Why is isolation important? • Avoids testing the same code over and over • You have already tested the data model • Why do the UI tests need to also test the model? • This will make your tests run very quickly • If there is a failure in a low level class it won’t trigger errors in higher level tests • Avoid testing side effects • Tests can be implementation agnostic • DB, Files, Cloud. Shouldn’t matter for UI tests. • Tests should only depend on interfaces, not behavior 12
  • 13. © Integrated Computer Solutions, Inc. All Rights Reserved EE Analogy: Motor Controller Test 13
  • 14. © Integrated Computer Solutions, Inc. All Rights Reserved Google Test/Mock Libraries • Google Test and Google Mock are C++ libraries • New version (1.8) combines gtest and gmock in one project • Called “googletest” • Link to them as you would any other C++ library • Only your test executables should need gtest and gmock libs • g[test|mock]_main and libraries offer a prebuilt main function • Build googletest using Cmake. make && make install • Use from a known location like Qt • Build GoogleTest inside your project using short .pro/.pri • I prefer this to avoid compiler flag incompatibilities • Windows is famous for mix/match incompatibilities • Qt’s GoogleTest project template does this method 14
  • 15. © Integrated Computer Solutions, Inc. All Rights Reserved Google Test/Mock In Project Build Google Test and Google Mock with this short .pro 15 TEMPLATE = lib CONFIG += static exceptions CONFIG -= debug_and_release TARGET = GoogleTest INCLUDEPATH += googletest/googletest/include googletest/googlemock/include googletest/googletest googletest/googlemock SOURCES = googletest/googletest/src/gtest-all.cc googletest/googlemock/src/gmock-all.cc
  • 16. © Integrated Computer Solutions, Inc. All Rights Reserved GTest is a unit testing framework • Prepare • Create dependencies • Create object under test • Setup expectations • Mock Expectations, QSignalSpy, etc • Stimulate • Call a 1 function or emit a signal • Verify • Check that expectations occurred • And/or check return value 16
  • 17. © Integrated Computer Solutions, Inc. All Rights Reserved GTest Verifications • ASSERT_EQ(a, b) – Equality Operator • Works for QString, std::string, etc • QString needs a “Pretty Printer” to be truly integrated • ASSERT_TRUE(exp) – Boolean Expression • ASSERT_DOUBLE_EQ(a, b) – Fuzzy Compare • ASSERT_FLOAT_EQ(a, b) – Fuzzy Compare • ASSERT_STREQ(a, b) – char* comparison 17
  • 18. © Integrated Computer Solutions, Inc. All Rights Reserved Expection, Assert, Abort, Exit • EXPECT_THROW(foo(), execptionType) • EXPECT_NO_THROW(foo(), exceptionType) • ASSERT_DEATH(foo()) • Fails if program did not exit() or abort() • assert(), Q_ASSERT(), etc will abort() • Very useful for testing “Does CTRL-C exit my program” • These types of tests can pass on unhandled exceptions and exiting. Tests will continue on as usual. • This is something that is hard to do in QtTest. 18
  • 19. © Integrated Computer Solutions, Inc. All Rights Reserved Qt Specific Things • Not supplied by Google Test • QtTest does supply these. Link to QtTest and use them. • QSignalSpy • Test for signal emits • QTest::mouseClick, QTest::keyClicks, etc • Stimulate Qt events 19
  • 20. © Integrated Computer Solutions, Inc. All Rights Reserved Print Qt Data Types in Output • Google Test would like to print text for objects using ASSERT_EQ • std::ostream << operators work • Or implement a PrintTo function • Put this in a header file and include it in your test files 20 QT_BEGIN_NAMESPACE inline void PrintTo(const QString &qString, ::std::ostream *os) { *os << qPrintable(qString); } QT_END_NAMESPACE
  • 21. © Integrated Computer Solutions, Inc. All Rights Reserved Creating a Test Fixture 21 #include <gtest/gtest.h> using namespace ::testing; // Fixture class ExampleTest : public Test { protected: Example m_example; // Object Under Test }; // Test Function TEST_F(ExampleTest, ThisShouldFail) { ASSERT_TRUE(false); }
  • 22. © Integrated Computer Solutions, Inc. All Rights Reserved New Objects For Every Test Function • A new Fixture is created for every test function • All new objects are created for each test • Helps ensure that tests do no depend on each other • Or pollute the environment for future tests • Can use constructor and destructor to setup tests • Unless there may be exceptions thrown • Fixtures have Setup() and TearDown() functions to handle that case • Some projects have policy to only use Setup() and TearDown() with empty constructor and destructor 22
  • 23. © Integrated Computer Solutions, Inc. All Rights Reserved Test Fixture Project 23 QT += test # QtTest includes QSignalSpy, event stimulators, etc CONFIG += console # Create an stdout window on Windows CONFIG += testcase # Creates make check target INCLUDEPATH += ../GoogleTest/include LIBS += -L../GoogleTest/lib –lGoogleTest # Lib name(s) depends on build SOURCES += TestQString.cpp qmake make LD_LIBRARY_PATH=<paths> make check
  • 24. © Integrated Computer Solutions, Inc. All Rights Reserved Running Selected Test Fixtures • Google test supplies a very intelligent main helpers • Defaults to running all the tests • Command line options can run any subset of tests • By fixture name or test name 24 #include <gmock/gmock.h> int main(int argc, char *argv[]) { testing::InitGoogleTest(&argc, argv); testing::InitGoogleMock(&argc, argv); return RUN_ALL_TESTS();
  • 25. © Integrated Computer Solutions, Inc. All Rights Reserved Running Selected Test Fixtures • Test Project View can select tests 25
  • 26. © Integrated Computer Solutions, Inc. All Rights Reserved Running Tests Within Creator • Tests must be executed from the Test Results Pane • Run All • Run Selected • Filter Results • Show failures only • Double clicking a failure navigates to the test code 26
  • 27. © Integrated Computer Solutions, Inc. All Rights Reserved Writing Good Tests • Test one thing at a time • It’s tempting to get as much done in one function as you can. • This makes one verification depend on another verification • Tests will be brittle and changes to code could break lots of verifications • Do not have your tests depend on each other • Order should not matter! • Not depending on other tests will help you when you remove functionality. • You do not want to have to fix a cascading waterfall of tests! • Google Test has a shuffle mode command line parameter • Keeps you from depending on previous tests 27
  • 28. © Integrated Computer Solutions, Inc. All Rights Reserved Test Driven Development (TDD) • An entirely new way of writing code • Mind bending at first. Hard to re-train your brain • 1 Test is written before ~1 code is written • Test must fail before the line of code is written • Write the minimum code necessary to pass the test • Often the WRONG code to pass the first couple tests • Write another test 28
  • 29. © Integrated Computer Solutions, Inc. All Rights Reserved Benefits of TDD • Every line of code is well tested • Tests are written as code is written • High code coverage • Obscure conditions are tested along with normal paths • No unused code paths • Paths are used as test are written • Awkward APIs are found by class developers. Not class users! • Tests are known to fail when expected code is not correct • Because the test failed without that line of code present • Tests did not pass by “coincidence” 29
  • 30. © Integrated Computer Solutions, Inc. All Rights Reserved Drawbacks of TDD • Larger developed code size. More code more time. • Possibly > 10 SLOC of Tests for ~1 SLOC of Code • Re-working behavior can be difficult without re-writing many tests • Re-factor is easier as code is usually more modular • For example: Move tests with code to another class. • Hard part is still hard. • Design is still the hardest part to coding. • Increased testing of the implementation will not fix design issues • Code that isn’t written still isn’t tested • i.e. A function can be passed bad data. • If there is no test there is no guard for bounds... Boom! • Code still needs to be reviewed and corner cases caught. 30
  • 31. © Integrated Computer Solutions, Inc. All Rights Reserved TDD a Division Function Demo 31
  • 32. © Integrated Computer Solutions, Inc. All Rights Reserved Google Mock is a Dependency Replacement Framework • Mock allows you to easily replace production class dependencies with testing alternatives • Provides the ability to hi-jack return variables and error conditions • Provides ability to “expect calls” to be made • Check the parameters of those calls • Mock allows us to test against the interface of the dependency • Not the behavior or implementation • No reason to actually write to a database or files • Simply verify that object calls Logger log() function satisfies test 32
  • 33. © Integrated Computer Solutions, Inc. All Rights Reserved Production Implementations 33
  • 34. © Integrated Computer Solutions, Inc. All Rights Reserved Battery Test Implementation Battery has been isolated from the rest of the system 34
  • 35. © Integrated Computer Solutions, Inc. All Rights Reserved Dependency Injection • Constructors to classes take references to dependencies • Rather than having self created members • Sometimes setters are used rather than constructors • Either way makes it easy to swap out dependencies • Dependency Injection can help isolate units • Each class has a base class interface with pure virtuals • IBatteryCell • Inherited by BatteryCell and MockBatteryCell • Interface has to inherit QObject to use signals and Q_PROPERTY • Properties can be declared with pure virtual READ and WRITE 35
  • 36. © Integrated Computer Solutions, Inc. All Rights Reserved IBatteryCell 36 #include "ApplicationLibDecl.h" #include <QObject> class APPLICATIONLIB_EXPORT IBatteryCell : public QObject { Q_OBJECT Q_PROPERTY(double chargePercent READ chargePercent WRITE chargePercentChanged) public: virtual double chargePercent() const = 0; signals: void chargePercentChanged(); };
  • 37. © Integrated Computer Solutions, Inc. All Rights Reserved MockBatteryCell 37 #include "IBatteryCell.h" #include <gmock/gmock.h> class MockBatteryCell : public IBatteryCell { Q_OBJECT public: MOCK_CONST_METHOD0(chargePercent, double()); };
  • 38. © Integrated Computer Solutions, Inc. All Rights Reserved Using Mock in a Fixture 38 class BatteryTest : public Test { public: BatteryTest() : m_battery(m_batteryCellOne, m_batteryCellTwo) { } protected: //Dependencies NiceMock<MockBatteryCell> m_batteryCellOne; NiceMock<MockBatteryCell> m_batteryCellTwo; //Class Under Test Battery m_battery; };
  • 39. © Integrated Computer Solutions, Inc. All Rights Reserved Mock Expectations • EXPECT_CALL • Verifies that a function was called • How many times? With what parameters? 39 TEST_F(SomeTest, SetValueCalledWithCorrectParameter) { EXPECT_CALL(m_mockDep, setValue(1)).Times(AtLeast(1)); m_underTest.setAllValues(); }
  • 40. © Integrated Computer Solutions, Inc. All Rights Reserved Mock Return Value • ON_CALL or EXPECT_CALL can make the mocked function return arbitrary values • Even return different values based on parameters • Or return different values based on how many times it was called 40 TEST_F(SomeTest, CalculateReturnsDepFooPlusBar) { ON_CALL(m_mockDep, getValue(“Foo”)).WillByDefault(Return(5.0)); ON_CALL(m_mockDep, getValue(“Bar”)).WillByDefault(Return(55.0)); ASSERT_DOUBLE_EQ(60.0, m_underTest.calculate()); }
  • 41. © Integrated Computer Solutions, Inc. All Rights Reserved Turning Mock Implicit Failure • Regular MockType instance • Warns on uninteresting calls • Functions called without explicit EXPECT_CALL or ON_CALL • Test passes with warnings printed to console • StrictMock<MockType> • Fails on any uninteresting call • NiceMock<MockType> • Fails only when explicit expectations are not met • Suppresses uninteresting warnings 41
  • 42. © Integrated Computer Solutions, Inc. All Rights Reserved Mock Has Many Features • Far too many to list or describe in a 1 hour webinar • There are entire books dedicated to Google Mock • Tune Expectations • Return(ByRef(val)), WillOnce, WillByDefault, Times(), GreaterThan() • Custom Matchers • Verify parameters by arbitrary means • Compare based on members • Id() function on a pointer type • List goes on and on 42
  • 43. © Integrated Computer Solutions, Inc. All Rights Reserved Testing a Signal • QSignalSpy from QTest can test signals without a slot • QTest also has functions for stimulating user events 43 TEST_F(SomeTest, MouseClickEmitsClickedSingal) { QSignalSpy spy(&m_button, SIGNAL(clicked())); QTest::mouseClick(m_button); ASSERT_EQ(1, spy.count()); }
  • 44. © Integrated Computer Solutions, Inc. All Rights Reserved Stimulating a Signal • signals is a #define public • Emit dependent object signals directly! • emit is a #define to nothing 44 TEST_F(SomeTest, DepUpdateSignalChangesValue) { m_underTest.setValue(5); emit m_mockDep.update(10); // emit is actually optional ASSERT_EQ(10, m_underTest.value()); }
  • 45. © Integrated Computer Solutions, Inc. All Rights Reserved Q_PROPERTY Macro Testing • Two options to test Q_PROPERTY via TDD • 1) Use Private/Protected READ and WRITE methods • Test the property like a public function using • obj.property(“name”).to[Type]() • obj.setProperty(“name”, variantValue) • Only useful if class is only used via properties. Say for QML. • 2) Test public getter and setter as usual • Then test the Q_PROPERTY using dummy READ / WRITE methods • You end up with the exact same tests as get/set methods • Finally refactor the Q_PROPERTY to use regular get/set • All tests should still pass • However, you end up with 2x tests. Bulletproof tests. 45
  • 46. © Integrated Computer Solutions, Inc. All Rights Reserved Q_PROPERTY NOTIFY / CONSTANT • Check the name of the property's NOTIFY signal • Use QMetaObject / QMetaProperty / QMetaMethod 46 • Check for property’s CONSTANT flag • Use QMetaObject / QMetaProperty int propertyIndex = m_battery.metaObject()->indexOfProperty("chargePercent"); QMetaProperty property = m_battery.metaObject()->property(propertyIndex); ASSERT_STREQ("chargePercentChanged", property.notifySignal().name().data()); int propertyIndex = m_battery.metaObject()->indexOfProperty("chargePercent"); QMetaProperty property = m_battery.metaObject()->property(propertyIndex); ASSERT_TRUE(property.isConstant());
  • 47. © Integrated Computer Solutions, Inc. All Rights Reserved Battery Test Example 47
  • 48. © Integrated Computer Solutions, Inc. All Rights Reserved Bibliography Google Test • Primer • https://github.com/google/googletest/blob/master/googletest/docs/Primer. md • Cook Book • https://github.com/google/googletest/blob/master/googlemock/docs/CookB ook.md 48
  • 49. © Integrated Computer Solutions, Inc. All Rights Reserved Bibliography Google Mock • Primer • https://github.com/google/googletest/blob/master/googlemock/docs/ForDu mmies.md • Cook Book • https://github.com/google/googletest/blob/master/googlemock/docs/CookB ook.md • Cheat Sheet • https://github.com/google/googletest/blob/master/googlemock/docs/CheatS heet.md 49
  • 50. © Integrated Computer Solutions, Inc. All Rights Reserved Bibliography TDD • http://www.agiledata.org/essays/tdd.html • http://www.jamesshore.com/Agile-Book/test_driven_development.html • http://www.amazon.com/Modern-Programming-Test-Driven-Development- Better/dp/1937785483/ref=sr_1_1?ie=UTF8&qid=1455140098&sr=8- 1&keywords=TDD+C%2B%2B • http://www.amazon.com/Test-Driven-Development-Kent- Beck/dp/0321146530/ref=sr_1_fkmr0_1?ie=UTF8&qid=1455140098&sr=8-1- fkmr0&keywords=TDD+C%2B%2B 50
  • 51. © Integrated Computer Solutions, Inc. All Rights Reserved Bibliography • SOLID Object Oriented Design Principles • https://en.wikipedia.org/wiki/SOLID_(object-oriented_design) • http://www.codemag.com/article/1001061 • https://scotch.io/bar-talk/s-o-l-i-d-the-first-five-principles-of-object-oriented- design 51
  • 52. © Integrated Computer Solutions, Inc. All Rights Reserved Thank You! 52