this(C# 参考)

this 关键字指代类的当前实例,还可用作扩展方法的第一个参数的修饰符。

注意

本文介绍 this 在类实例中的用法。 若要深入了解它在扩展方法中的用法,请参阅扩展方法

以下是 this 的常见用法:

  • 限定类似名称隐藏的成员,例如:

    public class Employee
    {
        private string alias;
        private string name;
    
        public Employee(string name, string alias)
        {
            // Use this to qualify the members of the class
            // instead of the constructor parameters.
            this.name = name;
            this.alias = alias;
        }
    }
    
  • 将对象作为参数传递给方法,例如:

    CalcTax(this);
    
  • 声明索引器,例如:

    public int this[int param]
    {
        get { return array[param]; }
        set { array[param] = value; }
    }
    

静态成员函数,因为它们存在于类级别且不属于对象,不具有 this 指针。 在静态方法中引用 this 会生成错误。

示例

在此示例中,this 用于限定类似名称隐藏的 Employee 类成员、namealias。 它还用于将某个对象传递给属于其他类的方法 CalcTax

class Employee
{
    private string name;
    private string alias;
    private decimal salary = 3000.00m;

    // Constructor:
    public Employee(string name, string alias)
    {
        // Use this to qualify the fields, name and alias:
        this.name = name;
        this.alias = alias;
    }

    // Printing method:
    public void printEmployee()
    {
        Console.WriteLine("Name: {0}\nAlias: {1}", name, alias);
        // Passing the object to the CalcTax method by using this:
        Console.WriteLine("Taxes: {0:C}", Tax.CalcTax(this));
    }

    public decimal Salary
    {
        get { return salary; }
    }
}

class Tax
{
    public static decimal CalcTax(Employee E)
    {
        return 0.08m * E.Salary;
    }
}

class MainClass
{
    static void Main()
    {
        // Create objects:
        Employee E1 = new Employee("Mingda Pan", "mpan");

        // Display results:
        E1.printEmployee();
    }
}
/*
Output:
    Name: Mingda Pan
    Alias: mpan
    Taxes: $240.00
 */

C# 语言规范

有关详细信息,请参阅 C# 语言规范。 该语言规范是 C# 语法和用法的权威资料。

请参阅