我想从一个类访问另一个类的字符串。我使用了属性方法如下 -
Myclass.cs
public class MyClass
{
private string _user;
public string user
{ get { return this._user; } set { this._user = value; } }
}
consumption.aspx.cs
我在函数
中为用户分配值MyClass m = new MyClass();
m.user = "abc"
现在,当我尝试在我的另一个函数中使用此值时,在分配此值后调用该函数
RawDal.cs
MyClass m = new MyClass();
string x = m.user;
我得到空值......怎么做?
答案 0 :(得分:11)
正如评论中已经提到的那样,您正在创建两个单独的MyClass
实例,其结果简化为:
int a;
a = 3;
int b;
Console.WriteLine("a: " + b); //<-- here it should be obvious why b is not 3
您可以通过以下三种方式解决此问题:
1)对第二次调用使用相同的MyClass
实例,但在这种情况下,您需要位于同一范围内或将实例传递给新范围。
2)使属性/成员静态:
public class MyClass
{
public static string User { get; set; } //the "static" is the important keyword, I just used the alternative property declaration to keep it shorter
}
然后,您可以通过User
在任何地方访问相同的MyClass.User
值。
3)使用单身人士:
public class MyClass
{
private static MyClass instance = null;
public static MyClass Instance
{
get
{
if(instance == null)
instance = new MyClass();
return instance;
}
}
public string User { get; set; }
}
然后您可以通过MyClass.Instance.User
访问它。
可能还有一些解决方案,但这些是常见的解决方案。
答案 1 :(得分:4)
您没有使用相同的实例。尝试
public class MyClass
{
private string _user;
public string user
{ get { return this._user; } set { this._user = value; } }
}
public string YourFunction()
{
MyClass m = new MyClass();
m.user = "abc"
return m.user;
}
如果您要返回的只是一个字符串,请尝试
string x = YourFunction();