1 using System;
 2 
 3 // upper layer:
 4 
 5 // upper layer knows about lower layer but not vice versa.
 6 
 7 public abstract class UpperLayerComponentBase
 8 {
 9     public abstract void SomeMember();
10 }
11 
12 // the UpperLayerComponent class derives from the UpperLayerComponentBase class and implements the UpperLayerInterface interface.
13 
14 public class UpperLayerComponent : UpperLayerComponentBaseUpperLayerInterface
15 {
16     // the UpperLayerComponent passes itself as an implementer of the UpperLayerInterface interface to the LowerLayerComponent:
17     public UpperLayerComponent() : lower(*this)
18     {
19     }
20     public override void SomeMember()
21     {
22         lower.ServiceForUpper();
23         // ...
24     }
25     public void ServiceForLower()
26     {
27         // ...
28     }
29     private LowerLayerComponent lower;
30 }
31 
32 // -----------------------------------------------
33 
34 // lower layer:
35 
36 // Lower layer does not need to know about upper layer. They might be in different libraries.
37 
38 public interface UpperLayerInterface
39 {
40     void ServiceForLower();
41 }
42 
43 // The LowerLayerComponent only need to know about UpperLayerInterface to call UpperLayerComponent.
44 
45 public class LowerLayerComponent
46 {
47     public LowerLayerComponent(UpperLayerInterface upper_) : upper(upper_)
48     {
49     }
50     public void ServiceForUpper()
51     {
52         // ...
53     }
54     public void AnotherMember()
55     {
56         // the LowerLayerComponent can call the member functions of the UpperLayerInterface and thus it can indirectly call the UpperLayerComponent's ServiceForLower method
57         upper.ServiceForLower();
58         // ...
59     }
60     private UpperLayerInterface upper;
61 }