[源码下载]

重新想象 Windows 8 Store Apps (44) - 多线程之异步编程: 经典和最新的异步编程模型, IAsyncInfo 与 Task 相互转换

作者:webabcd

介绍
重新想象 Windows 8 Store Apps 之 异步编程

  • 经典的异步编程模型(IAsyncResult)
  • 最新的异步编程模型(async 和 await)
  • 将 IAsyncInfo 转换成 Task
  • 将 Task 转换成 IAsyncInfo

示例
1、使用经典的异步编程模型(IAsyncResult)实现一个支持异步操作的类
Thread/Async/ClassicAsync.cs

/*
* 使用经典的异步编程模型(IAsyncResult)实现一个支持异步操作的类
*/ using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
using System.Threading.Tasks; namespace XamlDemo.Thread.Async
{
public class ClassicAsync
{
private delegate string HelloDelegate(string name); private HelloDelegate _helloDelegate; public ClassicAsync()
{
_helloDelegate = new HelloDelegate(Hello);
} private string Hello(string name)
{
new ManualResetEvent(false).WaitOne();
return "hello: " + name;
} // begin 方法
public IAsyncResult BeginRun(string name, AsyncCallback callback, Object state)
{
// 新开线程,去执行 Hello() 方法,callback 是回调,state 是上下文
return _helloDelegate.BeginInvoke(name, callback, state);
} // end 方法
public string EndRun(IAsyncResult ar)
{
if (ar == null)
throw new NullReferenceException("IAsyncResult 不能为 null"); return _helloDelegate.EndInvoke(ar);
}
}
}

Thread/Async/ClassicAsyncDemo.xaml

<Page
x:Class="XamlDemo.Thread.Async.ClassicAsyncDemo"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:XamlDemo.Thread.Async"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"> <Grid Background="Transparent">
<StackPanel Margin="120 0 0 0"> <TextBlock Name="lblMsg" FontSize="14.667" /> <Button Name="btnIAsyncResult" Content="IAsyncResult 的 Demo" Click="btnIAsyncResult_Click_1" Margin="0 10 0 0" /> </StackPanel>
</Grid>
</Page>

Thread/Async/ClassicAsyncDemo.xaml.cs

/*
* 演示如何通过经典的异步编程模型(IAsyncResult)来进行异步操作
*
* IAsyncResult - 异步操作结果
* AsyncState - 上下文
* IsCompleted - 异步操作是否已完成
* AsyncWaitHandle - 获取用于等待异步操作完成的 System.Threading.WaitHandle 对象(通过 WaitHandle.WaitOne() 在当前线程等待)
*/ using System;
using Windows.UI.Xaml;
using Windows.UI.Xaml.Controls; namespace XamlDemo.Thread.Async
{
public sealed partial class ClassicAsyncDemo : Page
{
System.Threading.SynchronizationContext _syncContext; public ClassicAsyncDemo()
{
this.InitializeComponent(); // 获取当前 UI 线程
_syncContext = System.Threading.SynchronizationContext.Current;
} private void btnIAsyncResult_Click_1(object sender, RoutedEventArgs e)
{
ClassicAsync classicAsync = new ClassicAsync(); IAsyncResult ar = classicAsync.BeginRun("webabcd", new AsyncCallback(Callback), classicAsync); lblMsg.Text = "开始执行,3 秒后完成";
} private void Callback(IAsyncResult ar)
{
ClassicAsync classicAsync = (ClassicAsync)ar.AsyncState;
string result = classicAsync.EndRun(ar); _syncContext.Post(
(ctx) =>
{
lblMsg.Text = result;
},
null);
}
}
}

2、演示如何通过最新的异步编程模型(async 和 await)来进行异步操作
Thread/Async/NewAsyncDemo.xaml

<Page
x:Class="XamlDemo.Thread.Async.NewAsyncDemo"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:XamlDemo.Thread.Async"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"> <Grid Background="Transparent">
<StackPanel Margin="120 0 0 0"> <TextBlock Name="lblMsg" FontSize="14.667" /> <Button Name="btnTaskWithoutReturn" Content="执行一个不带返回值的 Task" Click="btnTaskWithoutReturn_Click_1" Margin="0 10 0 0" /> <Button Name="btnTaskWithReturn" Content="执行一个带返回值的 Task" Click="btnTaskWithReturn_Click_1" Margin="0 10 0 0" /> <Button Name="btnMultiTask" Content="并行执行多个 Task" Click="btnMultiTask_Click_1" Margin="0 10 0 0" /> <Button Name="btnTaskWithoutAwait" Content="执行一个不 await 的 Task" Click="btnTaskWithoutAwait_Click_1" Margin="0 10 0 0" /> </StackPanel>
</Grid>
</Page>

