接口

一个接口定义为一种句法的合同,所有类继承接口应遵循。这个接口定义了部分的句法合同“是什么(what)”和派生类定义了部分的句法合同“怎么做(how)”

接口定义的属性,方法和事件,是接口的成员。接口只包含成员的声明。它是派生类定义的成员的责任。它提供一个派生类可以采用的标准的结构。

抽象类在一定程度上服务于同一个目的,然而,它们主要用于基类的方法和派生类中实现的功能。

接口的声明

接口使用关键字 interface 声明。它类似于类的声明。接口声明缺省为 public 类型。以下是一个接口声明的例子:

  1. public interface ITransactions
  2. {
  3. // 接口成员
  4. void showTransaction();
  5. double getAmount();
  6. }

示例

下面的示例演示上述接口的实现:

  1. using System.Collections.Generic;
  2. using System.Linq;
  3. using System.Text;
  4. using System;
  5. namespace InterfaceApplication
  6. {
  7. public interface ITransactions
  8. {
  9. // 接口成员
  10. void showTransaction();
  11. double getAmount();
  12. }
  13. public class Transaction : ITransactions
  14. {
  15. private string tCode;
  16. private string date;
  17. private double amount;
  18. public Transaction()
  19. {
  20. tCode = " ";
  21. date = " ";
  22. amount = 0.0;
  23. }
  24. public Transaction(string c, string d, double a)
  25. {
  26. tCode = c;
  27. date = d;
  28. amount = a;
  29. }
  30. public double getAmount()
  31. {
  32. return amount;
  33. }
  34. public void showTransaction()
  35. {
  36. Console.WriteLine("Transaction: {0}", tCode);
  37. Console.WriteLine("Date: {0}", date);
  38. Console.WriteLine("Amount: {0}", getAmount());
  39. }
  40. }
  41. class Tester
  42. {
  43. static void Main(string[] args)
  44. {
  45. Transaction t1 = new Transaction("001", "8/10/2012", 78900.00);
  46. Transaction t2 = new Transaction("002", "9/10/2012", 451900.00);
  47. t1.showTransaction();
  48. t2.showTransaction();
  49. Console.ReadKey();
  50. }
  51. }
  52. }

编译执行上述代码,得到如下结果:

  1. Transaction: 001
  2. Date: 8/10/2012
  3. Amount: 78900
  4. Transaction: 002
  5. Date: 9/10/2012
  6. Amount: 451900