Report a bug
		
				If you spot a problem with this page, click here to create a Bugzilla issue.
		
			Improve this page
		
			Quickly fork, edit online, and submit a pull request for this page.
			Requires a signed-in GitHub account. This works well for small changes.
			If you'd like to make larger changes you may want to consider using
			a local clone.
		
	std.variant
This module implements a
discriminated union
type (a.k.a.
tagged union,
algebraic type).
Such types are useful
for type-uniform binary interfaces, interfacing with scripting
languages, and comfortable exploratory programming.
Synopsis:
Variant a; // Must assign before use, otherwise exception ensues // Initialize with an integer; make the type int Variant b = 42; assert(b.type == typeid(int)); // Peek at the value assert(b.peek!(int) !is null && *b.peek!(int) == 42); // Automatically convert per language rules auto x = b.get!(real); // Assign any other type, including other variants a = b; a = 3.14; assert(a.type == typeid(double)); // Implicit conversions work just as with built-in types assert(a < b); // Check for convertibility assert(!a.convertsTo!(int)); // double not convertible to int // Strings and all other arrays are supported a = "now I'm a string"; assert(a == "now I'm a string"); a = new int[42]; // can also assign arrays assert(a.length == 42); a[5] = 7; assert(a[5] == 7); // Can also assign class values class Foo {} auto foo = new Foo; a = foo; assert(*a.peek!(Foo) == foo); // and full type information is preservedA Variant object can hold a value of any type, with very few restrictions (such as shared types and noncopyable types). Setting the value is as immediate as assigning to the Variant object. To read back the value of the appropriate type T, use the get!T call. To query whether a Variant currently holds a value of type T, use peek!T. To fetch the exact type currently held, call type, which returns the TypeInfo of the current value. In addition to Variant, this module also defines the Algebraic type constructor. Unlike Variant, Algebraic only allows a finite set of types, which are specified in the instantiation (e.g. Algebraic!(int, string) may only hold an int or a string).
Credits: Reviewed by Brad Roberts. Daniel Keep provided a detailed code review prompting the following improvements: (1) better support for arrays; (2) support for associative arrays; (3) friendlier behavior towards the garbage collector.
License: 
Authors: 
Source: std/variant.d
- templatemaxSize(T...)
- Gives the sizeof the largest type given.Examples:static assert(maxSize!(int, long) == 8); static assert(maxSize!(bool, byte) == 1); struct Cat { int a, b, c; } static assert(maxSize!(bool, Cat) == 12); 
- structVariantN(size_t maxDataSize, AllowedTypesParam...);
- Back-end type seldom used directly by user code. Two commonly-used types usingVariantNare:- Algebraic: A closed discriminated union with a limited type universe (e.g., Algebraic!(int, double, string) only accepts these three types and rejects anything else).
- Variant: An open discriminated union allowing an unbounded set of types. If any of the types in the Variant are larger than the largest built-in type, they will automatically be boxed. This means that even large types will only be the size of a pointer within the Variant, but this also implies some overhead. Variant can accommodate all primitive types and all user-defined types.
 VariantN's interface. (See their respective documentations below.)VariantNis a discriminated union type parameterized with the largest size of the types stored (maxDataSize) and with the list of allowed types (AllowedTypes). If the list is empty, then any type up of size up to maxDataSize (rounded up for alignment) can be stored in aVariantNobject without being boxed (types larger than this will be boxed).- aliasAllowedTypes= This2Variant!(VariantN, AllowedTypesParam);
- The list of allowed types. If empty, any type is allowed.
- enum boolallowed(T);
- Tells whether a type T is statically allowed for storage inside a VariantN object by looking T up in AllowedTypes.
- this(T)(Tvalue);
- Constructs a VariantNvaluegiven an argument of a generic type. Statically rejects disallowed types.
- this(T : VariantN!(tsize, Types), size_t tsize, Types...)(Tvalue)
 if (!is(T : VariantN) && Types.length > 0 && allSatisfy!(allowed, Types));
- Allows assignment from a subset algebraic type
- VariantNopAssign(T)(Trhs);
- Assigns a VariantN from a generic argument. Statically rejects disallowed types.
- const pure nothrow @property boolhasValue();
- Returnstrueif and only if the VariantN object holds a valid value (has been initialized with, or assigned from, a valid value).Examples:Variant a; assert(!a.hasValue); Variant b; a = b; assert(!a.hasValue); // still no value a = 5; assert(a.hasValue); 
- inout @property inout(T)*peek(T)();
- If the VariantN object holds a value of the exact type T, returns a pointer to that value. Otherwise, returnsnull. In cases where T is statically disallowed,peekwill not compile.Examples:Variant a = 5; auto b = a.peek!(int); assert(b !is null); *b = 6; writeln(a); // 6 
- const nothrow @property @trusted TypeInfotype();
- Returns the typeid of the currently held value.
- const @property boolconvertsTo(T)();
- Returnstrueif and only if the VariantN object holds an object implicitly convertible to type T. Implicit convertibility is defined as per ImplicitConversionTargets.
- inout @property inout(T)get(T)();
 inout @property autoget(uint index)()
 if (index < AllowedTypes.length);
- Returns the value stored in the VariantN object, either by specifying the needed type or the index in the list of allowed types. The latter overload only applies to bounded variants (e.g. Algebraic).Parameters:T The requested type. The currently stored value must implicitly convert to the requested type, in fact DecayStaticToDynamicArray!T. If an implicit conversion is not possible, throws a VariantException. index The index of the type among AllowedTypesParam, zero-based. 
- @property Tcoerce(T)();
- Returns the value stored in the VariantN object, explicitly converted (coerced) to the requested type T. If T is a string type, the value is formatted as a string. If the VariantN object is a string, a parse of the string to type T is attempted. If a conversion is not possible, throws a VariantException.
- stringtoString();
- Formats the stored value as a string.
- const boolopEquals(T)(auto ref Trhs)
 if (allowed!T || is(Unqual!T == VariantN));
- Comparison for equality used by the "==" and "!=" operators.
- intopCmp(T)(Trhs)
 if (allowed!T);
- Ordering comparison used by the "<", "<=", ">", and ">=" operators. In case comparison is not sensible between the held value andrhs, an exception is thrown.
- const nothrow @safe size_ttoHash();
- Computes the hash of the held value.
- VariantNopAdd(T)(Trhs);
 VariantNopSub(T)(Trhs);
 VariantNopMul(T)(Trhs);
 VariantNopDiv(T)(Trhs);
 VariantNopMod(T)(Trhs);
 VariantNopAnd(T)(Trhs);
 VariantNopOr(T)(Trhs);
 VariantNopXor(T)(Trhs);
 VariantNopShl(T)(Trhs);
 VariantNopShr(T)(Trhs);
 VariantNopUShr(T)(Trhs);
 VariantNopCat(T)(Trhs);
 VariantNopAddAssign(T)(Trhs);
 VariantNopSubAssign(T)(Trhs);
 VariantNopMulAssign(T)(Trhs);
 VariantNopDivAssign(T)(Trhs);
 VariantNopModAssign(T)(Trhs);
 VariantNopAndAssign(T)(Trhs);
 VariantNopOrAssign(T)(Trhs);
 VariantNopXorAssign(T)(Trhs);
 VariantNopShlAssign(T)(Trhs);
 VariantNopShrAssign(T)(Trhs);
 VariantNopUShrAssign(T)(Trhs);
 VariantNopCatAssign(T)(Trhs);
- Arithmetic between VariantN objects and numeric values. All arithmetic operations return a VariantN object typed depending on the types of both values involved. The conversion rules mimic D's built-in rules for arithmetic conversions.
- inout inout(Variant)opIndex(K)(Ki);
 VariantopIndexAssign(T, N)(Tvalue, Ni);
 VariantopIndexOpAssign(string op, T, N)(Tvalue, Ni);
- Array and associative array operations. If a VariantN contains an (associative) array, it can be indexed into. Otherwise, an exception is thrown.Examples:Variant a = new int[10]; a[5] = 42; writeln(a[5]); // 42 a[5] += 8; writeln(a[5]); // 50 int[int] hash = [ 42:24 ]; a = hash; writeln(a[42]); // 24 a[42] /= 2; writeln(a[42]); // 12 
- @property size_tlength();
- If the VariantN contains an (associative) array, returns the length of that array. Otherwise, throws an exception.
- intopApply(Delegate)(scope Delegatedg)
 if (is(Delegate == delegate));
- If the VariantN contains an array, appliesdgto each element of the array in turn. Otherwise, throws an exception.
 