Thread/Async/NewAsyncDemo.xaml.cs

/*
* 演示如何通过最新的异步编程模型(async 和 await)来进行异步操作
*
* 注:
* 1、要想 await,其所在方法必须标记为 async
* 2、方法被标记为 async 是为了让编译器重新编写该方法,使 await 中的内容重新编写为具有 GetAwaiter() 等实际异步逻辑的代码
*/ using System;
using System.Threading;
using System.Threading.Tasks;
using Windows.UI.Xaml;
using Windows.UI.Xaml.Controls; namespace XamlDemo.Thread.Async
{
public sealed partial class NewAsyncDemo : Page
{
private static int _count = ; public NewAsyncDemo()
{
this.InitializeComponent();
} // 不带返回值的 Task
private async Task TaskWithoutReturn()
{
// 在另一个线程 sleep 1000 毫秒,然后回到 UI 线程
await Task.Delay();
// await Task.Delay(Timeout.Infinite); 长眠于此
// await Task.Delay(Timeout.InfiniteTimeSpan); 长眠于此 // 直接在当前线程 sleep 可以使用如下方法,因为 WinRT 中没有 Thread.Sleep() 了
// new ManualResetEvent(false).WaitOne(1000); Interlocked.Increment(ref _count);
} // 带返回值的 Task
private async Task<int> TaskWithReturn()
{
await Task.Delay();
Interlocked.Increment(ref _count); return _count;
} // 演示不带返回值的异步操作
private async void btnTaskWithoutReturn_Click_1(object sender, RoutedEventArgs e)
{
// ConfigureAwait(false) - 异步操作后不返回 UI 线程,可节省一点点资源。默认值:ConfigureAwait(true)
await TaskWithoutReturn().ConfigureAwait(false);
lblMsg.Text = "count: " + _count.ToString();
} // 演示带返回值的异步操作
private async void btnTaskWithReturn_Click_1(object sender, RoutedEventArgs e)
{
int result = await TaskWithReturn();
lblMsg.Text = "count: " + result.ToString();
} // 演示多任务并行执行的异步操作
private async void btnMultiTask_Click_1(object sender, RoutedEventArgs e)
{
Task task = Task.WhenAll(TaskWithoutReturn(), TaskWithoutReturn(), TaskWithoutReturn()); DateTime dt = DateTime.Now; await task; lblMsg.Text = "count: " + _count.ToString() + ", 执行时间: " + (DateTime.Now - dt).TotalSeconds.ToString() + "秒";
} // 演示如何执行一个不 await 的 Task
private void btnTaskWithoutAwait_Click_1(object sender, RoutedEventArgs e)
{
// 让 task 在新线程执行去吧,本线程不管它是什么执行情况
Task task = TaskWithoutReturn();
lblMsg.Text = "count: " + _count.ToString();
}
}
}

3、演示如何将 IAsyncInfo(IAsyncAction, IAsyncOperation, IAsyncActionWithProgress, IAsyncOperationWithProgress) 转成 Task
Thread/Async/IAsyncInfo2Task.xaml

<Page
x:Class="XamlDemo.Thread.Async.IAsyncInfo2Task"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:XamlDemo.Thread.Async"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"> <Grid Background="Transparent">
<StackPanel Margin="120 0 0 0"> <TextBlock Name="lblMsg" FontSize="14.667" /> </StackPanel>
</Grid>
</Page>

Thread/Async/IAsyncInfo2Task.xaml.cs

