Przekazywanie anonimowej zmiennej przez odniesienie
Standardowe typy C ++, takie jak int lub char, mają ctors, więc możesz mieć takie wyrażenia jak:
int a = int(67); // create anonymous variable and assing it to variable a
int b(13); // initialize variable b
int(77); // create anonymous variable
Typy zdefiniowane przez użytkownika (struktury lub klasy) są w stanie zrobić to samo:
struct STRUCT
{
STRUCT(int a){}
};
STRUCT c = STRUCT(67);
STRUCT d(13);
STRUCT(77);
Pytanie brzmi: dlaczego możemy przejść przez anonimową strukturę referencyjną lub instancje klas, ale nie możemy przekazywać standardowych typów?
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
}