无法访问受保护的成员
本文关键字:成员 受保护 访问 | 更新日期: 2023-09-27 18:32:40
我正在学习C#,我写了下面的代码,但不起作用。
受保护的成员可以通过继承类来访问,但在下面的代码中它不起作用,任何人都可以告诉我我哪里做错了?
class ProtectedDemo
{
protected string name;
public void Print()
{
Console.WriteLine("Name is: {0}", name);
}
}
class Demo : ProtectedDemo
{
static void Main(string[] args)
{
ProtectedDemo p = new ProtectedDemo();
Console.Write("Enter your Name:");
p.name = Console.ReadLine(); //Here i am getting the error.
p.Print();
Console.ReadLine();
}
}
来自受保护(C# 参考)
受保护的关键字是成员访问修饰符。受保护的成员 可在其类中访问,也可由派生类实例访问。
因此,从此注释中,可以从ProtectedDemo
内部或从继承类Demo
然后他们的例子
class A
{
protected int x = 123;
}
class B : A
{
static void Main()
{
A a = new A();
B b = new B();
// Error CS1540, because x can only be accessed by
// classes derived from A.
// a.x = 10;
// OK, because this class derives from A.
b.x = 10;
}
}
所以把你的类改成
class Demo : ProtectedDemo
{
static void Main(string[] args)
{
//ProtectedDemo p = new ProtectedDemo();
Demo p = new Demo(); //NOTE HERE
Console.Write("Enter your Name:");
p.name = Console.ReadLine(); //Here i am getting the error.
p.Print();
Console.ReadLine();
}
}
受保护只能用于派生类或实际类本身。
下面是一篇关于访问修饰符的文章:C# 中的访问修饰符是什么?
如果要设置它,请将其公开或创建一个将字符串作为参数的方法并将其设置在那里。像这样的东西。
class ProtectedDemo
{
protected string name;
public void Print()
{
Console.WriteLine("Name is: {0}", name);
}
public void SetName(string newName)
{
name = newName;
}
}
static void Main(string[] args)
{
ProtectedDemo p = new ProtectedDemo();
Console.Write("Enter your Name:");
p.SetName(Console.ReadLine());
p.Print();
Console.ReadLine();
}
或者如果要在派生类上设置它。像这样做
class Demo : ProtectedDemo
{
static void Main(string[] args)
{
Demo test = new Demo();
Console.Write("Enter your Name:");
test.name = Console.ReadLine(); // create an instance of the deriving class,
// you can only access the name if you're in the current class created
test.Print();
Console.ReadLine();
}
}
您只能访问类中的受保护成员或使用 继承父类的子类(Demo)上的对象 类(受保护的演示)。
您可以像访问它一样。
Demo d = new Demo();
d.name = Console.ReadLine();