首页 > Python基础教程 >
-
详解C#中对于接口的实现方式(隐式接口和显式接口)
C#中对于接口的实现方式有隐式接口和显式接口两种:
隐式地实现接口成员
创建一个接口,IChinese,包含一个成员 Speak;我们创建一个类Speaker,实现接口Chinese
1
2
3
4
5
6
7
8
9
10
11
12
|
//隐藏式实现例子 public interface IChinese { string Speak(); } public class Speaker : IChinese { public string Speak() { return "中文" ; } } |
这个就是隐式实现接口。
隐式实现调用方法如下:
1
2
3
4
5
|
IChinese s = new Speaker(); s.Speak(); Speaker s = new Speaker(); s.Speak(); |
都可以调用Speak这个方法。
创建一个接口,IEnglish,包含一个成员 Speak;让我们的类Speaker来实现接口IEnglish
1
2
3
4
5
6
7
8
9
10
11
12
|
//显式实现例子 public interface IEnglish { string Speak(); } public class Speaker : IEnglish { string English.Speak() { return "English" ; } } |
通过这种显示接口实现。Speak方法就只能通过接口来调用:
1
2
|
IEnglish s = new Speaker(); s.Speak(); |
下面的这种方式将会编译错误:
1
2
|
Speaker s = new Speaker(); s.Speak(); |
隐式实现和显示实现的区别:
一、语法的区别
1、隐式方式Speaker的成员(Speak)实现有而且必须有自己的访问修饰符(public),显示实现方式Speaker的成员(Speak)不能有任何的访问修饰符。
2、显示实现方式Speaker使用接口名称和一个句点命名该类成员(Speak)来实现的:English.Speak();也就是
二、调用的区别
隐式接口实现的调用,注意类的声明,可以用接口声明,也可以用实现类 Speaker声明。调用者都可以得到调用实例化对象的行为Speak;
1
2
3
4
5
6
7
8
9
10
|
class Program { static void Main( string [] args) { IChinese s = new Speaker(); s.Speak(); Speaker s = new Speaker(); s.Speak(); } } |
显式接口实现调用,注意类的声明,只可以用接口声明,调用者才可以可以得到调用实例化对象的行为Speak;
1
2
3
4
5
6
7
8
9
10
11
|
class Program { static void Main( string [] args) { IEnglish s = new Speaker(); s.Speak(); //下面写法将引起编译错误错误“PetShop.Speaker”不包含“Speak”的定义; // Speaker s = new Speaker(); // s.Speak(); } } |
结论:
隐示实现对象声明为接口和类都可以访问到其行为,显示实现只有声明为接口可以访问。
如果两个接口中有相同的方法名,那么同时实现这两个接口的类,就会出现不确定的情形,在编写方法时,也不知道实现哪个接口的方法了。为解决这一问题,C#提供了显示接口实现技术,就是在方法名前加接口名称,用接口名称来限定成员。用“接口名.方法名()”来区分实现的是哪一个接口。
注意:显示接口实现时,在方法名前不能加任何访问修饰符。这种方式和普通方法不同,普通方法前不加访问修饰符,默认为私有的,而显式接口实现时方法前不加任何修饰符,默认为公有的,如果前面加上修饰符,会出现编译错误。
调用显示接口实现的正确方式是通过接口引用,通过接口引用来确定要调用的版本。
下面我们看一下完整实例:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
|
using System; public interface IPerson { string Name { get ; set ; } void Show( string name); } public interface IStudent { string StudentId { get ; set ; } void Show( string studentid); } public class Student: IPerson, IStudent { private string _name; public string Name { get { return _name; } set { _name = value; } } private string _studentid; public string StudentId { get { return _studentid; } set { _studentid = value; } } void IPerson.Show( string name) { Console.WriteLine( "姓名为{0}" , name); } void IStudent.Show( string studentid) { Console.WriteLine( "学号为{0}" , studentid); } } class Program { static void Main() { Student s = new Student(); Console.WriteLine( "输入姓名" ); s.Name = Console.ReadLine(); Console.WriteLine( "输入学号" ); s.StudentId = Console.ReadLine(); IPerson per = s; per.Show(s.Name); IStudent stu = s; stu.Show(s.StudentId); } } |
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持脚本之家。