Passando uma variável anônima por referência

Tipos padrão de C ++, como int ou char, têm ctors, então você pode ter expressões 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

Tipos definidos pelo usuário (estruturas ou classes) são capazes de fazer o mesmo:

struct STRUCT
{
  STRUCT(int a){}
};

STRUCT c = STRUCT(67);
STRUCT d(13);
STRUCT(77);

A pergunta é: por que podemos passar por uma estrutura anônima de referência ou por instâncias de classe, mas não podemos passar tipos padrão?

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
}

questionAnswers(3)

yourAnswerToTheQuestion