##// END OF EJS Templates
runnable component, work in progress
cin -
r185:822aab37b107 ref20160224
parent child
Show More
@@ -0,0 +1,194
1 using System;
2 using System.Reflection;
3 using System.Threading;
4 using Implab.Parallels;
5 using Implab.Components;
6
7 #if MONO
8
9 using NUnit.Framework;
10 using TestClassAttribute = NUnit.Framework.TestFixtureAttribute;
11 using TestMethodAttribute = NUnit.Framework.TestAttribute;
12
13 #else
14
15 using Microsoft.VisualStudio.TestTools.UnitTesting;
16
17 #endif
18
19 namespace Implab.Test {
20 [TestClass]
21 public class RunnableComponentTests {
22
23 static void ShouldThrow(Action action) {
24 try {
25 action();
26 Assert.Fail();
27 } catch(AssertionException) {
28 throw;
29 } catch {
30 }
31 }
32
33 class Runnable : RunnableComponent {
34 public Runnable(bool initialized) : base(initialized) {
35 }
36
37 public Action MockInit {
38 get;
39 set;
40 }
41
42 public Func<IPromise> MockStart {
43 get;
44 set;
45 }
46
47 public Func<IPromise> MockStop {
48 get;
49 set;
50 }
51
52 protected override IPromise OnStart() {
53 return MockStart != null ? MockStart() : base.OnStart();
54 }
55
56 protected override IPromise OnStop() {
57 return MockStop != null ? MockStop() : base.OnStart();
58 }
59
60 protected override void OnInitialize() {
61 if (MockInit != null)
62 MockInit();
63 }
64 }
65
66 [TestMethod]
67 public void NormalFlowTest() {
68 var comp = new Runnable(false);
69
70 Assert.AreEqual(ExecutionState.Created, comp.State);
71
72 comp.Init();
73
74 Assert.AreEqual(ExecutionState.Ready, comp.State);
75
76 comp.Start().Join(1000);
77
78 Assert.AreEqual(ExecutionState.Running, comp.State);
79
80 comp.Stop().Join(1000);
81
82 Assert.AreEqual(ExecutionState.Disposed, comp.State);
83
84 }
85
86 [TestMethod]
87 public void InitFailTest() {
88 var comp = new Runnable(false) {
89 MockInit = () => {
90 throw new Exception("BAD");
91 }
92 };
93
94 ShouldThrow(() => comp.Start());
95 ShouldThrow(() => comp.Stop());
96 Assert.AreEqual(ExecutionState.Created, comp.State);
97
98 ShouldThrow(comp.Init);
99
100 Assert.AreEqual(ExecutionState.Failed, comp.State);
101
102 ShouldThrow(() => comp.Start());
103 ShouldThrow(() => comp.Stop());
104 Assert.AreEqual(ExecutionState.Failed, comp.State);
105
106 comp.Dispose();
107 Assert.AreEqual(ExecutionState.Disposed, comp.State);
108 }
109
110 [TestMethod]
111 public void DisposedTest() {
112
113 var comp = new Runnable(false);
114 comp.Dispose();
115
116 ShouldThrow(() => comp.Start());
117 ShouldThrow(() => comp.Stop());
118 ShouldThrow(comp.Init);
119
120 Assert.AreEqual(ExecutionState.Disposed, comp.State);
121 }
122
123 [TestMethod]
124 public void StartCancelTest() {
125 var comp = new Runnable(true) {
126 MockStart = () => PromiseHelper.Sleep(100000, 0)
127 };
128
129 var p = comp.Start();
130 Assert.AreEqual(ExecutionState.Starting, comp.State);
131 p.Cancel();
132 ShouldThrow(() => p.Join(1000));
133 Assert.AreEqual(ExecutionState.Failed, comp.State);
134 Assert.IsInstanceOfType(typeof(OperationCanceledException), comp.LastError);
135
136 comp.Dispose();
137 }
138
139 [TestMethod]
140 public void StartStopTest() {
141 var stop = new Signal();
142 var comp = new Runnable(true) {
143 MockStart = () => PromiseHelper.Sleep(100000, 0),
144 MockStop = () => AsyncPool.RunThread(stop.Wait)
145 };
146
147 var p1 = comp.Start();
148 var p2 = comp.Stop();
149 // should enter stopping state
150
151 ShouldThrow(p1.Join);
152 Assert.IsTrue(p1.IsCancelled);
153 Assert.AreEqual(ExecutionState.Stopping, comp.State);
154
155 stop.Set();
156 p2.Join(1000);
157 Assert.AreEqual(ExecutionState.Disposed, comp.State);
158 }
159
160 [TestMethod]
161 public void StartStopFailTest() {
162 var comp = new Runnable(true) {
163 MockStart = () => PromiseHelper.Sleep(100000, 0).Then(null,null,x => { throw new Exception("I'm dead"); })
164 };
165
166 comp.Start();
167 var p = comp.Stop();
168 // if Start fails to cancel, should fail to stop
169 ShouldThrow(() => p.Join(1000));
170 Assert.AreEqual(ExecutionState.Failed, comp.State);
171 Assert.IsNotNull(comp.LastError);
172 Assert.AreEqual("I'm dead", comp.LastError.Message);
173 }
174
175 [TestMethod]
176 public void StopCancelTest() {
177 var comp = new Runnable(true) {
178 MockStop = () => PromiseHelper.Sleep(100000, 0)
179 };
180
181 comp.Start();
182 var p = comp.Stop();
183 Assert.AreEqual(ExecutionState.Stopping, comp.State);
184 p.Cancel();
185 ShouldThrow(() => p.Join(1000));
186 Assert.AreEqual(ExecutionState.Failed, comp.State);
187 Assert.IsInstanceOfType(typeof(OperationCanceledException), comp.LastError);
188
189 comp.Dispose();
190 }
191
192 }
193 }
194
@@ -1,68 +1,69
1 <?xml version="1.0" encoding="utf-8"?>
1 <?xml version="1.0" encoding="utf-8"?>
2 <Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
2 <Project DefaultTargets="Build" ToolsVersion="4.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003">
3 <PropertyGroup>
3 <PropertyGroup>
4 <Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
4 <Configuration Condition=" '$(Configuration)' == '' ">Debug</Configuration>
5 <Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
5 <Platform Condition=" '$(Platform)' == '' ">AnyCPU</Platform>
6 <ProductVersion>8.0.30703</ProductVersion>
6 <ProductVersion>8.0.30703</ProductVersion>
7 <SchemaVersion>2.0</SchemaVersion>
7 <SchemaVersion>2.0</SchemaVersion>
8 <ProjectGuid>{2BD05F84-E067-4B87-9477-FDC2676A21C6}</ProjectGuid>
8 <ProjectGuid>{2BD05F84-E067-4B87-9477-FDC2676A21C6}</ProjectGuid>
9 <OutputType>Library</OutputType>
9 <OutputType>Library</OutputType>
10 <RootNamespace>Implab.Test</RootNamespace>
10 <RootNamespace>Implab.Test</RootNamespace>
11 <AssemblyName>Implab.Test</AssemblyName>
11 <AssemblyName>Implab.Test</AssemblyName>
12 <TargetFrameworkVersion>v4.5</TargetFrameworkVersion>
12 <TargetFrameworkVersion>v4.5</TargetFrameworkVersion>
13 <ReleaseVersion>0.2</ReleaseVersion>
13 <ReleaseVersion>0.2</ReleaseVersion>
14 </PropertyGroup>
14 </PropertyGroup>
15 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
15 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug|AnyCPU' ">
16 <DebugSymbols>true</DebugSymbols>
16 <DebugSymbols>true</DebugSymbols>
17 <DebugType>full</DebugType>
17 <DebugType>full</DebugType>
18 <Optimize>false</Optimize>
18 <Optimize>false</Optimize>
19 <OutputPath>bin\Debug</OutputPath>
19 <OutputPath>bin\Debug</OutputPath>
20 <DefineConstants>DEBUG;MONO</DefineConstants>
20 <DefineConstants>DEBUG;MONO</DefineConstants>
21 <ErrorReport>prompt</ErrorReport>
21 <ErrorReport>prompt</ErrorReport>
22 <WarningLevel>4</WarningLevel>
22 <WarningLevel>4</WarningLevel>
23 <ConsolePause>false</ConsolePause>
23 <ConsolePause>false</ConsolePause>
24 </PropertyGroup>
24 </PropertyGroup>
25 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
25 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release|AnyCPU' ">
26 <Optimize>true</Optimize>
26 <Optimize>true</Optimize>
27 <OutputPath>bin\Release</OutputPath>
27 <OutputPath>bin\Release</OutputPath>
28 <ErrorReport>prompt</ErrorReport>
28 <ErrorReport>prompt</ErrorReport>
29 <WarningLevel>4</WarningLevel>
29 <WarningLevel>4</WarningLevel>
30 <ConsolePause>false</ConsolePause>
30 <ConsolePause>false</ConsolePause>
31 <DefineConstants>MONO</DefineConstants>
31 <DefineConstants>MONO</DefineConstants>
32 </PropertyGroup>
32 </PropertyGroup>
33 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug 4.5|AnyCPU' ">
33 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Debug 4.5|AnyCPU' ">
34 <DebugSymbols>true</DebugSymbols>
34 <DebugSymbols>true</DebugSymbols>
35 <DebugType>full</DebugType>
35 <DebugType>full</DebugType>
36 <Optimize>false</Optimize>
36 <Optimize>false</Optimize>
37 <OutputPath>bin\Debug</OutputPath>
37 <OutputPath>bin\Debug</OutputPath>
38 <DefineConstants>DEBUG;TRACE;NET_4_5;MONO</DefineConstants>
38 <DefineConstants>DEBUG;TRACE;NET_4_5;MONO</DefineConstants>
39 <ErrorReport>prompt</ErrorReport>
39 <ErrorReport>prompt</ErrorReport>
40 <WarningLevel>4</WarningLevel>
40 <WarningLevel>4</WarningLevel>
41 <ConsolePause>false</ConsolePause>
41 <ConsolePause>false</ConsolePause>
42 </PropertyGroup>
42 </PropertyGroup>
43 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release 4.5|AnyCPU' ">
43 <PropertyGroup Condition=" '$(Configuration)|$(Platform)' == 'Release 4.5|AnyCPU' ">
44 <Optimize>true</Optimize>
44 <Optimize>true</Optimize>
45 <OutputPath>bin\Release</OutputPath>
45 <OutputPath>bin\Release</OutputPath>
46 <DefineConstants>NET_4_5;MONO</DefineConstants>
46 <DefineConstants>NET_4_5;MONO</DefineConstants>
47 <ErrorReport>prompt</ErrorReport>
47 <ErrorReport>prompt</ErrorReport>
48 <WarningLevel>4</WarningLevel>
48 <WarningLevel>4</WarningLevel>
49 <ConsolePause>false</ConsolePause>
49 <ConsolePause>false</ConsolePause>
50 </PropertyGroup>
50 </PropertyGroup>
51 <ItemGroup>
51 <ItemGroup>
52 <Reference Include="System" />
52 <Reference Include="System" />
53 <Reference Include="nunit.framework" />
53 <Reference Include="nunit.framework" />
54 </ItemGroup>
54 </ItemGroup>
55 <Import Project="$(MSBuildBinPath)\Microsoft.CSharp.targets" />
55 <Import Project="$(MSBuildBinPath)\Microsoft.CSharp.targets" />
56 <ItemGroup>
56 <ItemGroup>
57 <Compile Include="AsyncTests.cs" />
57 <Compile Include="AsyncTests.cs" />
58 <Compile Include="PromiseHelper.cs" />
58 <Compile Include="PromiseHelper.cs" />
59 <Compile Include="Properties\AssemblyInfo.cs" />
59 <Compile Include="Properties\AssemblyInfo.cs" />
60 <Compile Include="CancelationTests.cs" />
60 <Compile Include="CancelationTests.cs" />
61 <Compile Include="RunnableComponentTests.cs" />
61 </ItemGroup>
62 </ItemGroup>
62 <ItemGroup>
63 <ItemGroup>
63 <ProjectReference Include="..\Implab\Implab.csproj">
64 <ProjectReference Include="..\Implab\Implab.csproj">
64 <Project>{F550F1F8-8746-4AD0-9614-855F4C4B7F05}</Project>
65 <Project>{F550F1F8-8746-4AD0-9614-855F4C4B7F05}</Project>
65 <Name>Implab</Name>
66 <Name>Implab</Name>
66 </ProjectReference>
67 </ProjectReference>
67 </ItemGroup>
68 </ItemGroup>
68 </Project> No newline at end of file
69 </Project>
@@ -1,304 +1,305
1 using System;
1 using System;
2 using Implab.Parallels;
2 using Implab.Parallels;
3 using System.Threading;
3 using System.Threading;
4 using System.Reflection;
4 using System.Reflection;
5
5
6 namespace Implab {
6 namespace Implab {
7 public abstract class AbstractEvent<THandler> : ICancellationToken, ICancellable {
7 public abstract class AbstractEvent<THandler> : ICancellationToken, ICancellable {
8
8
9 const int UNRESOLVED_SATE = 0;
9 const int UNRESOLVED_SATE = 0;
10 const int TRANSITIONAL_STATE = 1;
10 const int TRANSITIONAL_STATE = 1;
11 protected const int SUCCEEDED_STATE = 2;
11 protected const int SUCCEEDED_STATE = 2;
12 protected const int REJECTED_STATE = 3;
12 protected const int REJECTED_STATE = 3;
13 protected const int CANCELLED_STATE = 4;
13 protected const int CANCELLED_STATE = 4;
14
14
15 const int CANCEL_NOT_REQUESTED = 0;
15 const int CANCEL_NOT_REQUESTED = 0;
16 const int CANCEL_REQUESTING = 1;
16 const int CANCEL_REQUESTING = 1;
17 const int CANCEL_REQUESTED = 2;
17 const int CANCEL_REQUESTED = 2;
18
18
19 const int RESERVED_HANDLERS_COUNT = 4;
19 const int RESERVED_HANDLERS_COUNT = 4;
20
20
21 int m_state;
21 int m_state;
22 Exception m_error;
22 Exception m_error;
23 int m_handlersCount;
23 int m_handlersCount;
24
24
25 //readonly THandler[] m_handlers = new THandler[RESERVED_HANDLERS_COUNT];
25 //readonly THandler[] m_handlers = new THandler[RESERVED_HANDLERS_COUNT];
26 THandler[] m_handlers;
26 THandler[] m_handlers;
27 MTQueue<THandler> m_extraHandlers;
27 MTQueue<THandler> m_extraHandlers;
28 int m_handlerPointer = -1;
28 int m_handlerPointer = -1;
29 int m_handlersCommited;
29 int m_handlersCommited;
30
30
31 int m_cancelRequest;
31 int m_cancelRequest;
32 Exception m_cancelationReason;
32 Exception m_cancelationReason;
33 MTQueue<Action<Exception>> m_cancelationHandlers;
33 MTQueue<Action<Exception>> m_cancelationHandlers;
34
34
35
35
36 #region state managment
36 #region state managment
37 bool BeginTransit() {
37 bool BeginTransit() {
38 return UNRESOLVED_SATE == Interlocked.CompareExchange(ref m_state, TRANSITIONAL_STATE, UNRESOLVED_SATE);
38 return UNRESOLVED_SATE == Interlocked.CompareExchange(ref m_state, TRANSITIONAL_STATE, UNRESOLVED_SATE);
39 }
39 }
40
40
41 void CompleteTransit(int state) {
41 void CompleteTransit(int state) {
42 if (TRANSITIONAL_STATE != Interlocked.CompareExchange(ref m_state, state, TRANSITIONAL_STATE))
42 if (TRANSITIONAL_STATE != Interlocked.CompareExchange(ref m_state, state, TRANSITIONAL_STATE))
43 throw new InvalidOperationException("Can't complete transition when the object isn't in the transitional state");
43 throw new InvalidOperationException("Can't complete transition when the object isn't in the transitional state");
44 }
44 }
45
45
46 void WaitTransition() {
46 void WaitTransition() {
47 while (m_state == TRANSITIONAL_STATE) {
47 while (m_state == TRANSITIONAL_STATE) {
48 Thread.MemoryBarrier();
48 Thread.MemoryBarrier();
49 }
49 }
50 }
50 }
51
51
52 protected bool BeginSetResult() {
52 protected bool BeginSetResult() {
53 if (!BeginTransit()) {
53 if (!BeginTransit()) {
54 WaitTransition();
54 WaitTransition();
55 if (m_state != CANCELLED_STATE)
55 if (m_state != CANCELLED_STATE)
56 throw new InvalidOperationException("The promise is already resolved");
56 throw new InvalidOperationException("The promise is already resolved");
57 return false;
57 return false;
58 }
58 }
59 return true;
59 return true;
60 }
60 }
61
61
62 protected void EndSetResult() {
62 protected void EndSetResult() {
63 CompleteTransit(SUCCEEDED_STATE);
63 CompleteTransit(SUCCEEDED_STATE);
64 Signal();
64 Signal();
65 }
65 }
66
66
67
67
68
68
69 /// <summary>
69 /// <summary>
70 /// ВыполняСт ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅, сообщая ΠΎΠ± ошибкС
70 /// ВыполняСт ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅, сообщая ΠΎΠ± ошибкС
71 /// </summary>
71 /// </summary>
72 /// <remarks>
72 /// <remarks>
73 /// ΠŸΠΎΡΠΊΠΎΠ»ΡŒΠΊΡƒ ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅ Π΄ΠΎΠ»ΠΆΠ½ΠΎ Ρ€Π°Π±ΠΎΡ‚Π°Ρ‚ΡŒ Π² ΠΌΠ½ΠΎΠ³ΠΎΠΏΡ‚ΠΎΡ‡Π½ΠΎΠΉ срСдС, ΠΏΡ€ΠΈ Π΅Π³ΠΎ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΈΠΈ сразу нСсколько ΠΏΠΎΡ‚ΠΎΠΊΠΎΠ²
73 /// ΠŸΠΎΡΠΊΠΎΠ»ΡŒΠΊΡƒ ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅ Π΄ΠΎΠ»ΠΆΠ½ΠΎ Ρ€Π°Π±ΠΎΡ‚Π°Ρ‚ΡŒ Π² ΠΌΠ½ΠΎΠ³ΠΎΠΏΡ‚ΠΎΡ‡Π½ΠΎΠΉ срСдС, ΠΏΡ€ΠΈ Π΅Π³ΠΎ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΈΠΈ сразу нСсколько ΠΏΠΎΡ‚ΠΎΠΊΠΎΠ²
74 /// ΠΌΠΎΠ³Ρƒ Π²Π΅Ρ€Π½ΡƒΡ‚ΡŒ ΠΎΡˆΠΈΠ±ΠΊΡƒ, ΠΏΡ€ΠΈ этом Ρ‚ΠΎΠ»ΡŒΠΊΠΎ пСрвая Π±ΡƒΠ΄Π΅Ρ‚ использована Π² качСствС Ρ€Π΅Π·ΡƒΠ»ΡŒΡ‚Π°Ρ‚Π°, ΠΎΡΡ‚Π°Π»ΡŒΠ½Ρ‹Π΅
74 /// ΠΌΠΎΠ³Ρƒ Π²Π΅Ρ€Π½ΡƒΡ‚ΡŒ ΠΎΡˆΠΈΠ±ΠΊΡƒ, ΠΏΡ€ΠΈ этом Ρ‚ΠΎΠ»ΡŒΠΊΠΎ пСрвая Π±ΡƒΠ΄Π΅Ρ‚ использована Π² качСствС Ρ€Π΅Π·ΡƒΠ»ΡŒΡ‚Π°Ρ‚Π°, ΠΎΡΡ‚Π°Π»ΡŒΠ½Ρ‹Π΅
75 /// Π±ΡƒΠ΄ΡƒΡ‚ ΠΏΡ€ΠΎΠΈΠ³Π½ΠΎΡ€ΠΈΡ€ΠΎΠ²Π°Π½Ρ‹.
75 /// Π±ΡƒΠ΄ΡƒΡ‚ ΠΏΡ€ΠΎΠΈΠ³Π½ΠΎΡ€ΠΈΡ€ΠΎΠ²Π°Π½Ρ‹.
76 /// </remarks>
76 /// </remarks>
77 /// <param name="error">Π˜ΡΠΊΠ»ΡŽΡ‡Π΅Π½ΠΈΠ΅ возникшСС ΠΏΡ€ΠΈ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΈΠΈ ΠΎΠΏΠ΅Ρ€Π°Ρ†ΠΈΠΈ</param>
77 /// <param name="error">Π˜ΡΠΊΠ»ΡŽΡ‡Π΅Π½ΠΈΠ΅ возникшСС ΠΏΡ€ΠΈ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΈΠΈ ΠΎΠΏΠ΅Ρ€Π°Ρ†ΠΈΠΈ</param>
78 /// <exception cref="InvalidOperationException">Π”Π°Π½Π½ΠΎΠ΅ ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅ ΡƒΠΆΠ΅ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΎ</exception>
78 /// <exception cref="InvalidOperationException">Π”Π°Π½Π½ΠΎΠ΅ ΠΎΠ±Π΅Ρ‰Π°Π½ΠΈΠ΅ ΡƒΠΆΠ΅ Π²Ρ‹ΠΏΠΎΠ»Π½Π΅Π½ΠΎ</exception>
79 protected void SetError(Exception error) {
79 protected void SetError(Exception error) {
80 while (error is PromiseTransientException)
81 error = error.InnerException;
82
83 var isCancel = error is OperationCanceledException;
84
80 if (BeginTransit()) {
85 if (BeginTransit()) {
81 if (error is OperationCanceledException) {
86 m_error = isCancel ? error.InnerException : error;
82 m_error = error.InnerException;
87 CompleteTransit(isCancel ? CANCELLED_STATE : REJECTED_STATE);
83 CompleteTransit(CANCELLED_STATE);
88
84 } else {
85 m_error = error is PromiseTransientException ? error.InnerException : error;
86 CompleteTransit(REJECTED_STATE);
87 }
88 Signal();
89 Signal();
89 } else {
90 } else {
90 WaitTransition();
91 WaitTransition();
91 if (m_state == SUCCEEDED_STATE)
92 if (!isCancel || m_state == SUCCEEDED_STATE)
92 throw new InvalidOperationException("The promise is already resolved");
93 throw new InvalidOperationException("The promise is already resolved");
93 }
94 }
94 }
95 }
95
96
96 /// <summary>
97 /// <summary>
97 /// ΠžΡ‚ΠΌΠ΅Π½ΡΠ΅Ρ‚ ΠΎΠΏΠ΅Ρ€Π°Ρ†ΠΈΡŽ, Ссли это Π²ΠΎΠ·ΠΌΠΎΠΆΠ½ΠΎ.
98 /// ΠžΡ‚ΠΌΠ΅Π½ΡΠ΅Ρ‚ ΠΎΠΏΠ΅Ρ€Π°Ρ†ΠΈΡŽ, Ссли это Π²ΠΎΠ·ΠΌΠΎΠΆΠ½ΠΎ.
98 /// </summary>
99 /// </summary>
99 /// <remarks>Для опрСдСлСния Π±Ρ‹Π»Π° Π»ΠΈ опСрация ΠΎΡ‚ΠΌΠ΅Π½Π΅Π½Π° слСдуСт ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΠΎΠ²Π°Ρ‚ΡŒ свойство <see cref="IsCancelled"/>.</remarks>
100 /// <remarks>Для опрСдСлСния Π±Ρ‹Π»Π° Π»ΠΈ опСрация ΠΎΡ‚ΠΌΠ΅Π½Π΅Π½Π° слСдуСт ΠΈΡΠΏΠΎΠ»ΡŒΠ·ΠΎΠ²Π°Ρ‚ΡŒ свойство <see cref="IsCancelled"/>.</remarks>
100 protected void SetCancelled(Exception reason) {
101 protected void SetCancelled(Exception reason) {
101 if (BeginTransit()) {
102 if (BeginTransit()) {
102 m_error = reason;
103 m_error = reason;
103 CompleteTransit(CANCELLED_STATE);
104 CompleteTransit(CANCELLED_STATE);
104 Signal();
105 Signal();
105 }
106 }
106 }
107 }
107
108
108 protected abstract void SignalHandler(THandler handler, int signal);
109 protected abstract void SignalHandler(THandler handler, int signal);
109
110
110 void Signal() {
111 void Signal() {
111 var hp = m_handlerPointer;
112 var hp = m_handlerPointer;
112 var slot = hp +1 ;
113 var slot = hp +1 ;
113 while (slot < m_handlersCommited) {
114 while (slot < m_handlersCommited) {
114 if (Interlocked.CompareExchange(ref m_handlerPointer, slot, hp) == hp) {
115 if (Interlocked.CompareExchange(ref m_handlerPointer, slot, hp) == hp) {
115 SignalHandler(m_handlers[slot], m_state);
116 SignalHandler(m_handlers[slot], m_state);
116 }
117 }
117 hp = m_handlerPointer;
118 hp = m_handlerPointer;
118 slot = hp +1 ;
119 slot = hp +1 ;
119 }
120 }
120
121
121
122
122 if (m_extraHandlers != null) {
123 if (m_extraHandlers != null) {
123 THandler handler;
124 THandler handler;
124 while (m_extraHandlers.TryDequeue(out handler))
125 while (m_extraHandlers.TryDequeue(out handler))
125 SignalHandler(handler, m_state);
126 SignalHandler(handler, m_state);
126 }
127 }
127 }
128 }
128
129
129 #endregion
130 #endregion
130
131
131 protected abstract Signal GetResolveSignal();
132 protected abstract Signal GetResolveSignal();
132
133
133 #region synchronization traits
134 #region synchronization traits
134 protected void WaitResult(int timeout) {
135 protected void WaitResult(int timeout) {
135 if (!(IsResolved || GetResolveSignal().Wait(timeout)))
136 if (!(IsResolved || GetResolveSignal().Wait(timeout)))
136 throw new TimeoutException();
137 throw new TimeoutException();
137
138
138 switch (m_state) {
139 switch (m_state) {
139 case SUCCEEDED_STATE:
140 case SUCCEEDED_STATE:
140 return;
141 return;
141 case CANCELLED_STATE:
142 case CANCELLED_STATE:
142 throw new OperationCanceledException();
143 throw new OperationCanceledException();
143 case REJECTED_STATE:
144 case REJECTED_STATE:
144 throw new TargetInvocationException(m_error);
145 throw new TargetInvocationException(m_error);
145 default:
146 default:
146 throw new ApplicationException(String.Format("Invalid promise state {0}", m_state));
147 throw new ApplicationException(String.Format("Invalid promise state {0}", m_state));
147 }
148 }
148 }
149 }
149 #endregion
150 #endregion
150
151
151 #region handlers managment
152 #region handlers managment
152
153
153 protected void AddHandler(THandler handler) {
154 protected void AddHandler(THandler handler) {
154
155
155 if (m_state > 1) {
156 if (m_state > 1) {
156 // the promise is in the resolved state, just invoke the handler
157 // the promise is in the resolved state, just invoke the handler
157 SignalHandler(handler, m_state);
158 SignalHandler(handler, m_state);
158 } else {
159 } else {
159 var slot = Interlocked.Increment(ref m_handlersCount) - 1;
160 var slot = Interlocked.Increment(ref m_handlersCount) - 1;
160
161
161 if (slot < RESERVED_HANDLERS_COUNT) {
162 if (slot < RESERVED_HANDLERS_COUNT) {
162
163
163 if (slot == 0) {
164 if (slot == 0) {
164 m_handlers = new THandler[RESERVED_HANDLERS_COUNT];
165 m_handlers = new THandler[RESERVED_HANDLERS_COUNT];
165 } else {
166 } else {
166 while (m_handlers == null)
167 while (m_handlers == null)
167 Thread.MemoryBarrier();
168 Thread.MemoryBarrier();
168 }
169 }
169
170
170 m_handlers[slot] = handler;
171 m_handlers[slot] = handler;
171
172
172 while (slot != Interlocked.CompareExchange(ref m_handlersCommited, slot + 1, slot)) {
173 while (slot != Interlocked.CompareExchange(ref m_handlersCommited, slot + 1, slot)) {
173 }
174 }
174
175
175 if (m_state > 1) {
176 if (m_state > 1) {
176 do {
177 do {
177 var hp = m_handlerPointer;
178 var hp = m_handlerPointer;
178 slot = hp + 1;
179 slot = hp + 1;
179 if (slot < m_handlersCommited) {
180 if (slot < m_handlersCommited) {
180 if (Interlocked.CompareExchange(ref m_handlerPointer, slot, hp) != hp)
181 if (Interlocked.CompareExchange(ref m_handlerPointer, slot, hp) != hp)
181 continue;
182 continue;
182 SignalHandler(m_handlers[slot], m_state);
183 SignalHandler(m_handlers[slot], m_state);
183 }
184 }
184 break;
185 break;
185 } while(true);
186 } while(true);
186 }
187 }
187 } else {
188 } else {
188 if (slot == RESERVED_HANDLERS_COUNT) {
189 if (slot == RESERVED_HANDLERS_COUNT) {
189 m_extraHandlers = new MTQueue<THandler>();
190 m_extraHandlers = new MTQueue<THandler>();
190 } else {
191 } else {
191 while (m_extraHandlers == null)
192 while (m_extraHandlers == null)
192 Thread.MemoryBarrier();
193 Thread.MemoryBarrier();
193 }
194 }
194
195
195 m_extraHandlers.Enqueue(handler);
196 m_extraHandlers.Enqueue(handler);
196
197
197 if (m_state > 1 && m_extraHandlers.TryDequeue(out handler))
198 if (m_state > 1 && m_extraHandlers.TryDequeue(out handler))
198 // if the promise have been resolved while we was adding the handler to the queue
199 // if the promise have been resolved while we was adding the handler to the queue
199 // we can't guarantee that someone is still processing it
200 // we can't guarantee that someone is still processing it
200 // therefore we need to fetch a handler from the queue and execute it
201 // therefore we need to fetch a handler from the queue and execute it
201 // note that fetched handler may be not the one that we have added
202 // note that fetched handler may be not the one that we have added
202 // even we can fetch no handlers at all :)
203 // even we can fetch no handlers at all :)
203 SignalHandler(handler, m_state);
204 SignalHandler(handler, m_state);
204 }
205 }
205 }
206 }
206 }
207 }
207
208
208 #endregion
209 #endregion
209
210
210 #region IPromise implementation
211 #region IPromise implementation
211
212
212 public bool IsResolved {
213 public bool IsResolved {
213 get {
214 get {
214 Thread.MemoryBarrier();
215 Thread.MemoryBarrier();
215 return m_state > 1;
216 return m_state > 1;
216 }
217 }
217 }
218 }
218
219
219 public bool IsCancelled {
220 public bool IsCancelled {
220 get {
221 get {
221 Thread.MemoryBarrier();
222 Thread.MemoryBarrier();
222 return m_state == CANCELLED_STATE;
223 return m_state == CANCELLED_STATE;
223 }
224 }
224 }
225 }
225
226
226 #endregion
227 #endregion
227
228
228 public Exception Error {
229 public Exception Error {
229 get {
230 get {
230 return m_error;
231 return m_error;
231 }
232 }
232 }
233 }
233
234
234 public bool CancelOperationIfRequested() {
235 public bool CancelOperationIfRequested() {
235 if (IsCancellationRequested) {
236 if (IsCancellationRequested) {
236 CancelOperation(CancellationReason);
237 CancelOperation(CancellationReason);
237 return true;
238 return true;
238 }
239 }
239 return false;
240 return false;
240 }
241 }
241
242
242 public virtual void CancelOperation(Exception reason) {
243 public virtual void CancelOperation(Exception reason) {
243 SetCancelled(reason);
244 SetCancelled(reason);
244 }
245 }
245
246
246 public void CancellationRequested(Action<Exception> handler) {
247 public void CancellationRequested(Action<Exception> handler) {
247 Safe.ArgumentNotNull(handler, "handler");
248 Safe.ArgumentNotNull(handler, "handler");
248 if (IsCancellationRequested)
249 if (IsCancellationRequested)
249 handler(CancellationReason);
250 handler(CancellationReason);
250
251
251 if (m_cancelationHandlers == null)
252 if (m_cancelationHandlers == null)
252 Interlocked.CompareExchange(ref m_cancelationHandlers, new MTQueue<Action<Exception>>(), null);
253 Interlocked.CompareExchange(ref m_cancelationHandlers, new MTQueue<Action<Exception>>(), null);
253
254
254 m_cancelationHandlers.Enqueue(handler);
255 m_cancelationHandlers.Enqueue(handler);
255
256
256 if (IsCancellationRequested && m_cancelationHandlers.TryDequeue(out handler))
257 if (IsCancellationRequested && m_cancelationHandlers.TryDequeue(out handler))
257 // TryDeque implies MemoryBarrier()
258 // TryDeque implies MemoryBarrier()
258 handler(m_cancelationReason);
259 handler(m_cancelationReason);
259 }
260 }
260
261
261 public bool IsCancellationRequested {
262 public bool IsCancellationRequested {
262 get {
263 get {
263 do {
264 do {
264 if (m_cancelRequest == CANCEL_NOT_REQUESTED)
265 if (m_cancelRequest == CANCEL_NOT_REQUESTED)
265 return false;
266 return false;
266 if (m_cancelRequest == CANCEL_REQUESTED)
267 if (m_cancelRequest == CANCEL_REQUESTED)
267 return true;
268 return true;
268 Thread.MemoryBarrier();
269 Thread.MemoryBarrier();
269 } while(true);
270 } while(true);
270 }
271 }
271 }
272 }
272
273
273 public Exception CancellationReason {
274 public Exception CancellationReason {
274 get {
275 get {
275 do {
276 do {
276 Thread.MemoryBarrier();
277 Thread.MemoryBarrier();
277 } while(m_cancelRequest == CANCEL_REQUESTING);
278 } while(m_cancelRequest == CANCEL_REQUESTING);
278
279
279 return m_cancelationReason;
280 return m_cancelationReason;
280 }
281 }
281 }
282 }
282
283
283 #region ICancellable implementation
284 #region ICancellable implementation
284
285
285 public void Cancel() {
286 public void Cancel() {
286 Cancel(null);
287 Cancel(null);
287 }
288 }
288
289
289 public void Cancel(Exception reason) {
290 public void Cancel(Exception reason) {
290 if (CANCEL_NOT_REQUESTED == Interlocked.CompareExchange(ref m_cancelRequest, CANCEL_REQUESTING, CANCEL_NOT_REQUESTED)) {
291 if (CANCEL_NOT_REQUESTED == Interlocked.CompareExchange(ref m_cancelRequest, CANCEL_REQUESTING, CANCEL_NOT_REQUESTED)) {
291 m_cancelationReason = reason;
292 m_cancelationReason = reason;
292 m_cancelRequest = CANCEL_REQUESTED;
293 m_cancelRequest = CANCEL_REQUESTED;
293 if (m_cancelationHandlers != null) {
294 if (m_cancelationHandlers != null) {
294 Action<Exception> handler;
295 Action<Exception> handler;
295 while (m_cancelationHandlers.TryDequeue(out handler))
296 while (m_cancelationHandlers.TryDequeue(out handler))
296 handler(m_cancelationReason);
297 handler(m_cancelationReason);
297 }
298 }
298 }
299 }
299 }
300 }
300
301
301 #endregion
302 #endregion
302 }
303 }
303 }
304 }
304
305
@@ -1,25 +1,34
1 using System;
1 using System;
2
2
3 namespace Implab {
3 namespace Implab {
4 public class ActionChainTask : ActionChainTaskBase, IDeferred {
4 public class ActionChainTask : ActionChainTaskBase, IDeferred {
5 readonly Func<IPromise> m_task;
5 readonly Func<IPromise> m_task;
6
6
7 /// <summary>
8 /// Initializes a new instance of the <see cref="Implab.ActionChainTask"/> class.
9 /// </summary>
10 /// <param name="task">The operation which will be performed when the <see cref="Resolve()"/> is called.</param>
11 /// <param name="error">The error handler which will invoke when the <see cref="Reject(Exception)"/> is called or when the task fails with an error.</param>
12 /// <param name="cancel">The cancellation handler.</param>
13 /// <param name="autoCancellable">If set to <c>true</c> will automatically accept
14 /// all cancel requests before the task is started with <see cref="Resolve()"/>,
15 /// after that all requests are directed to the task.</param>
7 public ActionChainTask(Func<IPromise> task, Func<Exception, IPromise> error, Func<Exception, IPromise> cancel, bool autoCancellable) : base(error,cancel, autoCancellable) {
16 public ActionChainTask(Func<IPromise> task, Func<Exception, IPromise> error, Func<Exception, IPromise> cancel, bool autoCancellable) : base(error,cancel, autoCancellable) {
8 m_task = task;
17 m_task = task;
9 }
18 }
10
19
11 public void Resolve() {
20 public void Resolve() {
12 if (m_task != null && LockCancelation()) {
21 if (m_task != null && LockCancelation()) {
13 try {
22 try {
14 var p = m_task();
23 var p = m_task();
15 p.On(SetResult, HandleErrorInternal, SetCancelled);
24 p.On(SetResult, HandleErrorInternal, SetCancelled);
16 CancellationRequested(p.Cancel);
25 CancellationRequested(p.Cancel);
17 } catch(Exception err) {
26 } catch(Exception err) {
18 HandleErrorInternal(err);
27 HandleErrorInternal(err);
19 }
28 }
20 }
29 }
21 }
30 }
22
31
23 }
32 }
24 }
33 }
25
34
@@ -1,195 +1,262
1 using System;
1 using System;
2 using Implab.Formats;
3
2
4 namespace Implab.Components {
3 namespace Implab.Components {
5 public class RunnableComponent : Disposable, IRunnable, IInitializable {
4 public abstract class RunnableComponent : IDisposable, IRunnable, IInitializable {
6 enum Commands {
5 enum Commands {
7 Ok = 0,
6 Ok = 0,
8 Fail,
7 Fail,
9 Init,
8 Init,
10 Start,
9 Start,
11 Stop,
10 Stop,
12 Dispose,
11 Dispose,
13 Last = Dispose
12 Last = Dispose
14 }
13 }
15
14
16 class StateMachine {
15 class StateMachine {
17 static readonly ExecutionState[,] _transitions;
16 static readonly ExecutionState[,] _transitions;
18
17
19 static StateMachine() {
18 static StateMachine() {
20 _transitions = new ExecutionState[(int)ExecutionState.Last + 1, (int)Commands.Last + 1];
19 _transitions = new ExecutionState[(int)ExecutionState.Last + 1, (int)Commands.Last + 1];
21
20
22 Edge(ExecutionState.Created, ExecutionState.Ready, Commands.Ok);
21 Edge(ExecutionState.Created, ExecutionState.Initializing, Commands.Init);
23 Edge(ExecutionState.Created, ExecutionState.Failed, Commands.Fail);
22 Edge(ExecutionState.Created, ExecutionState.Disposed, Commands.Dispose);
23
24 Edge(ExecutionState.Initializing, ExecutionState.Ready, Commands.Ok);
25 Edge(ExecutionState.Initializing, ExecutionState.Failed, Commands.Fail);
24
26
25 Edge(ExecutionState.Ready, ExecutionState.Starting, Commands.Start);
27 Edge(ExecutionState.Ready, ExecutionState.Starting, Commands.Start);
26 Edge(ExecutionState.Ready, ExecutionState.Disposed, Commands.Dispose);
28 Edge(ExecutionState.Ready, ExecutionState.Disposed, Commands.Dispose);
27
29
28 Edge(ExecutionState.Starting, ExecutionState.Running, Commands.Ok);
30 Edge(ExecutionState.Starting, ExecutionState.Running, Commands.Ok);
29 Edge(ExecutionState.Starting, ExecutionState.Failed, Commands.Fail);
31 Edge(ExecutionState.Starting, ExecutionState.Failed, Commands.Fail);
30 Edge(ExecutionState.Starting, ExecutionState.Stopping, Commands.Stop);
32 Edge(ExecutionState.Starting, ExecutionState.Stopping, Commands.Stop);
31 Edge(ExecutionState.Starting, ExecutionState.Disposed, Commands.Dispose);
33 Edge(ExecutionState.Starting, ExecutionState.Disposed, Commands.Dispose);
32
34
33 Edge(ExecutionState.Running, ExecutionState.Failed, Commands.Fail);
35 Edge(ExecutionState.Running, ExecutionState.Failed, Commands.Fail);
34 Edge(ExecutionState.Running, ExecutionState.Stopping, Commands.Stop);
36 Edge(ExecutionState.Running, ExecutionState.Stopping, Commands.Stop);
35 Edge(ExecutionState.Running, ExecutionState.Disposed, Commands.Dispose);
37 Edge(ExecutionState.Running, ExecutionState.Disposed, Commands.Dispose);
36
38
37 Edge(ExecutionState.Stopping, ExecutionState.Failed, Commands.Fail);
39 Edge(ExecutionState.Stopping, ExecutionState.Failed, Commands.Fail);
38 Edge(ExecutionState.Stopping, ExecutionState.Disposed, Commands.Ok);
40 Edge(ExecutionState.Stopping, ExecutionState.Disposed, Commands.Ok);
39 Edge(ExecutionState.Stopping, ExecutionState.Disposed, Commands.Dispose);
41
42 Edge(ExecutionState.Failed, ExecutionState.Disposed, Commands.Dispose);
40 }
43 }
41
44
42 static void Edge(ExecutionState s1, ExecutionState s2, Commands cmd) {
45 static void Edge(ExecutionState s1, ExecutionState s2, Commands cmd) {
43 _transitions[(int)s1, (int)cmd] = s2;
46 _transitions[(int)s1, (int)cmd] = s2;
44 }
47 }
45
48
46 public ExecutionState State {
49 public ExecutionState State {
47 get;
50 get;
48 private set;
51 private set;
49 }
52 }
50
53
51 public StateMachine(ExecutionState initial) {
54 public StateMachine(ExecutionState initial) {
52 State = initial;
55 State = initial;
53 }
56 }
54
57
55 public bool Move(Commands cmd) {
58 public bool Move(Commands cmd) {
56 var next = _transitions[(int)State, (int)cmd];
59 var next = _transitions[(int)State, (int)cmd];
57 if (next == ExecutionState.Undefined)
60 if (next == ExecutionState.Undefined)
58 return false;
61 return false;
59 State = next;
62 State = next;
60 return true;
63 return true;
61 }
64 }
62 }
65 }
63
66
64 IPromise m_pending;
67 IPromise m_pending;
65 Exception m_lastError;
68 Exception m_lastError;
66
69
67 readonly StateMachine m_stateMachine;
70 readonly StateMachine m_stateMachine;
68
71
69 protected RunnableComponent(bool initialized) {
72 protected RunnableComponent(bool initialized) {
70 m_stateMachine = new StateMachine(initialized ? ExecutionState.Ready : ExecutionState.Created);
73 m_stateMachine = new StateMachine(initialized ? ExecutionState.Ready : ExecutionState.Created);
71 }
74 }
72
75
76 protected virtual int DisposeTimeout {
77 get {
78 return 10000;
79 }
80 }
81
73 void ThrowInvalidCommand(Commands cmd) {
82 void ThrowInvalidCommand(Commands cmd) {
83 if (m_stateMachine.State == ExecutionState.Disposed)
84 throw new ObjectDisposedException(ToString());
85
74 throw new InvalidOperationException(String.Format("Commnd {0} is not allowed in the state {1}", cmd, m_stateMachine.State));
86 throw new InvalidOperationException(String.Format("Commnd {0} is not allowed in the state {1}", cmd, m_stateMachine.State));
75 }
87 }
76
88
77 protected void Move(Commands cmd) {
89 void Move(Commands cmd) {
78 lock (m_stateMachine)
79 if (!m_stateMachine.Move(cmd))
90 if (!m_stateMachine.Move(cmd))
80 ThrowInvalidCommand(cmd);
91 ThrowInvalidCommand(cmd);
81 }
92 }
82
93
83 protected void Fail(Exception err) {
94 void Invoke(Commands cmd, Action action) {
95 lock (m_stateMachine)
96 Move(cmd);
97
98 try {
99 action();
100 lock(m_stateMachine)
101 Move(Commands.Ok);
102
103 } catch (Exception err) {
84 lock (m_stateMachine) {
104 lock (m_stateMachine) {
85 if (!m_stateMachine.Move(Commands.Fail))
105 Move(Commands.Fail);
86 ThrowInvalidCommand(Commands.Fail);
87
88 m_lastError = err;
106 m_lastError = err;
89 }
107 }
90 }
91
92 protected void Success() {
93 Move(Commands.Ok);
94 }
95
96 protected void Invoke(Commands cmd, Action action) {
97 Move(cmd);
98 try {
99 action();
100 Move(Commands.Ok);
101 } catch (Exception err) {
102 Fail(err);
103 throw;
108 throw;
104 }
109 }
105 }
110 }
106
111
107 protected IPromise InvokeAsync(Commands cmd, Func<IPromise> action) {
112 IPromise InvokeAsync(Commands cmd, Func<IPromise> action, Action<IPromise, IDeferred> chain) {
108 Move(cmd);
113 IPromise promise = null;
109 var medium = new Promise();
114 IPromise prev;
115
116 var task = new ActionChainTask(action, null, null, true);
110
117
111 IPromise promise = null;
118 lock (m_stateMachine) {
119 Move(cmd);
112
120
113 promise = medium.Then(
121 prev = m_pending;
122
123 promise = task.Then(
114 () => {
124 () => {
115 lock(m_stateMachine) {
125 lock(m_stateMachine) {
116 if (m_pending == promise) {
126 if (m_pending == promise) {
127 Move(Commands.Ok);
117 m_pending = null;
128 m_pending = null;
118 Move(Commands.Ok);
119 }
129 }
120 }
130 }
121 }, e => {
131 }, e => {
132 lock(m_stateMachine) {
122 if (m_pending == promise) {
133 if (m_pending == promise) {
134 Move(Commands.Fail);
123 m_pending = null;
135 m_pending = null;
124 Fail(
136 m_lastError = e;
137 }
125 }
138 }
139 throw new PromiseTransientException(e);
140 },
141 r => {
142 lock(m_stateMachine) {
143 if (m_pending == promise) {
144 Move(Commands.Fail);
145 m_pending = null;
146 m_lastError = new OperationCanceledException("The operation has been cancelled", r);
147 }
148
149 }
150 throw new OperationCanceledException("The operation has been cancelled", r);
126 }
151 }
127 );
152 );
128
153
129
154 m_pending = promise;
130
131 return Safe.InvokePromise(action).Then(
132 Success,
133 Fail
134 );
135 }
155 }
136
156
137 void AddPending(IPromise result) {
157 if (prev == null)
158 task.Resolve();
159 else
160 chain(prev, task);
138
161
162 return promise;
139 }
163 }
140
164
141
165
142 #region IInitializable implementation
166 #region IInitializable implementation
143
167
144 public void Init() {
168 public void Init() {
145 Invoke(Commands.Init, OnInitialize);
169 Invoke(Commands.Init, OnInitialize);
146 }
170 }
147
171
148 protected virtual void OnInitialize() {
172 protected virtual void OnInitialize() {
149 }
173 }
150
174
151 #endregion
175 #endregion
152
176
153 #region IRunnable implementation
177 #region IRunnable implementation
154
178
155 public IPromise Start() {
179 public IPromise Start() {
156 Move(Commands.Start);
180 return InvokeAsync(Commands.Start, OnStart, null);
157
158 return Safe.InvokePromise(OnStart).Then(
159 () => {
160 Move(Commands.Ok);
161 Run();
162 },
163 () => {
164 Move(Commands.Fail);
165 }
166 );
167 }
181 }
168
182
169 protected virtual IPromise OnStart() {
183 protected virtual IPromise OnStart() {
170 return Promise.SUCCESS;
184 return Promise.SUCCESS;
171 }
185 }
172
186
173 protected virtual void Run() {
187 public IPromise Stop() {
188 return InvokeAsync(Commands.Stop, OnStop, StopPending).Then(Dispose);
189 }
190
191 protected virtual IPromise OnStop() {
192 return Promise.SUCCESS;
174 }
193 }
175
194
176 public IPromise Stop() {
195 /// <summary>
177 throw new NotImplementedException();
196 /// Stops the current operation if one exists.
197 /// </summary>
198 /// <param name="current">Current.</param>
199 /// <param name="stop">Stop.</param>
200 protected virtual void StopPending(IPromise current, IDeferred stop) {
201 if (current == null) {
202 stop.Resolve();
203 } else {
204 current.On(stop.Resolve, stop.Reject, stop.CancelOperation);
205 current.Cancel();
206 }
178 }
207 }
179
208
180 public ExecutionState State {
209 public ExecutionState State {
181 get {
210 get {
182 throw new NotImplementedException();
211 return m_stateMachine.State;
183 }
212 }
184 }
213 }
185
214
186 public Exception LastError {
215 public Exception LastError {
187 get {
216 get {
188 throw new NotImplementedException();
217 return m_lastError;
189 }
218 }
190 }
219 }
191
220
192 #endregion
221 #endregion
222
223 #region IDisposable implementation
224
225 public void Dispose() {
226 IPromise pending;
227 lock (m_stateMachine) {
228 if (m_stateMachine.State == ExecutionState.Disposed)
229 return;
230
231 Move(Commands.Dispose);
232
233 GC.SuppressFinalize(this);
234
235 pending = m_pending;
236 m_pending = null;
237 }
238 if (pending != null) {
239 pending.Cancel();
240 pending.Timeout(DisposeTimeout).On(
241 () => Dispose(true, null),
242 err => Dispose(true, err),
243 reason => Dispose(true, new OperationCanceledException("The operation is cancelled", reason))
244 );
245 } else {
246 Dispose(true, m_lastError);
193 }
247 }
194 }
248 }
195
249
250 ~RunnableComponent() {
251 Dispose(false, null);
252 }
253
254 #endregion
255
256 protected virtual void Dispose(bool disposing, Exception lastError) {
257
258 }
259
260 }
261 }
262
@@ -1,299 +1,289
1 using System.Threading;
1 using System.Threading;
2 using System;
2 using System;
3 using Implab.Diagnostics;
3 using Implab.Diagnostics;
4 using System.Collections.Generic;
4 using System.Collections.Generic;
5
5
6
7 #if NET_4_5
8 using System.Threading.Tasks;
9 #endif
10
11 namespace Implab {
6 namespace Implab {
12 public static class PromiseExtensions {
7 public static class PromiseExtensions {
13 public static IPromise<T> DispatchToCurrentContext<T>(this IPromise<T> that) {
8 public static IPromise<T> DispatchToCurrentContext<T>(this IPromise<T> that) {
14 Safe.ArgumentNotNull(that, "that");
9 Safe.ArgumentNotNull(that, "that");
15 var context = SynchronizationContext.Current;
10 var context = SynchronizationContext.Current;
16 if (context == null)
11 if (context == null)
17 return that;
12 return that;
18
13
19 var p = new SyncContextPromise<T>(context);
14 var p = new SyncContextPromise<T>(context);
20 p.On(that.Cancel, PromiseEventType.Cancelled);
15 p.CancellationRequested(that.Cancel);
21
16
22 that.On(
17 that.On(
23 p.Resolve,
18 p.Resolve,
24 p.Reject,
19 p.Reject,
25 p.Cancel
20 p.CancelOperation
26 );
21 );
27 return p;
22 return p;
28 }
23 }
29
24
30 public static IPromise<T> DispatchToContext<T>(this IPromise<T> that, SynchronizationContext context) {
25 public static IPromise<T> DispatchToContext<T>(this IPromise<T> that, SynchronizationContext context) {
31 Safe.ArgumentNotNull(that, "that");
26 Safe.ArgumentNotNull(that, "that");
32 Safe.ArgumentNotNull(context, "context");
27 Safe.ArgumentNotNull(context, "context");
33
28
34 var p = new SyncContextPromise<T>(context);
29 var p = new SyncContextPromise<T>(context);
35 p.On(that.Cancel, PromiseEventType.Cancelled);
30 p.CancellationRequested(that.Cancel);
36
37
31
38 that.On(
32 that.On(
39 p.Resolve,
33 p.Resolve,
40 p.Reject,
34 p.Reject,
41 p.Cancel
35 p.CancelOperation
42 );
36 );
43 return p;
37 return p;
44 }
38 }
45
39
46 /// <summary>
40 /// <summary>
47 /// Ensures the dispatched.
41 /// Ensures the dispatched.
48 /// </summary>
42 /// </summary>
49 /// <returns>The dispatched.</returns>
43 /// <returns>The dispatched.</returns>
50 /// <param name="that">That.</param>
44 /// <param name="that">That.</param>
51 /// <param name="head">Head.</param>
45 /// <param name="head">Head.</param>
52 /// <param name="cleanup">Cleanup.</param>
46 /// <param name="cleanup">Cleanup.</param>
53 /// <typeparam name="TPromise">The 1st type parameter.</typeparam>
47 /// <typeparam name="TPromise">The 1st type parameter.</typeparam>
54 /// <typeparam name="T">The 2nd type parameter.</typeparam>
48 /// <typeparam name="T">The 2nd type parameter.</typeparam>
55 public static TPromise EnsureDispatched<TPromise,T>(this TPromise that, IPromise<T> head, Action<T> cleanup) where TPromise : IPromise{
49 public static TPromise EnsureDispatched<TPromise,T>(this TPromise that, IPromise<T> head, Action<T> cleanup) where TPromise : IPromise{
56 Safe.ArgumentNotNull(that, "that");
50 Safe.ArgumentNotNull(that, "that");
57 Safe.ArgumentNotNull(head, "head");
51 Safe.ArgumentNotNull(head, "head");
58
52
59 that.On(() => head.On(cleanup), PromiseEventType.Cancelled);
53 that.On(() => head.On(cleanup), PromiseEventType.Cancelled);
60
54
61 return that;
55 return that;
62 }
56 }
63
57
64 public static AsyncCallback AsyncCallback<T>(this Promise<T> that, Func<IAsyncResult,T> callback) {
58 public static AsyncCallback AsyncCallback<T>(this Promise<T> that, Func<IAsyncResult,T> callback) {
65 Safe.ArgumentNotNull(that, "that");
59 Safe.ArgumentNotNull(that, "that");
66 Safe.ArgumentNotNull(callback, "callback");
60 Safe.ArgumentNotNull(callback, "callback");
67 var op = TraceContext.Instance.CurrentOperation;
61 var op = TraceContext.Instance.CurrentOperation;
68 return ar => {
62 return ar => {
69 TraceContext.Instance.EnterLogicalOperation(op,false);
63 TraceContext.Instance.EnterLogicalOperation(op,false);
70 try {
64 try {
71 that.Resolve(callback(ar));
65 that.Resolve(callback(ar));
72 } catch (Exception err) {
66 } catch (Exception err) {
73 that.Reject(err);
67 that.Reject(err);
74 } finally {
68 } finally {
75 TraceContext.Instance.Leave();
69 TraceContext.Instance.Leave();
76 }
70 }
77 };
71 };
78 }
72 }
79
73
80 static void CancelCallback(object cookie) {
74 static void CancelByTimeoutCallback(object cookie) {
81 ((ICancellable)cookie).Cancel();
75 ((ICancellable)cookie).Cancel(new TimeoutException());
82 }
76 }
83
77
84 /// <summary>
78 /// <summary>
85 /// Cancells promise after the specified timeout is elapsed.
79 /// Cancells promise after the specified timeout is elapsed.
86 /// </summary>
80 /// </summary>
87 /// <param name="that">The promise to cancel on timeout.</param>
81 /// <param name="that">The promise to cancel on timeout.</param>
88 /// <param name="milliseconds">The timeout in milliseconds.</param>
82 /// <param name="milliseconds">The timeout in milliseconds.</param>
89 /// <typeparam name="TPromise">The 1st type parameter.</typeparam>
83 /// <typeparam name="TPromise">The 1st type parameter.</typeparam>
90 public static TPromise Timeout<TPromise>(this TPromise that, int milliseconds) where TPromise : IPromise {
84 public static TPromise Timeout<TPromise>(this TPromise that, int milliseconds) where TPromise : IPromise {
91 Safe.ArgumentNotNull(that, "that");
85 Safe.ArgumentNotNull(that, "that");
92 var timer = new Timer(CancelCallback, that, milliseconds, -1);
86 var timer = new Timer(CancelByTimeoutCallback, that, milliseconds, -1);
93 that.On(timer.Dispose, PromiseEventType.All);
87 that.On(timer.Dispose, PromiseEventType.All);
94 return that;
88 return that;
95 }
89 }
96
90
97 public static IPromise Bundle(this ICollection<IPromise> that) {
91 public static IPromise Bundle(this ICollection<IPromise> that) {
98 Safe.ArgumentNotNull(that, "that");
92 Safe.ArgumentNotNull(that, "that");
99
93
100 int count = that.Count;
94 int count = that.Count;
101 int errors = 0;
95 int errors = 0;
102 var medium = new Promise();
96 var medium = new Promise();
103
97
104 if (count == 0) {
98 if (count == 0) {
105 medium.Resolve();
99 medium.Resolve();
106 return medium;
100 return medium;
107 }
101 }
108
102
109 medium.On(() => {
103 medium.On(() => {
110 foreach(var p2 in that)
104 foreach(var p2 in that)
111 p2.Cancel();
105 p2.Cancel();
112 }, PromiseEventType.ErrorOrCancel);
106 }, PromiseEventType.ErrorOrCancel);
113
107
114 foreach (var p in that)
108 foreach (var p in that)
115 p.On(
109 p.On(
116 () => {
110 () => {
117 if (Interlocked.Decrement(ref count) == 0)
111 if (Interlocked.Decrement(ref count) == 0)
118 medium.Resolve();
112 medium.Resolve();
119 },
113 },
120 error => {
114 error => {
121 if (Interlocked.Increment(ref errors) == 1)
115 if (Interlocked.Increment(ref errors) == 1)
122 medium.Reject(
116 medium.Reject(
123 new Exception("The dependency promise is failed", error)
117 new Exception("The dependency promise is failed", error)
124 );
118 );
125 },
119 },
126 reason => {
120 reason => {
127 if (Interlocked.Increment(ref errors) == 1)
121 if (Interlocked.Increment(ref errors) == 1)
128 medium.Cancel(
122 medium.Cancel(
129 new Exception("The dependency promise is cancelled")
123 new Exception("The dependency promise is cancelled")
130 );
124 );
131 }
125 }
132 );
126 );
133
127
134 return medium;
128 return medium;
135 }
129 }
136
130
137 public static IPromise<T[]> Bundle<T>(this ICollection<IPromise<T>> that) {
131 public static IPromise<T[]> Bundle<T>(this ICollection<IPromise<T>> that) {
138 Safe.ArgumentNotNull(that, "that");
132 Safe.ArgumentNotNull(that, "that");
139
133
140 int count = that.Count;
134 int count = that.Count;
141 int errors = 0;
135 int errors = 0;
142 var medium = new Promise<T[]>();
136 var medium = new Promise<T[]>();
143 var results = new T[that.Count];
137 var results = new T[that.Count];
144
138
145 medium.On(() => {
139 medium.On(() => {
146 foreach(var p2 in that)
140 foreach(var p2 in that)
147 p2.Cancel();
141 p2.Cancel();
148 }, PromiseEventType.ErrorOrCancel);
142 }, PromiseEventType.ErrorOrCancel);
149
143
150 int i = 0;
144 int i = 0;
151 foreach (var p in that) {
145 foreach (var p in that) {
152 var idx = i;
146 var idx = i;
153 p.On(
147 p.On(
154 x => {
148 x => {
155 results[idx] = x;
149 results[idx] = x;
156 if (Interlocked.Decrement(ref count) == 0)
150 if (Interlocked.Decrement(ref count) == 0)
157 medium.Resolve(results);
151 medium.Resolve(results);
158 },
152 },
159 error => {
153 error => {
160 if (Interlocked.Increment(ref errors) == 1)
154 if (Interlocked.Increment(ref errors) == 1)
161 medium.Reject(
155 medium.Reject(
162 new Exception("The dependency promise is failed", error)
156 new Exception("The dependency promise is failed", error)
163 );
157 );
164 },
158 },
165 reason => {
159 reason => {
166 if (Interlocked.Increment(ref errors) == 1)
160 if (Interlocked.Increment(ref errors) == 1)
167 medium.Cancel(
161 medium.Cancel(
168 new Exception("The dependency promise is cancelled", reason)
162 new Exception("The dependency promise is cancelled", reason)
169 );
163 );
170 }
164 }
171 );
165 );
172 i++;
166 i++;
173 }
167 }
174
168
175 return medium;
169 return medium;
176 }
170 }
177
171
178 public static IPromise Then(this IPromise that, Action success, Action<Exception> error, Action<Exception> cancel) {
172 public static IPromise Then(this IPromise that, Action success, Action<Exception> error, Action<Exception> cancel) {
179 Safe.ArgumentNotNull(that, "that");
173 Safe.ArgumentNotNull(that, "that");
180
174
181 var d = new ActionTask(success, error, cancel, false);
175 var d = new ActionTask(success, error, cancel, false);
182 that.On(d.Resolve, d.Reject, d.CancelOperation);
176 that.On(d.Resolve, d.Reject, d.CancelOperation);
183 if (success != null)
184 d.CancellationRequested(that.Cancel);
177 d.CancellationRequested(that.Cancel);
185 return d;
178 return d;
186 }
179 }
187
180
188 public static IPromise Then(this IPromise that, Action success, Action<Exception> error) {
181 public static IPromise Then(this IPromise that, Action success, Action<Exception> error) {
189 return Then(that, success, error, null);
182 return Then(that, success, error, null);
190 }
183 }
191
184
192 public static IPromise Then(this IPromise that, Action success) {
185 public static IPromise Then(this IPromise that, Action success) {
193 return Then(that, success, null, null);
186 return Then(that, success, null, null);
194 }
187 }
195
188
196 public static IPromise<T> Then<T>(this IPromise that, Func<T> success, Func<Exception, T> error, Func<Exception, T> cancel) {
189 public static IPromise<T> Then<T>(this IPromise that, Func<T> success, Func<Exception, T> error, Func<Exception, T> cancel) {
197 Safe.ArgumentNotNull(that, "that");
190 Safe.ArgumentNotNull(that, "that");
198
191
199 var d = new FuncTask<T>(success, error, cancel, false);
192 var d = new FuncTask<T>(success, error, cancel, false);
200 that.On(d.Resolve, d.Reject, d.CancelOperation);
193 that.On(d.Resolve, d.Reject, d.CancelOperation);
201 if (success != null)
202 d.CancellationRequested(that.Cancel);
194 d.CancellationRequested(that.Cancel);
203 return d;
195 return d;
204 }
196 }
205
197
206 public static IPromise<T> Then<T>(this IPromise that, Func<T> success, Func<Exception, T> error) {
198 public static IPromise<T> Then<T>(this IPromise that, Func<T> success, Func<Exception, T> error) {
207 return Then(that, success, error, null);
199 return Then(that, success, error, null);
208 }
200 }
209
201
210 public static IPromise<T> Then<T>(this IPromise that, Func<T> success) {
202 public static IPromise<T> Then<T>(this IPromise that, Func<T> success) {
211 return Then(that, success, null, null);
203 return Then(that, success, null, null);
212 }
204 }
213
205
214 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success, Func<Exception, T2> error, Func<Exception, T2> cancel) {
206 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success, Func<Exception, T2> error, Func<Exception, T2> cancel) {
215 Safe.ArgumentNotNull(that, "that");
207 Safe.ArgumentNotNull(that, "that");
216 var d = new FuncTask<T,T2>(success, error, cancel, false);
208 var d = new FuncTask<T,T2>(success, error, cancel, false);
217 that.On(d.Resolve, d.Reject, d.CancelOperation);
209 that.On(d.Resolve, d.Reject, d.CancelOperation);
218 if (success != null)
219 d.CancellationRequested(that.Cancel);
210 d.CancellationRequested(that.Cancel);
220 return d;
211 return d;
221 }
212 }
222
213
223 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success, Func<Exception, T2> error) {
214 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success, Func<Exception, T2> error) {
224 return Then(that, success, error, null);
215 return Then(that, success, error, null);
225 }
216 }
226
217
227 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success) {
218 public static IPromise<T2> Then<T, T2>(this IPromise<T> that, Func<T, T2> success) {
228 return Then(that, success, null, null);
219 return Then(that, success, null, null);
229 }
220 }
230
221
231 #region chain traits
222 #region chain traits
232 public static IPromise Chain(this IPromise that, Func<IPromise> success, Func<Exception,IPromise> error, Func<Exception,IPromise> cancel) {
223 public static IPromise Chain(this IPromise that, Func<IPromise> success, Func<Exception,IPromise> error, Func<Exception,IPromise> cancel) {
233 Safe.ArgumentNotNull(that, "that");
224 Safe.ArgumentNotNull(that, "that");
234
225
235 var d = new ActionChainTask(success, error, cancel, false);
226 var d = new ActionChainTask(success, error, cancel, false);
236 that.On(d.Resolve, d.Reject, d.CancelOperation);
227 that.On(d.Resolve, d.Reject, d.CancelOperation);
237 if (success != null)
238 d.CancellationRequested(that.Cancel);
228 d.CancellationRequested(that.Cancel);
239 return d;
229 return d;
240 }
230 }
241
231
242 public static IPromise Chain(this IPromise that, Func<IPromise> success, Func<Exception,IPromise> error) {
232 public static IPromise Chain(this IPromise that, Func<IPromise> success, Func<Exception,IPromise> error) {
243 return Chain(that, success, error, null);
233 return Chain(that, success, error, null);
244 }
234 }
245
235
246 public static IPromise Chain(this IPromise that, Func<IPromise> success) {
236 public static IPromise Chain(this IPromise that, Func<IPromise> success) {
247 return Chain(that, success, null, null);
237 return Chain(that, success, null, null);
248 }
238 }
249
239
250 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success, Func<Exception, IPromise<T>> error, Func<Exception, IPromise<T>> cancel) {
240 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success, Func<Exception, IPromise<T>> error, Func<Exception, IPromise<T>> cancel) {
251 Safe.ArgumentNotNull(that, "that");
241 Safe.ArgumentNotNull(that, "that");
252
242
253 var d = new FuncChainTask<T>(success, error, cancel, false);
243 var d = new FuncChainTask<T>(success, error, cancel, false);
254 that.On(d.Resolve, d.Reject, d.CancelOperation);
244 that.On(d.Resolve, d.Reject, d.CancelOperation);
255 if (success != null)
245 if (success != null)
256 d.CancellationRequested(that.Cancel);
246 d.CancellationRequested(that.Cancel);
257 return d;
247 return d;
258 }
248 }
259
249
260 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success, Func<Exception, IPromise<T>> error) {
250 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success, Func<Exception, IPromise<T>> error) {
261 return Chain(that, success, error, null);
251 return Chain(that, success, error, null);
262 }
252 }
263
253
264 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success) {
254 public static IPromise<T> Chain<T>(this IPromise that, Func<IPromise<T>> success) {
265 return Chain(that, success, null, null);
255 return Chain(that, success, null, null);
266 }
256 }
267
257
268 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success, Func<Exception, IPromise<T2>> error, Func<Exception, IPromise<T2>> cancel) {
258 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success, Func<Exception, IPromise<T2>> error, Func<Exception, IPromise<T2>> cancel) {
269 Safe.ArgumentNotNull(that, "that");
259 Safe.ArgumentNotNull(that, "that");
270 var d = new FuncChainTask<T,T2>(success, error, cancel, false);
260 var d = new FuncChainTask<T,T2>(success, error, cancel, false);
271 that.On(d.Resolve, d.Reject, d.CancelOperation);
261 that.On(d.Resolve, d.Reject, d.CancelOperation);
272 if (success != null)
262 if (success != null)
273 d.CancellationRequested(that.Cancel);
263 d.CancellationRequested(that.Cancel);
274 return d;
264 return d;
275 }
265 }
276
266
277 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success, Func<Exception, IPromise<T2>> error) {
267 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success, Func<Exception, IPromise<T2>> error) {
278 return Chain(that, success, error, null);
268 return Chain(that, success, error, null);
279 }
269 }
280
270
281 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success) {
271 public static IPromise<T2> Chain<T, T2>(this IPromise<T> that, Func<T, IPromise<T2>> success) {
282 return Chain(that, success, null, null);
272 return Chain(that, success, null, null);
283 }
273 }
284
274
285 #endregion
275 #endregion
286
276
287
277
288 #if NET_4_5
278 #if NET_4_5
289
279
290 public static PromiseAwaiter<T> GetAwaiter<T>(this IPromise<T> that) {
280 public static PromiseAwaiter<T> GetAwaiter<T>(this IPromise<T> that) {
291 Safe.ArgumentNotNull(that, "that");
281 Safe.ArgumentNotNull(that, "that");
292
282
293 return new PromiseAwaiter<T>(that);
283 return new PromiseAwaiter<T>(that);
294 }
284 }
295
285
296 #endif
286 #endif
297 }
287 }
298 }
288 }
299
289
General Comments 0
You need to be logged in to leave comments. Login now