/*
* 演示如何将 IAsyncInfo(IAsyncAction, IAsyncOperation, IAsyncActionWithProgress, IAsyncOperationWithProgress) 转成 Task
*/ using System;
using System.Runtime.InteropServices.WindowsRuntime;
using System.Threading;
using System.Threading.Tasks;
using Windows.Foundation;
using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Navigation; namespace XamlDemo.Thread.Async
{
public sealed partial class IAsyncInfo2Task : Page
{
public IAsyncInfo2Task()
{
this.InitializeComponent();
} protected async override void OnNavigatedTo(NavigationEventArgs e)
{
// 用于取消 Task
CancellationTokenSource cts = new CancellationTokenSource(); // 创建一个 IAsyncInfo
IAsyncOperation<int> action = AsyncInfo.Run<int>(
(token) =>
Task.Run<int>(
() =>
{
token.WaitHandle.WaitOne();
token.ThrowIfCancellationRequested(); return * ;
},
token)); lblMsg.Text = "开始执行,3 秒后完成"; // 将 IAsyncOperation 转换成 Task
// AsTask() 是扩展方法,其逻辑在 System.WindowsRuntimeSystemExtensions 类中
Task<int> task = action.AsTask<int>(cts.Token);
int result = await task; lblMsg.Text = "结果:" + result.ToString();
}
}
}

4、演示如何将 Task 转成 IAsyncInfo(IAsyncAction, IAsyncOperation)
Thread/Async/Task2IAsyncInfo.xaml

<Page
x:Class="XamlDemo.Thread.Async.Task2IAsyncInfo"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="using:XamlDemo.Thread.Async"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
mc:Ignorable="d"> <Grid Background="Transparent">
<StackPanel Margin="120 0 0 0"> <TextBlock Name="lblMsg" FontSize="14.667" /> </StackPanel>
</Grid>
</Page>

Thread/Async/Task2IAsyncInfo.xaml.cs

/*
* 演示如何将 Task 转成 IAsyncInfo(IAsyncAction, IAsyncOperation)
*/ using System;
using System.Threading;
using System.Threading.Tasks;
using Windows.Foundation;
using Windows.UI.Xaml.Controls;
using Windows.UI.Xaml.Navigation; namespace XamlDemo.Thread.Async
{
public sealed partial class Task2IAsyncInfo : Page
{
public Task2IAsyncInfo()
{
this.InitializeComponent();
} protected async override void OnNavigatedTo(NavigationEventArgs e)
{
// 用于取消 IAsyncInfo(注意:本例中的 IAsyncInfo 是从 Task 转换过来的,所以 IAsyncInfo.Cancel() 方法无效)
CancellationTokenSource cts = new CancellationTokenSource(); // 创建一个 Task
Task<int> task = Task.Run<int>(
() =>
{
cts.Token.WaitHandle.WaitOne();
cts.Token.ThrowIfCancellationRequested(); return * ;
},
cts.Token); lblMsg.Text = "开始执行,3 秒后完成"; // 将 Task 转换成 IAsyncOperation
// AsAsyncAction(), AsAsyncOperation() 是扩展方法,其逻辑在 System.WindowsRuntimeSystemExtensions 类中
IAsyncOperation<int> operation = task.AsAsyncOperation<int>();
int result = await operation; lblMsg.Text = "结果:" + result.ToString();
}
}
}

OK
[源码下载]

