Ricerca…


Osservazioni

I sindacati sono strumenti molto utili, ma sono forniti con alcune avvertenze importanti:

  • È un comportamento indefinito, secondo lo standard C ++, accedere ad un elemento di un sindacato che non era il membro modificato più recentemente. Sebbene molti compilatori C ++ consentano questo accesso in modi ben definiti, si tratta di estensioni e non possono essere garantite tra i compilatori.

    Una std::variant (dal C ++ 17) è come un'unione, solo che ti dice cosa contiene attualmente (parte del suo stato visibile è il tipo del valore che detiene in un dato momento: impone l'accesso al valore che accade solo a quel tipo).

  • Le implementazioni non necessariamente allineano membri di dimensioni diverse allo stesso indirizzo.

Caratteristiche di base dell'Unione

I sindacati sono una struttura specializzata all'interno della quale tutti i membri occupano memoria sovrapposta.

union U {
    int a;
    short b;
    float c;
};
U u;

//Address of a and b will be equal
(void*)&u.a == (void*)&u.b;
(void*)&u.a == (void*)&u.c;

//Assigning to any union member changes the shared memory of all members
u.c = 4.f;
u.a = 5;
u.c != 4.f;

Uso tipico

I sindacati sono utili per ridurre al minimo l'utilizzo della memoria per dati esclusivi, ad esempio quando si implementano tipi di dati misti.

struct AnyType {
    enum {
        IS_INT,
        IS_FLOAT
    } type;
    
    union Data {
        int as_int;
        float as_float;
    } value;

    AnyType(int i) : type(IS_INT) { value.as_int = i; }
    AnyType(float f) : type(IS_FLOAT) { value.as_float = f; }

    int get_int() const {
        if(type == IS_INT)
            return value.as_int;
        else
            return (int)value.as_float;
    }
    
    float get_float() const {
        if(type == IS_FLOAT)
            return value.as_float;
        else
            return (float)value.as_int;
    }
};

Comportamento indefinito

union U {
    int a;
    short b;
    float c;
};
U u;

u.a = 10;
if (u.b == 10) {
   // this is undefined behavior since 'a' was the last member to be
   // written to. A lot of compilers will allow this and might issue a
   // warning, but the result will be "as expected"; this is a compiler
   // extension and cannot be guaranteed across compilers (i.e. this is
   // not compliant/portable code).
}


Modified text is an extract of the original Stack Overflow Documentation
Autorizzato sotto CC BY-SA 3.0
Non affiliato con Stack Overflow