Cplusplus
Cplusplus
Programming in C++
Introduction to the language standard
C++14 ( and a preview of C++17 )
Chapter 1
Introduction
C++
Goals
General purpose: no specialization to specific usage areas
No over simplification that precludes a direct expert level use
of hardware resources
Leave no room for a lower level language
What you don’t use, you don’t pay for
Programming Styles
Resources
http://www.cplusplus.com/reference/
http://en.cppreference.com/
http://www.qt.io
http://www.threadingbuildingblocks.org
https://github.com/isocpp/CppCoreGuidelines
git clone https://github.com/isocpp/CppCoreGuidelines.git
Elementary Constructs
Getting started
Useful aliases
Getting started
Comments on the hello world program
Exercise 1.1:
By passing the additional compiler option -v to g++, recompile
the hello world program and observe the logs from different
stages of the compilation process.
Where does the g++ search for headers ?
Where does clang++ look for headers ? Try
clang++ -v hello.cc and
clang++ -stdlib=libc++ -v hello.cc, and observe the
differences.
Code legibility
Style
to compile. For the last one, you will need the option
-std=c++1z.
C++ namespaces
}
void load_slang() {...} Functions defined inside
namespace UnitedStates
{
namespaces need to be
string London{"Small town in Kentucky"};
void load_slang() {...}
accessed using the same
} scope rules as variables
int main()
{
using namespace UnitedKingdom;
cout<<London<<’\n’;
cout<<UnitedStates::London<<’\n’;
}
C++ namespaces
unnamed namespaces
Example 1.3:
The directory examples/unnamednsp contains the same files
as examples/multdef, with unnamed namespaces enclosing
the variables D in files file(1|2).cc. Comment/uncomment
the namespace boundaries and try to build. With the unnamed
namespaces in place, the variables in the two files are
independent of each other.
Preprocessor directives
Example 1.4:
The program examples/bits_in_int.cc counts the number
of 1 bits in the binary representation of the numbers you enter.
Compile and run to check. Then use the C preprocessor cpp to
process the file. The output is what the compiler receives.
C-style enumerations
Defined with enum class enum class color { red, green, blue };
enum class traffic_light {
Must always be fully qualified };
red,yellow,green
#include <string>
Character strings ...
std::string fullname;
std::string name{"Albert"};
String of characters std::string surname{"Einstein"};
C++ strings
// Instead of ...
string message{"The tag \"\\maketitle\" is unexpected here."};
// You can write ...
string message{R"(The tag "\maketitle" is unexpected here.)"};
Example 1.5:
The file examples/rawstring.cc illustrates raw strings in use.
Exercise 1.2:
The file exercises/raw1.cc has a small program printing a
message about using the continuation character ’\’ at the end of
the line to continue the input. Modify using raw string literals.
Example 1.6:
Test example usage of string↔number conversions in
examples/to_string.cc and examples/stoX.cc
Arrays
Loops
Exercise 1.4:
Finish the program exercises/gcd.cc so that it computes
and prints the greatest common divisor of two integers. The
following algorithm (attributed to Euclid!) achieves it :
1 Input numbers : smaller , larger
2 remainder = larger mod smaller
3 larger = smaller
4 smaller = remainder
5 if smaller is not 0, go back to 2.
6 larger is the answer you are looking for
// Instead of ...
//for (size_t i=0;i<fullname.size();++i) {
// if (fullname[i]>’j’) blah+=fullname[i];
//}
// you could write ...
for (auto c : fullname) if (c>’j’) blah+=c;
Example 1.7:
You will find two tiny example programs examples/loop.cc
and examples/loop2.cc to demonstrate the range based for
loops. Modify the code to write out an array of strings.
Functions: Syntax
Recursion
SP=<in factorial()> n=1 u=1 RP=<4>
SP=<in factorial()> n=2 u=2 RP=<4> A function calling itself
SP=<in factorial()> n=3 u=3 RP=<4>
SP=<in factorial()> n=4 u=4 RP=<9>
Each level of "recursion" has
SP=<in someother()> RP=<...> its own stack frame
1 unsigned int factorial(unsigned int n) Function parameters are
2 {
3 int u=n; // u: Unnecessary copied to the stack frame
4 if (n>1) return n*factorial(n-1);
5
6 }
else return 1; Local variables at different
7
8
int someother()
{
levels of recursion live in
9
10 }
factorial(4); their own stack frames, and
do not interfere
inline functions
Heap vs stack
}
// Immediate SEGFAULT We do not know how much
space we should reserve for a
variable (e.g. a string)
We need a way to allocate
from the "free store"
Memory allocation/deallocation
Evaluation order
clang++ prints 1 1 1
g++ prints 2 2 0
although both parse it as
cout.operator<<(exp1).operator<<(’\t’).operator<<(i).operator<<(’\t’).operator
(exp2).operator("\n");
Sub-expression evaluation
a = i+j*k;
1
http://en.cppreference.com/w/cpp/language/eval_order
Sub-expression evaluation II
4 Value calculations of built-in post increment (i++) and post
decrement (i--) operators are sequenced before their side
effects
5 Side effect calculations of built-in pre-increment (++i) and
pre-decrement (--i) operators are sequenced before their
values
6 For built-in logical AND and OR operators (&& and ||) the
value as well as side effects of the LHS are sequenced before
those of the RHS
7 For cond?then:otherwise ternary operator, value
computation of cond is sequenced before both value and side
effects of the then and otherwise
double f(double x)
{ Exceptions
double answer=1;
if (x>=0 and x<10) {
while (x>0) {
answer*=x;
A function may be called
}
x-=1; with arguments which
} else {
// the function is undefined
don’t make sense
}
return answer; An illegal mathematical
// should we really return anything
// if the function went into
operation
// the "else"?
} Too much memory might
have been requested.
Assertions
}
// true otherwise Used for non-trivial checks in
double somewhere()
{
code during development.
// if I did everything right,
// val should be non-negative
The errors we are trying to
assert(val>=0);
assert(check_things());
catch are logic errors in
} implementation.
If the macro NDEBUG is
After we are satisfied that defined before including
the program is correctly <cassert>
implemented, we can pass assert(condition)
-DNDEBUG to the compiler, reduces to nothing
and skip all assertions.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 90 330
Exercise 1.10:
The program exercises/exception.cc demonstrates the use
of exceptions. Rewrite the loop so that the user is asked for a
new value until a reasonable value for the function input
parameter is given.
Exercise 1.11:
Handle invalid inputs in your gcd.cc program so that if we call
it as gcd apple orange it quits with an understandable error
message. Valid inputs should produce the result as before.
Chapter 2
C++ classes
Functions, relevant for the concept, can be declared inside the
struct :
struct complex_number
{
complex_number add(complex_number b);
};
complex_number complex_number::add(complex_number b)
{
return {real+b.real,imaginary+b.imaginary};
}
Operator overloading
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 100 330
Exercise 2.1:
The file complex_numbers.cc contains a short implementation
of a complex number type, with the syntax discussed up to this
point. Change the member functions doing the mathematical
operations into operators, and modify their usage in the main
function.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 101 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 102 330
Datatypes
Type Bits Value
Float 0100 0000 0100 1001 0000 1111 1101 1011 3.1415927
Int 0100 0000 0100 1001 0000 1111 1101 1011 1078530011
};
int operator-(const Date &) const; Provide only those operations
on the data which keep the
essential properties intact
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 103 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 104 330
Object creation: constructors
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 105 330
Constructors
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 106 330
Constructors
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 107 330
struct darray
{ What happens to the memory ?
double *data=nullptr;
size_t sz=0;
darray(size_t N) : sz{N} {
The struct darray has a pointer
}
data = new double[sz];
member, which points to
}; dynamically allocated memory
double tempfunc(double phasediff)
{ When the life of the variable A
// find number of elements
darray A{large_number}; ends the member variables (e.g.
// do some great calculations
return answer; the pointer data) go out of
}
scope.
How does one free the
dynamically allocated memory
attached to the member data ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 108 330
Freeing memory for user defined types
struct darray
For any struct which explicitly
{ allocates dynamic memory
double *data=nullptr;
size_t sz=0;
darray(size_t N) : sz{N} {
We need a function that cleans
}
data = new double[sz];
up all explicitly allocated
~darray() {
if (data) delete [] data;
memory in use. Such functions
};
} are called destructors, and have
double tempfunc(double phasediff)
the name ~ followed by the
{
// find number of elements
struct name.
darray A{large_number};
// do some great calculations Destructors take no arguments,
return answer;
} and there is exactly one for each
struct
The destructor is automatically
called when the variable expires.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 109 330
struct complex_number
{ What values should the
double x, y;
}; members get ?
//...
complex_number z0{2.0,3.0},z1;
z1=z0; // assignment operator
complex_number z2{z0}; //copy constructor
In most cases, we want to
assign the data members to
the corresponding members
This happens automatically,
but using special functions
for these copy operations
You can redefine them for
your class
Why would you want to ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 110 330
Copying and assignments
class darray {
double *x;
};
darray::darray(unsigned n)
{
x=new double[n];
}
void foo()
{
darray ar1(5);
darray ar2{ar1}; //copy constructor
ar2[3]=2.1;
//oops! ar1[3] is also 2.1 now!
} //trouble
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 111 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 112 330
Move constructor/assignment operator
class darray {
darray(darray &&); //Move constructor
darray & operator=(darray &&);
//Move assignment operator
};
darray::darray(darray && other)
{
len=other.len;
x=other.x;
other.x=nullptr;
}
darray & darray::operator=(darray &&
other) {
len=other.len;
x=other.x;
Construct or assign from an
other.x=nullptr; R-value reference
return *this;
} (darray &&)
darray d1(3);
init_array(d1);//d1={1.0,2.0,3.0}
darray d2{d1};//Copy construction
Steal resources from RHS
// d1 and d2 are {1.,2.,3.}
darray d3{std::move(d1)}; //Move Put disposable content in
// d3 is {1.,2.,3.}, but d1 is empty!
RHS
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 113 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 114 330
Big five (or zero)
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 115 330
Big five
class cnumber {
public:
cnumber(double x, double y) : re{x}, im{y} {}
cnumber() = default;
cnumber(const cnumber &) = default;
cnumber(cnumber &&) = default;
cnumber & operator=(const cnumber &) = default;
cnumber & operator=(cnumber &) = default;
};
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 116 330
Big five
class darray {
darray() = delete;
darray(const cnumber &) = delete;
darray(cnumber &&) = default;
darray & operator=(const cnumber &) = delete;
darray & operator=(cnumber &) = default;
};
You can also explicitly request that one or more of these are
not auto-generated
In the example shown here, it will not be possible to copy
objects of the class, but they can be moved
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 117 330
management
Pass argument to the Neat trick that works in most
assignment operator by value cases
instead of reference Reduces the big five to big
Use the class member four
function swap to swap the
data with the newly created
copy
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 118 330
Public and private members
Separating interface and implementation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 119 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 120 330
C++ classes
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 121 330
Exercise 2.2:
The program exercises/complex_number_class.cc
contains a version of the complex number class, with all syntax
elements we discussed in the class. It is heavily commented with
explanations for every subsection. Please read it to revise all the
syntax relating to classes. Write a main program to use and test
the class.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 122 330
Constructor/destructor calls
Exercise 2.3:
The file exercises/verbose_ctordtor.cc demonstrates the
automatic calls to constructors and destructors. The simple class
Vbose has one string member. All its constructors and
destructors print messages to the screen when they are called.
The main() function creates and uses some objects of this
class. Follow the messages printed on the screen and link them
to the statements in the program. Does it make sense (i) When
the copy constructor is called ? (ii) When is the move
constructor invoked ? (iii) When the objects are destroyed ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 123 330
Exercise 2.4:
Write a class to represent dynamic arrays of complex numbers.
You should be able to write :
complex_array q;
std::cout<<"Number of points: ";
unsigned int npt;
std::cin>>npt;
q.resize(npt);
for (unsigned j=0;j<npt;++j) {
q[j].set(j*pi/npt,0);
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 124 330
Making std::cout recognize class
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 125 330
Class invariants
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 126 330
Class invariants
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 127 330
C++ classes
Exercise 2.5:
The file exercises/angles.cc contains a lot of elements
from what we learned about classes. There are also a few new
tips, and suggested experiments. Read the code. Run it. Try to
understand the output. Do the suggested code changes, and
make sure you understand the compiler errors or the change in
results.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 128 330
Static members
Example 2.1:
A singleton class is a type designed in such a way that there is at
most one object of that type. Every attempt to get an object of
that type results in a pointer or reference to the same object.
One way to implement this, is by making all constructors of the
class private, and providing a
static Singleton * getInstance() member function.
This function, being a member of the class, can access the
private constructors. It can create a static object and return
its address. From outside, the only way to get an object of this
type is then to call getInstance(), which will return a pointer
to the same static object. The singleton programming pattern is
demonstrated in examples/singleton.cc.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 130 330
Some fun: overloading the () operator
class swave
const double pi=acos(-1);
{
private:
int N=100;
double a=1.0, omega=1.0;
swave f{2.0,0.4};
public:
swave g{2.3,1.2};
swave()=default;
swave(double x, double w) :
for (int i=0;i<N;++i) {
a{x}, omega{w} {}
double ar=2*i*pi/N;
double operator()(double t) const
std::cout<<i<<" "<<f(ar)
{
<<" "<<g(ar)
return a*sin(omega*t);
<<’\n’;
}
}
};
Functionals
Function like objects, i.e., classes which define a () operator
If they return a bool value, they are called predicates
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 131 330
Functionals
They are like other variables. But they can be used as if they
were functions!
You can make vectors or lists of functionals, pass them as
arguments ...
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 132 330
Templates
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 133 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 134 330
Introduction to C++ templates
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 135 330
Example 2.2:
The example code examples/template_intro.cc contains
the above templated copy function. Compile and check that it
works. Read through the code and understand it. Although we
seemingly call a function we wrote only once, first with an array
of doubles and then with an array of strings, the compiler sees
these as calls to two different functions. No runtime decision
needs to be made according to the incomming types in this
example.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 136 330
memcpy
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 137 330
memcpy
Generic code
The use of void * is a trick: pointer to any class can be cast
to a void *
So, the memcpy code can copy arrays of int, float, double etc.
But what if the collection we want to copy is in a linked list,
instead of an array ?
... or bare copy is not enough for your type (Remember why
you needed copy constructors ?)
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 138 330
memcpy
Generic code
The logic of the copy operation is quite simple. Given an iterator
range first to last in an input sequence, and a target
location result in an output sequence, we want to:
Loop over the input sequence
For each position of the input iterator, copy the
corresponding element to the output iterator position
Increment the input and output iterators
Stop if the input iterator has reached last
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 139 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 140 330
Test generic copy function
Exercise 2.6:
The file exercises/copy0.cc contains the above generic copy
function, and a test code in which we copy a std::list into a
std::vector.
Compile and run the program
At the end of the main program, declare two strings
s1="AAAA AAAA"; s2="BBBB BBBB"; Check that the same
copy function can copy s1 to s2!
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 141 330
C++ templates
Exercise 2.7:
Write a generic inner product function, that takes two sequences
of "stuff", multiplies them term by term and adds them. Show
that you can use it to multiply lists of doubles, integers, complex
numbers. Also, check that you can use the same function after
changing one or both lists to vectors.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 142 330
Writing generic code
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 143 330
Ordered pairs
struct double_pair
{ Template classes
double first,second;
};
...
double_pair coords[100];
Classes can be templates too
...
struct int_pair Generated when the template
{
int first,second; is “instantiated”
};
...
int_pair line_ranges[100];
... template <class T, class U>
struct int_double_pair struct pair
{ {
// wait! T first;
// can I make a template out of it? U second;
}; };
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 144 330
Ordered pairs
Template classes
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 145 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 146 330
Inheritance and class
hierarchies
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 147 330
Class inheritance
Analogy from biology
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 148 330
Class inheritance
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 149 330
Class inheritance
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 150 330
Inheritance: basic syntax
};
int j; public members are
class Derived : public SomeBase {
void haha() {
accessible from everywhere
// can access f() and i
// can not access j private members are for
}
}; internal use in one class
void elsewhere()
{ protected members can be
SomeBase a;
Derived b; seen by derived classes
// Can call a.f(),
// but e.g., a.i=0; is not allowed
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 151 330
Inheritance
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 152 330
Inheritance
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 153 330
Inheritance
class Base {
public:
void f(){std::cout<<"Base::f()\n";}
protected:
int i{4};
};
class Derived : public Base {
int k{0};
public:
void g(){std::cout<<"Derived::g()\n";}
};
int main()
{
Derived b;
Base *ptr=&b;
ptr->g(); // Error!
static_cast<Derived *>(ptr)->g(); //OK
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 154 330
Inheritance with virtual functions
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 155 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 156 330
Class inheritance with virtual functions
class Shape { A derived class inherits all
public:
virtual ~Shape()=0; member variables and
virtual void rotate(double)=0;
virtual void translate(Point)=0; functions from its base.
virtual double area() const =0;
};
virtual double perimeter() const =0; virtual re-implemented in
class Circle : public Shape {
public:
a derived class are said to be
Circle(); // and other constructors
~Circle();
"overriden", and ought to be
void rotate(double phi) {} marked with override
double area() const override
{
return pi*r*r;
A class with a pure virtual
}
private:
function (with "=0" in the
};
double r;
declaration) is an abstract
...
Shape a; // Error!
class. Objects of that type
Circle b; // ok. can not be declared.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 157 330
}
// return sum over sides Triangle implements its own
protected:
darray<Point> vertex;
area() function, but can
};
int npt; not implement a
class Triangle : public Polygon { perimeter(), as that is
public:
Triangle() : npt(3) declared as final in
{
vertex.resize(3); // ok Polygon. This is done if the
}
double area() const override implementation from the
{
// return sqrt(s*(s-a)*(s-b)*(s-c)) base class is good enough for
}
}; intended inheriting classes.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 158 330
Class inheritance with virtual functions
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 159 330
int main()
{
darray<Shape *> shape;
shape.push_back(new Circle(0.5, Point(3,7)));
shape.push_back(new Triangle(Point(1,2),Point(3,3),Point(2.5,0)));
...
for (size_t i=0;i<shape.size();++i) {
std::cout<<shape[i]->area()<<’\n’;
}
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 160 330
Calling virtual functions: how it works
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 161 330
vptr
Example 2.3:
The program examples/vptr.cc gives you a tiny class with
two double data members. The main function simply creates
an object of this kind and prints its size. It prints 16 (bytes) as
expected. Uncomment a line containing a virtual destructor
function for this class, and recompile and re-run. It will now
print 24 as the size on a typical 64 bit machine. Compiling with
g++ -O0 -g3 --no-inline and running it in the debugger,
you can see the layout of the data structure in memory, and
verify that the extra data member is indeed a pointer to a vtable
for the class.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 162 330
Calling virtual functions: how it works
Class inheritance
Inherit or include as data member ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 164 330
Class inheritance
Inherit or include as data member ?
class DNA {
... is vs has
std::valarray<char> seq;
};
A good guide to decide
class Cell : public DNA ???
whether to inherit or include
or
is to ask whether the concept
class Cell {
... B contains an object A, or
DNA mydna;
}; whether any object of type B
is also an object of type A,
like a monkey is a mammal,
and a triangle is a polygon.
is =⇒ inherit . has =⇒
include
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 165 330
Class inheritance
Inheritance summary
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 166 330
Class decorations
More control over classes
class A {
Class design improvements int v[]{1,-1,-1,1};
public:
A() = default;
Possible to initialise data in A(std::initializer_list<int> &);
A(int i,int j,int k,int l)
class declaration {
v[0]=i;
v[1]=j;
Initialiser list constructors v[2]=k;
v[3]=l;
Delegating constructors }
//Delegate work to another constructor
allowed A(int i,int j) : A(i,j,0,0) {}
};
Inheriting constructors class B : public A {
public:
possible // Inherit all constructors from A
using A::A;
B(string s);
};
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 167 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 168 330
Exercise 2.9:
The directory exercises/geometry contains a set of files for
the classes Point, Shape, Polygon, Circle, Triangle, and
Quadrilateral. In addition, there is a main.cc and a Makefile.
The implementation is old style. Using what you have learned
about classes in C++, improve the different classes using
keywords like default,override, final etc. Compile by
typing make. Familiarise yourself with
Implementation of inherited classes
Compiling multi-file projects
The use of base class pointers arrays to work with
heterogeneous types of objects
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 169 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 170 330
Curiously Recurring Template Pattern
};
}
CRTP
struct Car : public Named<Car> {
inline string get_name_impl() const
{ Polymorphism without
return get_brand()+get_model()+
get_year(); virtual functions
}
}; Faster in many cases
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 171 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 172 330
Initialiser list constructors
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 173 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 174 330
A dynamic array template class
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 175 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 176 330
A dynamic array template class
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 177 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 178 330
Example 2.5:
The file examples/darray_complete.cc has a completed
and extensively commented dynamic array class. Notice the use
of the new function syntax in C++11. See how to enable range
based for loop for your classes. See how the output operator was
written entirely outside the class. Check the subtle difference in
this case between using {10} and (10) as arguments while
constructing a darray.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 179 330
Chapter 3
Lambda functions
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 180 330
Lambda Functions
Purpose
Basic syntax
Uses
Effective use of STL
Initialisation of const
Concurrency
New loop styles
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 181 330
Motivation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 182 330
Motivation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 183 330
Motivation
We want something like the local function here, but with more
control over how it sees its environment.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 184 330
Motivation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 185 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 186 330
Lambda Functions: Syntax
[capture] (arguments)mutable−>return_type{body}
Examples
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 188 330
No default capture!
[] Capture nothing
[=] Capture all by value (copy)
[=,&x] Capture all by value, except x by reference
[&] Capture all by reference
[a=move(b)] Move capture
[&,x] Capture all by reference, except x by value
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 189 330
Example 3.2:
The program captures.cc demonstrates capturing variables in
the surrounding scope of a lambda function. Compile and run.
Observe the differences between capturing by value with and
without mutable, and capturing by reference.
Exercise 3.1:
The program lambda_1.cc shows one way to initialise a list of
integers to {1,2,3,4,5... }. Modify to initialise the list to the
Fibonacci sequence.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 190 330
Chapter 4
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 191 330
s
s
hm
er
ics
rs
in
ies
rit
er
to
rs nta
e
ilit
m
go
ra
m
Nu
Co
Ite
Ut
Ti
Al
be
g
rs
in
m
te
ad
nu
in
re
po
om
th
ti-
t
nd
ar
ul
Sm
Ra
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 192 330
The time library
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 193 330
int main()
{
std::vector<unsigned> primes;
auto t = steady_clock::now();
for (unsigned i=0;i<10000;++i) {
if (is_prime(i)) primes.push_back(i);
}
std::cout << "Primes till 10000 are ... " << ’\n’;
for (unsigned i : primes) std::cout << i << ’\n’;
auto d = steady_clock::now() -t;
std::cout<<"Prime search took "<<duration<double>(d).count()<<" seconds"<<’\n’;
std::cout << "Sleeping for 3 seconds ...\n";
std::this_thread::sleep_for(3s);
// h, min, s, ms, us and ns are known time units.
std::cout << "finished.\n";
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 194 330
Unique pointer
// examples/uniqueptr.cc
int main()
{
auto u1=std::make_unique<MyStruct>(1);
//auto u2 = u1; //won’t compile
auto u3 = std::move(u1);
std::cout << "Data value for u3 is u3->vl = " << u3->vl <<’\n’;
auto u4 = std::make_unique<MyStruct[]>(4);
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 195 330
Shared pointer
// examples/sharedptr.cc
int main()
{
auto u1=std::make_shared<MyStruct>(1);
std::shared_ptr<MyStruct> u2 = u1; // Copy is ok
std::shared_ptr<MyStruct> u3 = std::move(u1);
std::cout << "Reference count of u3 is "
<< u3.use_count() << ’\n’;
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 196 330
Weak pointer
// examples/weakptr.cc
int main()
{
auto s1=std::make_shared<MyStruct>(1);
std::weak_ptr<MyStruct> w1(s1);
std::cout << "Ref count of s1 = "
<< s1.use_count()<<’\n’;
std::shared_ptr<MyStruct> s3(s1);
std::cout << "Ref count of s1 = "
<< s1.use_count()<<’\n’;
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 197 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 198 330
std::bind
//examples/binddemo.cc
#include <iostream>
#include <functional>
using namespace std::placeholders;
int add(int i, int j)
{
std::cout << "add: received arguments "<<i<<" and "<<j<<’\n’;
return i+j;
}
int main()
{
auto a10 = std::bind(add,10,_1); // new functional a10, which calls add(10,_1)
// where _1 is the argument passed to a10
std::cout << a10(1) << ’\n’; // call add(10,1)
std::cout << a10(2) << ’\n’; // call add(10,2)
std::cout << a10(3) << ’\n’;
auto dda = std::bind(add, _2, _1);
// new functional, passing arguments to add in the reverse order
dda(1000000, 99999999);
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 199 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 200 330
Random number generation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 201 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 202 330
Random number generators
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 203 330
Exercise 4.1:
Make a program to generate normally distributed random
numbers with user specified mean and variance, and make a
histogram to demonstrate that the correct distribution is
produced.
Exercise 4.2:
Make a program to implement a "biased die", i.e., with user
specified non-uniform probability for different faces. You will
need std::discrete_distribution<>
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 204 330
Exercises
Exercise 4.3:
For a real valued random variable X with normal distribution of
a given mean µ and standard deviation σ, calculate the following
quantity:
(X − µ)4
K [X ] =
(h(X − µ)2 i)2
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 205 330
A vector
Element type is a template parameter
Consecutive elements in memory
Can be accessed using an "iterator"
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 206 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
A linked list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 207 330
Generic "containers"
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 209 330
std::list
struct userinfo {int age; string name;};
Example 4.4: std::list demo int main()
{
We need a program to manage a std::list<userinfo> ulist;
char c=’y’;
list of names and ages. The user do {
std::cout << "Add more entries ?";
can keep adding information on std::cin>>c;
if (c!=’y’) break;
names and ages, as long as userinfo tmp;
std::cout << "Name :";
required. When the user quits, std::cin >> std::ws;
getline(std::cin,tmp.name);
the program should print the std::cout << "Age :";
std::cin >> tmp.age;
entered names sorted according ulist.push_back(tmp);
} while (c==’y’);
to age. A small program to do ulist.sort([](auto a, auto b){
return a.age < b.age or
this is examples/list0.cc a.age == b.age and a.name < b.name;
});
for (auto & user : ulist)
std::cout<<user.name<<" : "
<<user.age<<’\n’;
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 210 330
Linked lists
struct userinfo {int age; string name;};
int main() Solution using STL lists
{
std::list<userinfo> ulist;
char c=’y’;
do {
We don’t worry about how
std::cout << "Add more entries ?";
std::cin>>c;
long a name would be
if (c!=’y’) break;
userinfo tmp; We don’t need to keep track
std::cout << "Name :";
std::cin >> std::ws; of next, previous pointers
getline(std::cin,tmp.name);
std::cout << "Age :"; std::list<userinfo> is a
std::cin >> tmp.age;
ulist.push_back(tmp); linked list of our hand made
} while (c==’y’);
ulist.sort([](auto a, auto b){ structure userinfo !
return a.age < b.age or
});
a.age == b.age and a.name < b.name; Notice how we used a
for (auto & user : ulist) lambda function to specify
std::cout<<user.name<<" : "
<<user.age<<’\n’; sorting order
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 211 330
std::list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 212 330
std::list
Iterator
iterator is something that iterates over a sequence and
gives access to an element of the sequence like a pointer
In this example, it is the current pointer for our linked list,
with additional code to represent the concept of an iterator
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 213 330
std::list
Iterator
An iterator has the ++ operations defined on it, which
mean “move to the next element in the sequence”.
Similarly there are -- operators defined
ulist.begin() and ulist.end()return iterators at the
start and (one past the) end of the sequence
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 214 330
std::list
Iterator
ulist.end() actually points to a fictitious
“one-past-the-last” element. This enables the familiar C-style
loop iterations.
ulist.rbegin() and ulist.rend()return
reverse_iterators which browse the sequence in the
opposite direction
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 215 330
List operations
Exercise 4.4:
The program exercises/list1.cc demonstrates the syntax
of STL lists. Study the program. Change it so that the list
contents are printed in reverse order. Also, create two lists and
learn how to merge them.
Consult the online documentation for the syntax and usage of
the STL containers. Look up std::list at
http://www.cplusplus.com/reference/stl/list/
or
http://en.cppreference.com/w/cpp/container/list
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 217 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 218 330
Using std::vector
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 219 330
std::vector
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 220 330
std::vector
When push_back is no
longer possible, a new larger
memory block is reserved,
and all previous content is
moved or copied to it.
A few more quick
push_back operations are
again possible.
Exercise 4.5:
Construct a list and a vector of 3 elements of the Verbose class
from your earlier exercise. Add new elements one by one and
pause to examine the output.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 221 330
std::vector<T>
Fast element access, since the elements are stored in
contiguous memory locations
Insertion and deletion can involve copy/move operations of a
subset of elements
For each element, the minimal amount of memory consistent
with the element’s alignment requirement is stored
std::list<T>
To reach the i’th element from the first element, one must
access the second element, and then the next one, and the
next one, and so on until the i’th element is found
Insertion and deletion are very fast, as none of the existing
elements need to be copied or moved item For each element,
two additional pointers are stored, increasing the memory foot
print if we need billions of elements of tiny size
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 222 330
std::array : arrays with fixed compile time size
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 224 330
A word counter program
Example 4.5:
Fake exercise: Write a program that counts all different words in
a text file and prints the statistics.
#include <iostream>
#include <fstream>
A quick histogram!
#include <iomanip>
#include <string>
#include <map> std::map<string,int> is
int main(int argc, char *argv[])
{ a container which stores an
std::ifstream fin(argv[1]);
std::map<std::string,unsigned> freq; integer, for each unique
std::string s;
while (fin >> s) freq[s]++; std::string key.
for (auto i : freq)
std::cout<<std::setw(12)<< i.first The iterator for std::map
<<std::setw(4) << ’:’
<<std::setw(12)<< i.second “points to” a
<<std::endl;
} pair<key,value>
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 225 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 226 330
STL algorithms
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 227 330
STL algorithms
Exercise 4.6:
The standard library provides a large number of template
functions to work with containers
Look them up in www.cplusplus.com or
en.cppreference.com
In a program, define a vector of integers 1..9
Use the suitable STL algorithms to generate successive
permutations of the vector
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 228 330
STL algorithms: sorting
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 229 330
comparison method
less_than, which could be Lambda functions obviate
any callable object the need for many adhoc
out-of-context classes.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 229 330
std::transform
std::transform(begin_1 , end_1, begin_res,
unary_function);
std::transform(begin_1 , end_1, begin_2,
begin_res, binary_function);
Apply callable object to the sequence and write result starting
at a given iterator location
The container holding result must be previously resized so
that it has the right number of elements
The “result” container can be (one of the) input container(s)
std::vector<double> v{0,0.1,0.2,0.3,0.4,0.5,0.6,0.7,0.8,0.9};
std::list<double> l1(v.size(),0),l2(v.size(),0);
std::transform(v.begin(),v.end(),l1.begin(),sin);
std::transform(v.begin(),v.end(),l1.begin(),l2.begin(),std::max);
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 231 330
Exercise 4.7:
The program sort_various.cc defines an array of strings and
prints them sorted (using std::sort) in various ways:
alphabetical order using the default string comparison
according to the lengths of the strings, by passing a lambda
function to std::sort
alphabetical order of back-to-front strings.
The third part is left for you to fill in. Use the algorithm
std::reverse to reverse the strings locally in your lambda
function.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 232 330
Exercise 4.8:
The program sort_complex.cc defines an array of complex
numbers, and demonstrates how to sort it by their real parts
using a lambda function as the comparison function. Add code
to subsequently print the list sorted according their absolute
difference from a given complex number.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 233 330
Example 4.6: Probabilities with playing cards
The program examples/cards_problem.cc demonstrates
many topics discussed during this course. It has a constexpr
funtion to create a fixed length array to store results, several
standard library containers and algorithms as well as the use of
the random number machinery for a Monte Carlo simulation. It
has extensive comments explaining the use of various features.
Read the code and identify the different techniques used, and
run it to solve a probability question regarding playing cards.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 234 330
Iterator adaptors
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 235 330
Iterator adaptors
struct FakeItr {
FakeItr &operator++(int){return *this;}
FakeItr &operator++(){return *this;}
Proxy operator*() {return prx;}
};
Iterator adaptors
struct Proxy {
template <typename T>
OutputProxy& operator=(const T &t) {
std::cout<<"Output by proxy: "
<< t <<"\n";
return *this;
}
};
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 237 330
... but, WHY ?
of using them }
...
std::list<int> l{1,2,3,4,5};
... or, perhaps you could std::list<int> m;
copy(l.begin(),l.end(),m.begin());
create an imposter, which //segfault
calls push_back on the
destination container in its
operator= ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 238 330
Iterator adaptors
#include <iterator>
...
list<int> l{1,2,3,4,5};
list<int> m;
copy(l.begin(),l.end(), back_inserter(m));
copy(m.begin(),m.end(), ostream_iterator<int>(cout," "));
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 239 330
Exercise 4.9:
Modify the program exercises/transform.cc to use an
iterator adaptor to feed the results of std::transform into the
results array, instead of setting the size in the beginning.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 240 330
Chapter 5
Metaprogramming in C++
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 241 330
Metaprogramming in C++14
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 242 330
Template specialisation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 243 330
An interesting property of C++ templates
C++ templates ...
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 244 330
specialisation
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 245 330
Evaluate dependent types
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 246 330
Type functions
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 247 330
static_assert with type traits
#include <iostream>
#include <type_traits>
template < class T >
class SomeCalc
{
static_assert(std::is_arithmetic<T>::value,
"argument T must be an arithmetic type");
};
int main()
{
SomeCalc<string> mycalc; //Compiler error!
...
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 248 330
Typetraits
Unary predicates
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 249 330
Typetraits
Type relations
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 250 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 251 330
Variadic templates
std::cout<<"Num args="<<countArgs(1,"one","ein","uno",3.232)<<’\n’;
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 252 330
Parameter pack
2
http://en.cppreference.com/w/cpp/language/parameter_pack
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 253 330
Parameter pack
//examples/variadic_1.cc
template <typename ... Types> void f(Types ... args);
template <typename Type1, typename ... Types> void f(Type1 arg1, Types ... rest) {
std::cout <<typeid(arg1).name()<<": "<< arg1 << "\n";
f(rest ...);
}
template <> void f() {}
int main()
{
int i{3},j{};
const char * cst{"abc"};
std::string cppst{"def"};
f(i,j,true,k,l,cst,cppst);
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 254 330
If we are in a function :
template <typename ... Types> void g(Types ... args)
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 255 330
Parameter pack expansion
template <typename ... Types> void f(Types ... args);
template <typename Type1, typename ... Types> void f(Type1 arg1, Types ... rest) {
std::cout <<" The first argument is "<<arg1
<<". Remainder argument list has "<<sizeof...(Types)<<" elements.\n";
f(rest ...);
}
template <> void f() {}
template <typename ... Types> void g(Types ... args) {
std::cout << "Inside g: going to call function f with the sizes of "
<< "my arguments\n";
f(sizeof(args)...);
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 257 330
Example 5.2: Parameter packs
Study the examples variadic_1.cc,variadic_2.cc and
variadic_3.cc. See where parameter packs are begin
expanded, and make yourself familiar with this syntax.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 258 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 259 330
Tuples
#include <tuple>
#include <iostream>
int main()
{
std::tuple<int,int,std::string> name_i_j{0,1,"Uralic"};
auto t3=std::make_tuple<int,bool>(2,false);
auto t4=std::tuple_cat(name_i_j,t3);
std::cout << std::get<2>(t4) <<’\n’;
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 260 330
Tuples
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 261 330
Printing a tuple
template <int idx, int MAX, typename... Args> struct PRINT_TUPLE {
static void print(std::ostream & strm,const std::tuple<Args...> & t)
{
strm << std::get<idx>(t)<<(idx+1==MAX ? "" : ", ");
PRINT_TUPLE<idx+1,MAX,Args...>::print(strm,t);
}
};
template <int MAX, typename... Args> struct PRINT_TUPLE<MAX,MAX,Args...> {
static void print(std::ostream &strm, const std::tuple<Args...> &t){}
};
template <typename ... Args>
std::ostream & operator<<(std::ostream & strm,const std::tuple<Args...> &t)
{
strm << "[";
PRINT_TUPLE<0,sizeof...(Args),Args...>::print(strm,t);
return strm <<"]";
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 263 330
Example 5.4:
The file examples/tuple0.cc demonstrates the use of tuples
with some commonly used functions in their context.
Example 5.5:
Printing a tuple is demonstrated in print_tuple.cc,
print_tuple_cxx17.cc and print_tuple_foldex.cc. The
last two will need compiler flags to enable C++17.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 264 330
VoT to ToV
Exercise 5.1:
Write a function to convert a vector of tuples into a tuple of
vectors. The following main program should print out a vector of
doubles extracted from the vector of tuples.
int main()
{
std::vector<std::tuple<int,double,int>> Vt;
Vt.emplace_back<>(std::make_tuple(1,4.3,0));
Vt.emplace_back<>(std::make_tuple(3,8.3,3));
Vt.emplace_back<>(std::make_tuple(2,0.3,2));
auto Tv=vot_tov(Vt); //supply the function vot_tov()
for (auto vl : std::get<1>(Tv)) std::cout << vl << "\n";
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 265 330
Zipping tuples together
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 266 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 267 330
Range based for loops for multiple containers
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 268 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 269 330
Range based for loops for multiple containers
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 270 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 271 330
Metaprogramming with constexpr
constexpr bool is_prime_rec(size_t number, size_t c)
{
return (c*c>number)?true:(number % c == 0)?false:is_prime_rec(number, c+1);
}
constexpr bool is_prime(size_t number)
{
return (number<=1)?false:is_prime_rec(number,2);
}
int main()
{
constexpr unsigned N=1000003;
static_assert(is_prime(N),"Not a prime");
Exercise 5.2:
The program exercises/cexprprime.cc demonstrates
compile time verification of a number being a prime number,
using the old C++11 style constexpr functions. Rewrite for
C++14 so that larger values, like the one in the commented out
line, can be handled without increasing recursion limits.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 273 330
Chapter 6
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 274 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 275 330
Introduction to GUI design with Qt
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 276 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 277 330
Environment set-up for Qt5
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 278 330
// examples/hello.qml
import QtQuick 2.5
Rectangle {
width: 800
height: 300
color: "gold"
Text {
anchors.centerIn: parent
text: "Hello, World!"
font.pointSize : 48
font.family: "Lucida"
}
}
// examples/hello.qml
import QtQuick 2.5
Rectangle {
width: 800
height: 300
color: "gold"
Text {
anchors.centerIn: parent
text: "Hello, World!"
font.pointSize : 48
font.family: "Lucida"
}
}
QML
// examples/hello.qml
import QtQuick 2.5 JSON style format to say: “I
Rectangle {
width: 800 want a rectangle with width
height: 300
color: "gold" W and height H ... ”
Text {
anchors.centerIn: parent
text: "Hello, World!"
font.pointSize : 48
font.family: "Lucida"
// examples/hello.qml
import QtQuick 2.5 JSON style format to say: “I
Rectangle {
width: 800 want a rectangle with width
height: 300
color: "gold" W and height H ... ”
Text {
anchors.centerIn: parent
text: "Hello, World!"
font.pointSize : 48
font.family: "Lucida"
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 282 330
QML
// examples/hello.qml
import QtQuick 2.5
Positioning using anchors
Rectangle {
width: 800 Try to resize the “Hello,
height: 300
color: "gold" World!” window you created,
Text {
anchors.centerIn: parent by dragging the edge or
text: "Hello, World!"
font.pointSize : 48 cornor of the window. What
font.family: "Lucida"
} happens to the text ? Does it
}
deform ? Does it move closer
to or farther from the top ?
An Item has anchors, which can be bound to anchors in
another Item
Some other possibilities :
anchors.left : parent.left,
anchors.verticalCenter : other.verticalCenter,
anchors.fill: parent ...
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 283 330
Basic GUI development with Qt Quick
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 284 330
Example 6.1:
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 285 330
The C++ main() for a program with a QML GUI
// examples/qmlhello/main.cc
#include <QGuiApplication>
#include <QtQuick/QQuickView>
int main(int argc, char *argv[])
{
QGuiApplication app(argc, argv);
QQuickView gui;
gui.setSource(QUrl("hello.qml"));
gui.show();
return app.exec();
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 286 330
Qt resource system
// examples/qmlhello/main.cc
#include <QGuiApplication> Example 6.2:
#include <QtQuick/QQuickView>
int main(int argc, char *argv[])
{
QGuiApplication app(argc, argv);
In your main.cc file in
QQuickView gui; examples/qmlhello,
gui.setSource(QUrl("hello.qml"));
gui.setSource(QUrl("qrc:/hello.qml"));
replace the red line with the
gui.show(); blue line in the top panel
return app.exec();
}
Create a file with the content
as shown in the bottom
// examples/qmlhello/ui.qrc
// You create this!! panel, with a suffix .qrc
<RCC>
<qresource prefix="/"> Build as before, and run in
<file>hello.qml</file>
</qresource> different working directories.
</RCC>
What change do you notice ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 287 330
Qt resource system
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 288 330
Rectangle
// examples/demos/rectangle.qml
Rectangle { Rectangle items
id: box
width: 600
height: 400
rotation: 45
Can be used to create circular
radius: 30 // Rounded corners!
border.color: "red"
items as well, by choosing an
border.width: 3
antialiasing: true
appropriate radius
// color: "green"
// or, If gradient is specified,
gradient : Gradient {
GradientStop {
color will be ignored
position: 0.0
color : "red" gradient and
}
GradientStop { antialiasing are relatively
position: 1.0
color : "green" expensive, and should be
}
} used for static items only
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 289 330
MouseArea
// examples/demos/mousearea.qml
import QtQuick 2.7 Mouse area
Rectangle {
width: 600
height: 400 Fill a named visual object
Rectangle {
id: box with a mouse area to capture
width: 300
height: 200 mouse events
anchors.centerIn: parent
rotation: 45
radius: 100 // Rounded corners!
You can then take action
border.color: "red"
border.width: 3
based on “signals” emitted
antialiasing: true when a mouse event happens
color: "green"
}
MouseArea {
Q: Does the mouse click
anchors.fill: box
onClicked: {
correspond to the rotated or
}
console.log("Click detected!") unrotated rectangle ? Does it
}
} follow the curved boundary ?
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 290 330
Text
// examples/demos/text.qml
import QtQuick 2.3
Rectangle {
width: 600
height: 400
Text {
anchors.fill: parent
text: "<a href=\"http://www.fz-juelich.de\">Forschungszentrum</a>
<a href=\"http://www.juelich.de\">Juelich</a>"
color: "green"
wrapMode: Text.Wrap
font {
family: "Times";
pointSize: 32;
bold:true
}
onLinkActivated: console.log("Activated link " + link)
}
}
You can choose the color, font, wrapping mode for the text
Rich-text/HTML style formatting is supported
Can tell you when an embedded link is activated
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 291 330
Image
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 292 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 293 330
Repeater
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 294 330
Item
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 295 330
Item
// examples/demos/MyToolButton.qml
import QtQuick 2.7
Item {
id: root
property alias icon : theimg.source
property alias label : thetext.text
width: theimg.implicitWidth + thetext.implicitWidth
Row {
Image {
id: theimg
height: root.height
fillMode: Image.PreserveAspectFit
}
Text {
id: thetext
padding:20
anchors.verticalCenter: theimg.verticalCenter
}
}
}
// examples/demos/toolbuttons.qml
import QtQuick 2.7
Row {
MyToolButton { height: 50; icon: "start.svg"; label: "Start" }
MyToolButton { height: 50; icon: "start.svg"; label: "Also, start!" }
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 296 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 297 330
MyToolButton.qml does not specify the source of the image
or the actual text.
We create top level aliases for properties we want to be
modifiable from the outside.
We arrange the items relative to each other
Now we can reuse this new QML element as an image-text
combo whenever we need one
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 298 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 299 330
Layouts
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 300 330
Layouts
Since the layouts can resize their contents, they need to know
the minimum, maximum, preferred, heights and widths of
their contents.
Each Item placed in a Layout gets additional properties,
Layout.minimumWidth, Layout.preferredWidth,
Layout.maximumWidth etc. To specify hints to the layout
If Layout.fillWidth is set to true for an Item, it will
stretch to fill horizontal space. If not, it will stay at the
preferred width, even if the containing window is enlarged.
If Layout.fillHeight is ...
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 301 330
Layouts
// examples/demos/layouts_grid.qml
Rectangle {
property int margin: 10
width: g.implicitWidth+ 2*margin
height: g.implicitHeight+ 2*margin
GridLayout {
id: g
anchors.fill: parent
columns : 2
Rectangle {
color: "blue";
border.color: "red" ;
Layout.preferredWidth: 100;
Layout.preferredHeight: 50
Layout.fillWidth: true
Layout.fillHeight: true
}
Rectangle {
color: "blue";
border.color: "red" ;
Layout.preferredWidth: 100;
Layout.preferredHeight: 50
Layout.fillWidth: true
Layout.fillHeight: true
}
}
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 302 330
Qt Quick Controls
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 303 330
Qt Quick Controls
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 304 330
Qt Quick Controls
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 305 330
Creating the main window
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 306 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 307 330
Creating the main window
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 308 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 309 330
Properties
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 310 330
Example 6.3:
The qml file examples/demos/binding.qml shows how the
one QML item can be set up to follow changes in another QML
item using properties. Observe the behaviour using qmlscene
and then look at the QML file to see the code that does the
work.
Exercise 6.2:
Insert the right property bindings (two total lines) in
exercises/gamma so that the gray scale bar as well as the right
side numeric values for the sliders start to respond to the sliders.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 311 330
Communication between objects
Qt signals and slots mechanism
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 312 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 313 330
Qt signals and slots
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 314 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 315 330
Calling C++ functions
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 316 330
Rectangle {
id: rect
function updateUI() {
text.text = interf.sum();
}
Rectangle {
id: buttonl
MouseArea {
anchors.fill: parent
onClicked: {
buttonl.pressed = !buttonl.pressed;
text.text = interf.greet();
}
}
}
}
... and call the C++ functions directly from the qml
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 317 330
Example 6.4: Calling C++ functions from Qml
The folder examples/bigredbutton contains a QML file to
create a big round red button. There is a class with some simple
functions in it, and we call one of them when the red button is
pressed. This program is a minimal demo, where you make
something happen by interacting with the GUI. Break it a little.
Remove the Q_INVOKABLE macros, infront of the functions.
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 318 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 319 330
Information exchange : GUI and your C++ classes
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 319 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 320 330
class KurtosisProblem : public QQuickItem {
Q_OBJECT
public:
Q_INVOKABLE void start();
Q_PROPERTY(qreal mean MEMBER m_mean NOTIFY meanChanged)
Q_PROPERTY(qreal sigma READ sigma WRITE setSigma NOTIFY sigmaChanged)
Q_PROPERTY(qreal result MEMBER m_result NOTIFY resultChanged)
KurtosisProblem(QQuickItem *parent = 0);
inline auto sigma() const { return m_sigma; }
inline void setSigma(qreal sg) {
std::cout << "Called setSigma with argument " << sg << "\n";
auto old_sig = m_sigma;
if (fabs(sg - old_sig)>eps) {
emit sigmaChanged();
m_sigma = sg;
}
}
signals:
void meanChanged();
void sigmaChanged();
void resultChanged();
private:
qreal m_mean = 10.0, m_sigma = 35.8, m_result=0;
};
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 321 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 322 330
Information exchange : GUI and your C++ classes
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 323 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 324 330
Information exchange : GUI and your C++ classes
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 325 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 326 330
Custom visual Items II
Introduction to Qt Scene Graph
If the node is empty, you should allocate memory for it, but
once you pass it over to the rendering engine, it handles the
clean up.
Each time the function is called for an object, it is called with
the same QSGNode pointer, so that allocation and
initialization does not have to be repeated, just the changes
recorded
When the the rendered content has changed, you have to call
update(). This schedules a call to updatePaintNode if the
item is visible
Example: LatticeDisplay in the Ising model example
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 327 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 328 330
Square Lattice Ising Model Simulator I
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 329 330
29 May – 01 June 2017 Sandipan Mohanty | Jülich Supercomputing Centre 330 330