重新想象 Windows 8 Store Apps (44) - 多线程之异步编程: 经典和最新的异步编程模型, IAsyncInfo 与 Task 相互转换的更多相关文章

  1. 重新想象 Windows 8 Store Apps (42) - 多线程之线程池: 延迟执行, 周期执行, 在线程池中找一个线程去执行指定的方法

    [源码下载] 重新想象 Windows 8 Store Apps (42) - 多线程之线程池: 延迟执行, 周期执行, 在线程池中找一个线程去执行指定的方法 作者:webabcd 介绍重新想象 Wi ...

  2. 重新想象 Windows 8 Store Apps (43) - 多线程之任务: Task 基础, 多任务并行执行, 并行运算(Parallel)

    [源码下载] 重新想象 Windows 8 Store Apps (43) - 多线程之任务: Task 基础, 多任务并行执行, 并行运算(Parallel) 作者:webabcd 介绍重新想象 W ...

  3. 重新想象 Windows 8 Store Apps (45) - 多线程之异步编程: IAsyncAction, IAsyncOperation, IAsyncActionWithProgress, IAsyncOperationWithProgress

    [源码下载] 重新想象 Windows 8 Store Apps (45) - 多线程之异步编程: IAsyncAction, IAsyncOperation, IAsyncActionWithPro ...

  4. 重新想象 Windows 8 Store Apps (46) - 多线程之线程同步: Lock, Monitor, Interlocked, Mutex, ReaderWriterLock

    [源码下载] 重新想象 Windows 8 Store Apps (46) - 多线程之线程同步: Lock, Monitor, Interlocked, Mutex, ReaderWriterLoc ...

  5. 重新想象 Windows 8 Store Apps (47) - 多线程之线程同步: Semaphore, CountdownEvent, Barrier, ManualResetEvent, AutoResetEvent

    [源码下载] 重新想象 Windows 8 Store Apps (47) - 多线程之线程同步: Semaphore, CountdownEvent, Barrier, ManualResetEve ...

  6. 重新想象 Windows 8 Store Apps (48) - 多线程之其他辅助类: SpinWait, SpinLock, Volatile, SynchronizationContext, CoreDispatcher, ThreadLocal, ThreadStaticAttribute

    [源码下载] 重新想象 Windows 8 Store Apps (48) - 多线程之其他辅助类: SpinWait, SpinLock, Volatile, SynchronizationCont ...

  7. 重新想象 Windows 8 Store Apps 系列文章索引

    [源码下载][重新想象 Windows 8.1 Store Apps 系列文章] 重新想象 Windows 8 Store Apps 系列文章索引 作者:webabcd 1.重新想象 Windows ...

  8. 重新想象 Windows 8 Store Apps (34) - 通知: Toast Demo, Tile Demo, Badge Demo

    [源码下载] 重新想象 Windows 8 Store Apps (34) - 通知: Toast Demo, Tile Demo, Badge Demo 作者:webabcd 介绍重新想象 Wind ...

  9. 重新想象 Windows 8 Store Apps (35) - 通知: Toast 详解

    [源码下载] 重新想象 Windows 8 Store Apps (35) - 通知: Toast 详解 作者:webabcd 介绍重新想象 Windows 8 Store Apps 之 通知 Toa ...

随机推荐

  1. SQL Server 2012 各版本功能比较

    有关不同版本的 SQL Server 2012 所支持的功能的详细信息. 功能名称 Enterprise 商业智能 Standard Web Express with Advanced Service ...

  2. Generating a new ASP.NET session in the current HTTPContext

    void regenerateId() { System.Web.SessionState.SessionIDManager manager = new System.Web.SessionState ...

  3. Oracle 数据同步系列--触发器

    现在随着项目集成的越来越深入,异构的数据多起来,数据同步的场景也用的多起来,我甚至在考虑是否忽悠用户上Oracle GoldenGate了,这样就可以不用考虑采用哪种同步方案了. 简单的介绍一下我们数 ...

  4. Mac下MySQL卸载方法 转载

    mac下mysql的DMG格式安装内有安装文件,却没有卸载文件……很郁闷的事. 网上搜了一下,发现给的方法原来得手动去删. 很多文章记述要删的文件不完整,后来在stackoverflow这里发现了一个 ...

  5. struts2:非表单标签

    非表单标签主要用于输出在Action中封装的信息,这在实际运用中是很常见的. 1. actionerror标签 <s:actionerror>标签主要用于输出错误信息到客户端,该标签将Ac ...

  6. iOS CoreData 增删改查详解

    最近在学习CoreData, 因为项目开发中需要,特意学习和整理了一下,整理出来方便以后使用和同行借鉴.目前开发使用的Swift语言开发的项目.所以整理出来的是Swift版本,OC我就放弃了. 虽然S ...

  7. Digg Reader 登录不了,原来如此

    cdnjs.cloudflare.com 不能访问,你懂的,给 https://cdnjs.cloudflare.com 跟 http://cdnjs.cloudflare.com 架个梯子就可以了, ...

  8. tensorflow 运行成功!

    折腾了一天安装tensorflow环境,终于可以运行,也记录一下安装中容易犯的错误总结(写给python小白们) 一.win7 双系统 安装ubuntu 16.04 ,参考 http://jingya ...

  9. SQL语句 - 嵌套查询

    嵌套查询的意思是,一个查询语句(select-from-where)查询语句块可以嵌套在另外一个查询块的where子句中,称为嵌套查询.其中外层查询也称为父查询,主查询.内层查询也称子查询,从查询. ...

  10. 最近一直在搞CAE,发现Eplan p8真的好强大。

    最近一直在搞CAE,发现Eplan p8真的好强大. 标准化的意义在与提高工作效率,减少重复. 标准化后,不容易出错,项目更改容易.事件都能及时跟踪.