0

I would like to write a piece of code that shows all copy/assignment/delete etc. operations that are done on the object when passing it to a function.

I wrote this:

#include <iostream>

class A {
    public:
        A(){std::cout<<"A()"<<std::endl;}
        void operator=(const A& a ){std::cout<<"A=A"<<std::endl;}
        A(const A& a){std::cout<<"A(A)"<<std::endl;}
        ~A(){std::cout<<"~A"<<std::endl;}
};

void pv(A a){std::cout<<"pv(A a)"<<std::endl;}
void pr(A& a){std::cout<<"pr(A& a)"<<std::endl;}
void pp(A* a){std::cout<<"pp(A* a)"<<std::endl;}
void pc(const A& a){std::cout<<"pc(const A& a)"<<std::endl;}

int main() {
    std::cout<<" -------- constr"<<std::endl;
    A a = A();
    std::cout<<" -------- copy constr"<<std::endl;
    A b = A(a);
    A c = a;
    std::cout<<" -------- assignment"<<std::endl;
    a = a;    
    a = b;
    std::cout<<" -------- pass by value"<<std::endl;
    pv(a);
    std::cout<<" -------- pass by reference"<<std::endl;
    pr(a);
    std::cout<<" -------- pass by pointer"<<std::endl;
    pp(&a);
    std::cout<<" -------- pass by const reference"<<std::endl;
    pc(a);
    return 0;
}

Did I forget anything? Is there anything else that has to be considered when comparing the different ways of passing an object?

463035818_is_not_an_ai
  • 109,796
  • 11
  • 89
  • 185

1 Answers1

2

In C++11, you should add rvalue reference:

A(A&&);
void operator=(A&& a );
Jarod42
  • 203,559
  • 14
  • 181
  • 302
  • I forgot to mention that I am not using C++11. However, thanks for pointing it out. As there are not other answers, I assume the answer is "No, thats all (apart from rvalue references)" and I accepted your answer. – 463035818_is_not_an_ai Feb 25 '15 at 10:58