c#中如何从一个方法中返回多个值?
本文关键字:返回 方法 一个 | 更新日期: 2023-09-27 18:19:15
我有以下方法:
public static ?? GetType6()
{
var name = "x";
var age = 1;
return ??
}
像这样调用:
var ?? = GetType6();
我希望能够调用那个方法并得到名字和年龄。我想创建一个匿名对象,但是如果我这么做了,我怎么解码呢?
为什么不直接创建一个类型来容纳你想要的任何东西呢?
public static MyType GetType6()
{
MyType type = new MyType();
type.name = "x";
type.age = 1;
return type;
}
class MyType
{
public string name {get;set;}
public int age {get;set;}
public MyType()
{
}
}
最简单的方法是返回一个Tuple<string, int>
(从。net 4开始可用):
public static Tuple<string, int> GetType6()
{
var name = "x";
var age = 1;
return Tuple.Create(name, age);
}
你可以这样读这些值:
var pair = GetType6();
string name = pair.Item1;
int age = pair.Item2;
当然更健壮、可读和可维护的是创建一个类:
class User
{
public string Name { get; set; }
public int Age{ get; set; }
}
public static User GetUser()
{
var name = "x";
var age = 1;
return new User{Name = name, Age = age };
}
var user = GetUser();
string name = user.Name;
int age = user.Age;
您可以使用tuple:
public Tuple<int, int> GetMultipleValue()
{
return new Tuple<int,int>(1,2);
}
你可以在这里获得更多细节:http://msdn.microsoft.com/en-us/library/system.tuple.aspx
使用out
关键字,可能如下:
public static string GetType6(out int age)
{
var name = "x";
var age = 1;
return name
}
-
out
关键字导致参数通过引用传递。 - 这类似于ref关键字,除了
ref
要求变量在传递之前初始化。 - 要使用out参数,方法定义和调用方法都必须显式地使用out关键字。
注意:使用是不好的做法
使用dynamic
作为返回类型:
public static dynamic GetType6()
{
var name = "x";
var age = 1;
return new { name = "x", age = 1 };
}
方法调用:
var v = GetType6();
问题:c#中方法的变量返回类型MSDN: http://msdn.microsoft.com/en-us/library/vstudio/dd264741.aspx
您可以使用您所说的匿名类型。这样的。
public static object GetType6()
{
return new { name = "x", age = 1 };
}
要读取这些值,必须使用反射。
var foo = GetType6();
var name = foo.GetType().GetProperty("name").GetValue(foo, null);
var age = foo.GetType().GetProperty("age").GetValue(foo, null);
虽然这是一个非常肮脏的方式来完成你需要的