D编程 元组(Tuples)
2021-09-01 10:32 更新
元组用于将多个值组合为单个对象,元组包含一系列元素,元素可以是类型,表达式或别名,元组的数量和元素在编译时是固定的,并且在运行时不能更改。
tuple()元组
元组可以通过函数tuple()构造,元组的成员由索引值访问,一个如下所示。
import std.stdio;
import std.typecons;
void main() {
auto myTuple=tuple(1, "Tuts");
writeln(myTuple);
writeln(myTuple[0]);
writeln(myTuple[1]);
}
编译并执行上述代码后,将产生以下输出-
Tuple!(int, string)(1, "Tuts")
1
Tuts
元组模板
Tuple也可以直接由Tuple模板而不是tuple()函数构造,每个成员的类型和名称被指定为两个连续的模板参数,使用模板创建时,可以通过属性访问成员。
import std.stdio;
import std.typecons;
void main() {
auto myTuple=Tuple!(int, "id",string, "value")(1, "Tuts");
writeln(myTuple);
writeln("by index 0 : ", myTuple[0]);
writeln("by .id : ", myTuple.id);
writeln("by index 1 : ", myTuple[1]);
writeln("by .value ", myTuple.value);
}
编译并执行上述代码后,将产生以下输出
Tuple!(int, "id", string, "value")(1, "Tuts")
by index 0 : 1
by .id : 1
by index 1 : Tuts
by .value Tuts
扩展函数参数
Tuple的成员可以通过.expand属性或切片进行扩展,该扩展的值可以作为函数参数列表传递。一个如下所示。
import std.stdio;
import std.typecons;
void method1(int a, string b, float c, char d) {
writeln("method 1 ",a,"\t",b,"\t",c,"\t",d);
}
void method2(int a, float b, char c) {
writeln("method 2 ",a,"\t",b,"\t",c);
}
void main() {
auto myTuple=tuple(5, "my string", 3.3, 'r');
writeln("method1 call 1");
method1(myTuple[]);
writeln("method1 call 2");
method1(myTuple.expand);
writeln("method2 call 1");
method2(myTuple[0], myTuple[$-2..$]);
}
编译并执行上述代码后,将产生以下输出-
method1 call 1
method 1 5 my string 3.3 r
method1 call 2
method 1 5 my string 3.3 r
method2 call 1
method 2 5 3.3 r
Typetuple
Typetuple在std.typetuple模块中定义,以逗号分隔的值和类型列表,TypeTuple用于创建参数列表,模板列表和数组文字列表。
import std.stdio;
import std.typecons;
import std.typetuple;
alias Typetuple!(int, long) TL;
void method1(int a, string b, float c, char d) {
writeln("method 1 ",a,"\t",b,"\t",c,"\t",d);
}
void method2(TL tl) {
writeln(tl[0],"\t", tl[1] );
}
void main() {
auto arguments=TypeTuple!(5, "my string", 3.3,'r');
method1(arguments);
method2(5, 6L);
}
编译并执行上述代码后,将产生以下输出-
method 1 5 my string 3.3 r
5 6
以上内容是否对您有帮助:
更多建议: