Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

error: passing 'const …' as 'this' argument of '…' discards qualifiers

Tags:

c++

error: passing 'const A' as 'this' argument of 'void A::hi()' discards qualifiers [-fpermissive]

I don't understand why I'm getting this error, I'm not returning anything just passing the reference of the object and that is it.

#include <iostream>  class A { public:     void hi()     {         std::cout << "hi." << std::endl;     } };  class B { public:     void receive(const A& a) {         a.hi();     } };  class C { public:     void receive(const A& a) {         B b;         b.receive(a);     } };  int main(int argc, char ** argv) {     A a;     C c;     c.receive(a);      return 0; } 

@edit

I fixed it using const correctness but now I'm trying to call methods inside of the same method and I get the same error, but the weird thing is that I'm not passing the reference to this method.

#include <iostream>  class A { public:     void sayhi() const     {         hello();         world();     }      void hello()     {         std::cout << "world" << std::endl;     }      void world()     {         std::cout << "world" << std::endl;     } };  class B { public:     void receive(const A& a) {         a.sayhi();     } };  class C { public:     void receive(const A& a) {         B b;         b.receive(a);     } };  int main(int argc, char ** argv) {     A a;     C c;     c.receive(a);      return 0; } 

error: passing 'const A' as 'this' argument of 'void A::hello()' discards qualifiers [-fpermissive]

error: passing 'const A' as 'this' argument of 'void A::world()' discards qualifiers [-fpermissive]

like image 449
yayuj Avatar asked Nov 16 '14 23:11

yayuj


1 Answers

Your hi method is not declared as const inside your A class. Hence, the compiler cannot guarantee that calling a.hi() will not change your constant reference to a, thus it raises an error.

You can read more about constant member functions here and correct usage of the const keyword here.

like image 154
therealrootuser Avatar answered Sep 19 '22 12:09

therealrootuser