C#中方法的詳細介紹
1.讓方法返回多個參數(shù)
1.1在方法體外定義變量保存結果
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Method
{
class Program
{
public static int quotient;
public static int remainder;
public static void Divide(int x, int y)
{
quotient = x / y;
remainder = x % y;
}
static void Main(string[] args)
{
Program.Divide(6,9);
Console.WriteLine(Program.quotient);
Console.WriteLine(Program.remainder);
Console.ReadKey();
}
}
}
1.2使用輸出型和輸入型參數(shù)
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Method
{
class Program
{
public static void Divide(int x, int y, out int quotient, out int remainder)
{
quotient = x / y;
remainder = x % y;
}
static void Main(string[] args)
{
int quotient, remainder;
Divide(6,9,out quotient,out remainder);
Console.WriteLine("{0} {1}",quotient,remainder);
Console.ReadKey();
}
}
}
2.方法的重載
方法重載是面向對象對結構化編程特性的一個重要擴充
構成重載的方法具有以下特點:
(1)方法名相同
(2)方法參數(shù)列表不同
判斷上述第二點的標準有三點,滿足任一點均可認定方法參數(shù)列表不同:
(1)方法參數(shù)數(shù)目不同:
(2)方法擁有相同數(shù)目的參數(shù),但參數(shù)的類型不一樣。
(3)方法擁有相同數(shù)目的參數(shù)和參數(shù)類型,但是參數(shù)類型出現(xiàn)的先后順序不一樣,
需要注意的是:方法返回值類型不是方法重載的判斷條件。
3.方法的隱藏
namespace 方法隱藏
{
class Program
{
static void Main(string[] args)
{
Parent p = new Child();
p.show();
Console.ReadKey();
}
}
class Parent
{
public void show()
{
Console.Write("父類方法");
}
}
class Child : Parent
{
public new void show()
{
Console.Write("子類方法");
}
}
}
namespace 方法隱藏
{
class Program
{
static void Main(string[] args)
{
Parent.show();
Console.ReadKey();
Child.show();//父類方法
}
}
class Parent
{
public static void show()
{
Console.Write("父類方法");
}
}
class Child : Parent
{
public static new void show()
{
Console.Write("子類方法");
}
}
}
在未指明成員存儲權限的前提下,其中的成員都是私有的。
namespace 方法隱藏
{
class Program
{
static void Main(string[] args)
{
Parent p1= new Parent();
Parent p2 = new Child();
p1.show();//父類方法
p2.show();//父類方法
((Child)p2).show();//父類方法
Console.ReadKey();
}
}
class Parent
{
public void show()
{
Console.WriteLine("父類方法");
}
}
class Child : Parent
{
new void show()
{
Console.WriteLine("子類方法");
}
}
}
4.方法重寫和虛方法的調用
namespace 方法重寫
{
class Program
{
static void Main(string[] args)
{
Parent p1 = new Parent();
Parent p2 = new Child();
p1.show();
p2.show();
((Parent)p2).show();//子類方法
Console.ReadKey();
}
}
class Parent
{
public virtual void show()
{
Console.WriteLine("父類方法");
}
}
class Child:Parent
{
public override void show()
{
Console.WriteLine("子類方法");
}
}
}
相關文章
C#實現(xiàn)字符串與圖片的Base64編碼轉換操作示例
這篇文章主要介紹了C#實現(xiàn)字符串與圖片的Base64編碼轉換操作,結合實例形式分析了C#針對base64編碼與圖片的相互轉換操作技巧,需要的朋友可以參考下2017-06-06