- templateAlgebraic(T...)
- Algebraic data type restricted to a closed set of possible types. It's an alias for VariantN with an appropriately-constructed maximum size.Algebraicis useful when it is desirable to restrict what a discriminated type could hold to the end of defining simpler and more efficient manipulation.Examples:auto v = Algebraic!(int, double, string)(5); assert(v.peek!(int)); v = 3.14; assert(v.peek!(double)); // auto x = v.peek!(long); // won't compile, type long not allowed // v = '1'; // won't compile, type char not allowed Examples:Self-Referential TypesA useful and popular use of algebraic data structures is for defining self-referential data structures, i.e. structures that embed references to values of their own type within. This is achieved withAlgebraicby using This as a placeholder whenever a reference to the type being defined is needed. TheAlgebraicinstantiation will perform alpha renaming on its constituent types, replacing This with the self-referenced type. The structure of the type involving This may be arbitrarily complex.import std.typecons : Tuple, tuple; // A tree is either a leaf or a branch of two other trees alias Tree(Leaf) = Algebraic!(Leaf, Tuple!(This*, This*)); Tree!int tree = tuple(new Tree!int(42), new Tree!int(43)); Tree!int* right = tree.get!1[1]; writeln(*right); // 43 // An object is a double, a string, or a hash of objects alias Obj = Algebraic!(double, string, This[string]); Obj obj = "hello"; writeln(obj.get!1); // "hello" obj = 42.0; writeln(obj.get!0); // 42 obj = ["customer": Obj("John"), "paid": Obj(23.95)]; writeln(obj.get!2["customer"]); // "John" 
- aliasVariant= VariantN!32LU.VariantN;
- Alias for VariantN instantiated with the largest size of creal, char[], and void delegate(). This ensures thatVariantis large enough to hold all of D's predefined types unboxed, including all numeric types, pointers, delegates, and class references. You may want to use VariantN directly with a different maximum size either for storing larger types unboxed, or for saving memory.
- Variant[]variantArray(T...)(Targs);
- Returns an array of variants constructed fromargs.This is by design. During construction the Variant needs static type information about the type being held, so as to store a pointer to function for fast retrieval.Examples:auto a = variantArray(1, 3.14, "Hi!"); writeln(a[1]); // 3.14 auto b = Variant(a); // variant array as variant writeln(b[1]); // 3.14 
- classVariantException: object.Exception;
- Thrown in three cases:- An uninitialized Variant is used in any way except assignment and hasValue;
- A get or coerce is attempted with an incompatible target type;
- A comparison between Variant objects of incompatible types is attempted.
 - TypeInfosource;
- Thesourcetype in the conversion or comparison
- TypeInfotarget;
- Thetargettype in the conversion or comparison
 
- templatevisit(Handlers...) if (Handlers.length > 0)
- Applies a delegate or function to the given Algebraic depending on the held type, ensuring that all types are handled by the visiting functions.The delegate or function having the currently held value as parameter is called with variant's current value. Visiting handlers are passed in the template parameter list. It is statically ensured that all held types of variant are handled across all handlers.visitallows delegates and static functions to be passed as parameters. If a function with an untyped parameter is specified, this function is called when the variant contains a type that does not match any other function. This can be used to apply the same function across multiple possible types. Exactly one generic function is allowed. If a function without parameters is specified, this function is called when variant doesn't hold a value. Exactly one parameter-less function is allowed. Duplicate overloads matching the same type in one of the visitors are disallowed.Returns:The return type ofvisitis deduced from the visiting functions and must be the same across all overloads.Throws:VariantException if variant doesn't hold a value and no parameter-less fallback function is specified.Examples:Algebraic!(int, string) variant; variant = 10; assert(variant.visit!((string s) => cast(int) s.length, (int i) => i)() == 10); variant = "string"; assert(variant.visit!((int i) => i, (string s) => cast(int) s.length)() == 6); // Error function usage Algebraic!(int, string) emptyVar; auto rslt = emptyVar.visit!((string s) => cast(int) s.length, (int i) => i, () => -1)(); writeln(rslt); // -1 // Generic function usage Algebraic!(int, float, real) number = 2; writeln(number.visit!(x => x += 1)); // 3 // Generic function for int/float with separate behavior for string Algebraic!(int, float, string) something = 2; assert(something.visit!((string s) => s.length, x => x) == 2); // generic something = "asdf"; assert(something.visit!((string s) => s.length, x => x) == 4); // string // Generic handler and empty handler Algebraic!(int, float, real) empty2; writeln(empty2.visit!(x => x + 1, () => -1)); // -1 - autovisit(VariantType)(VariantTypevariant)
 if (isAlgebraic!VariantType);
 
- templatetryVisit(Handlers...) if (Handlers.length > 0)
- Behaves as visit but doesn't enforce that all types are handled by the visiting functions.If a parameter-less function is specified it is called when either variant doesn't hold a value or holds a type which isn't handled by the visiting functions.Returns:The return type oftryVisitis deduced from the visiting functions and must be the same across all overloads.Throws:VariantException if variant doesn't hold a value or variant holds a value which isn't handled by the visiting functions, when no parameter-less fallback function is specified.Examples:Algebraic!(int, string) variant; variant = 10; auto which = -1; variant.tryVisit!((int i) { which = 0; })(); writeln(which); // 0 // Error function usage variant = "test"; variant.tryVisit!((int i) { which = 0; }, () { which = -100; })(); writeln(which); // -100 - autotryVisit(VariantType)(VariantTypevariant)
 if (isAlgebraic!VariantType);
 
Copyright © 1999-2017 by the D Language Foundation | Page generated by
Ddoc on (no date time)