Il existe un code :
#include <iostream>
class Int {
public:
Int() : x(0) {}
Int(int x_) : x(x_) {}
Int& operator=(const Int& b) {
std::cout << "= from " << x << " = " << b.x << std::endl;
x = b.x;
}
Int& operator+=(const Int& b) {
std::cout << "+= from " << x << " + " << b.x << std::endl;
x += b.x;
return *this;
}
Int& operator++() {
std::cout << "++ prefix " << x << std::endl;
++x;
return *this;
}
Int operator++(int) {
std::cout << "++ postfix " << x << std::endl;
Int result(*this);
++x;
return result;
}
private:
int x;
};
Int operator+(const Int& a, const Int& b) {
std::cout << "operator+" << std::endl;
Int result(a);
result += b;
return result;
}
int main() {
Int a(2), b(3), c(4), d;
d = ++a + b++ + ++c;
return 0;
}
Résultat :
++ prefix 4
++ postfix 3
++ prefix 2
operator+
+= from 3 + 3
operator+
+= from 6 + 5
= from 0 = 11
Pourquoi l'opérateur postfixe n'est-il pas exécuté avant l'opérateur préfixe (++ préfixe 4) alors que la priorité de l'opérateur postfixe est plus élevée que celle de l'opérateur préfixe ?
Il a été compilé par g++.