gpt4 book ai didi

c# - 如何在没有 Winforms 的情况下使用 ClassLibrary 中的 ActiveX 组件

转载 作者:太空宇宙 更新时间:2023-11-03 23:15:46 25 4
gpt4 key购买 nike

如何在 ClassLibrary 类型的项目中使用 ActiveX 控件?

我打算稍后从 WPF 应用程序调用它,但我不想在窗体上的任何位置放置控件,所以我不想使用 WindowsFormsHost;主要是因为我想在控制台应用程序和 Windows 服务中使用我的库。

在本例中,我要使用的ActiveX 控件是一个视频分析组件。此外,我希望我的组件在已部署环境中自行注册。

最佳答案

我认为常识是您需要 Winforms 才能使用 ActiveX 控件。嗯,不完全正确。您需要类似 winforms 的消息循环和 STAThread。

让我们首先展示我的解决方案的设计。在处理未知事物时,我更喜欢根据需要将代码分成尽可能多的层,这样您可能会发现一些层是多余的。我鼓励您帮助我改进解决方案以找到平衡点。

请记住,如果需要,需要在所有外层实现 IDisposable 接口(interface)。

ActiveXCore - 包含声明为私有(private)字段的 ActiveX 控件的类。在本类(class)中,您只需像在 Winforms 中一样使用代码。

CoreAPI - 公开 ActiveXCore 方法的内部 API 类。我发现用 [STAThreadAttribute] 标记方法很好,因为没有它我遇到了一些问题,尽管它可能仅针对这种情况。

PublicAPI - 将在引用项目中调用的我的主要库类。

现在,在 ActiveXCore 中确实没有指导方针。在 CoreAPI 中,示例方法是

[STAThreadAttribute]
internal bool Init()
{
try
{
_core = new ActiveXCore();
//...

return true;
}
catch (System.Runtime.InteropServices.COMException)
{
//handle the exception
}
return false;
}

为了能够正确运行这些,您需要像这样的消息循环这样的 Winform(设计根本不是我的,我只是稍微修改了代码)。您不需要 Winforms 项目类型,但您必须引用 System.Windows.Forms 程序集

public class MessageLoopApartment : IDisposable
{
public static MessageLoopApartment Apartament
{
get
{
if (_apartament == null)
_apartament = new MessageLoopApartment();
return _apartament;
}
}

private static MessageLoopApartment _apartament;
private Thread _thread; // the STA thread

private TaskScheduler _taskScheduler; // the STA thread's task scheduler

public TaskScheduler TaskScheduler { get { return _taskScheduler; } }

/// <summary>MessageLoopApartment constructor</summary>
public MessageLoopApartment()
{
var tcs = new TaskCompletionSource<TaskScheduler>();

// start an STA thread and gets a task scheduler
_thread = new Thread(startArg =>
{
EventHandler idleHandler = null;

idleHandler = (s, e) =>
{
// handle Application.Idle just once
Application.Idle -= idleHandler;
// return the task scheduler
tcs.SetResult(TaskScheduler.FromCurrentSynchronizationContext());
};

// handle Application.Idle just once
// to make sure we're inside the message loop
// and SynchronizationContext has been correctly installed
Application.Idle += idleHandler;
Application.Run();
});

_thread.SetApartmentState(ApartmentState.STA);
_thread.IsBackground = true;
_thread.Start();
_taskScheduler = tcs.Task.Result;
}

/// <summary>shutdown the STA thread</summary>
public void Dispose()
{
Dispose(true);
GC.SuppressFinalize(this);
}

protected virtual void Dispose(bool disposing)
{
if (_taskScheduler != null)
{
var taskScheduler = _taskScheduler;
_taskScheduler = null;

// execute Application.ExitThread() on the STA thread
Task.Factory.StartNew(
() => Application.ExitThread(),
CancellationToken.None,
TaskCreationOptions.None,
taskScheduler).Wait();

_thread.Join();
_thread = null;
}
}

/// <summary>Task.Factory.StartNew wrappers</summary>
public void Invoke(Action action)
{
Task.Factory.StartNew(action,
CancellationToken.None, TaskCreationOptions.None, _taskScheduler).Wait();
}

public TResult Invoke<TResult>(Func<TResult> action)
{
return Task.Factory.StartNew(action,
CancellationToken.None, TaskCreationOptions.None, _taskScheduler).Result;
}

public Task Run(Action action, CancellationToken token)
{
return Task.Factory.StartNew(action, token, TaskCreationOptions.None, _taskScheduler);
}

public Task<TResult> Run<TResult>(Func<TResult> action, CancellationToken token)
{
return Task.Factory.StartNew(action, token, TaskCreationOptions.None, _taskScheduler);
}

public Task Run(Func<Task> action, CancellationToken token)
{
return Task.Factory.StartNew(action, token, TaskCreationOptions.None, _taskScheduler).Unwrap();
}

public Task<TResult> Run<TResult>(Func<Task<TResult>> action, CancellationToken token)
{
return Task.Factory.StartNew(action, token, TaskCreationOptions.None, _taskScheduler).Unwrap();
}
}

然后你可以提供这样的方法

public bool InitLib()
{
return MessageLoopApartment.Apartament.Run(() =>
{
ca = new CoreAPI();
bool initialized = ca.Init();
}, CancellationToken.None).Result;
}

如果方法无效

public void InitLib()
{
MessageLoopApartment.Apartament.Run(() =>
{
ca = new CoreAPI();
ca.Init();
}, CancellationToken.None).Wait();
}

至于自动注册,我设计了这样的东西(我从CoreAPI调用它)

internal static class ComponentEnvironment
{
internal static void Prepare()
{
CopyFilesAndDeps();

if (Environment.Is64BitOperatingSystem)
RegSvr64();
RegSvr32(); //you may notice no "else" here
//in my case for 64 bit I had to copy and register files for both arch
}

#region unpack and clean files

private static void CopyFilesAndDeps()
{
//inspect what file you need
}

#endregion unpack and clean files

#region register components

private static void RegSvr32()
{
string dllPath = @"xxx\x86\xxx.dll";
Process.Start("regsvr32", "/s " + dllPath);
}

private static void RegSvr64()
{
string dllPath = @"xxx\x64\xxx.dll";
Process.Start("regsvr32", "/s " + dllPath);
}

#endregion register components
}

我花了很多日日夜夜来设计这个可重用的模式,所以我希望它能帮助到别人。

关于c# - 如何在没有 Winforms 的情况下使用 ClassLibrary 中的 ActiveX 组件,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/37310418/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com