Can the .NET 4 Task Parallel Library use COM objects?

前端 未结 3 686
难免孤独
难免孤独 2020-12-14 22:51

This is an \"is this possible, and if so can you give me a quick example because I can\'t find one online?\" kind of question.

I have a number of completely separate

3条回答
  •  一整个雨季
    2020-12-14 23:24

    It's 100% possible to use COM objects with the TPL. While it's true that, by default, the TPL will use the standard .NET ThreadPool, the TPL has an extension point via the TaskScheduler class which enables you to provide your own scheduler which can dispatch work to threads which you've created.

    In the case of of using COM objects you first need to know if the COM class requires STA threading or MTA threading. If MTA threading, then there's nothing special that needs to be done because the COM class can already be used from any random thread. Unfortunately most classic COM objects tend to rely on STA threading and that's when you'd need to employ a custom TaskScheduler so that whatever .NET thread you're using them from has been initialized as an STA compatible thread.

    While TaskSchedulers are not exactly trivial to write, they're not really that hard to write either if you've got a basic understanding of threading. Luckily the ParallelExtensions Extras library already provides an StaTaskScheduler class so you don't even need to write anything yourself. There's a great blog post here by the PFX team that discusses the implementation of and some use cases for the the StaTaskScheduler class.

    Basically though, you'll want to initialize a new StaTaskScheduler as a static somewhere on one of your classes and then just start your Tasks specifying that they are scheduled by that instance. That would look something like this:

    // Create a static instance of the scheduler specifying some max number of threads
    private static readonly StaTaskScheduler MyStaTaskScheduler = new StaTaskScheduler(4);
    
    ....
    
    // Then specify the scheduler when starting tasks that need STA threading
    Task.TaskFactory.StartNew(
    () =>
    {
        MyComObject myComObject = new MyComObject();
    
        myComObject.DoSomething();
    
        // ... etc ...
    },
    CancellationToken.None,
    TaskCreationOptions.None,
    MyStaTaskScheduler);
    

提交回复
热议问题