Pasando una variable anónima por referencia
Los tipos estándar de C ++ como int o char tienen ctors, por lo que puede tener expresiones como:
int a = int(67); // create anonymous variable and assing it to variable a
int b(13); // initialize variable b
int(77); // create anonymous variable
Los tipos definidos por el usuario (estructuras o clases) pueden hacer lo mismo:
struct STRUCT
{
STRUCT(int a){}
};
STRUCT c = STRUCT(67);
STRUCT d(13);
STRUCT(77);
La pregunta es: ¿por qué podemos pasar por una estructura anónima de referencia o instancias de clase, pero no podemos pasar los tipos estándar?
struct STRUCT
{
STRUCT(int a){}
};
void func1(int& i){}
void func2(STRUCT& s){}
void func3(int i){}
void func4(STRUCT s){}
void main()
{
//func1(int(56)); // ERROR: C2664
func2(STRUCT(65)); // OK: anonymous object is created then assigned to a reference
func3(int(46)); // OK: anonymous int is created then assigned to a parameter
func4(STRUCT(12)); // OK: anonymous object is created then assigned to a parameter
}