首页 > 解决方案 > 我可以只公开某些 C# 类吗?

问题描述

我有一个 C# 库项目,旨在通过 COM 从非托管 C++ 代码中使用。 在此处输入图像描述

只会以这种方式调用 2 或 3 个方法,但我会收到如下警告:

警告:类型库导出器警告处理''。警告:类型库导出器在签名中遇到泛型类型实例。通用代码不能导出到 COM。

这些属性和方法不是为从 C++ 访问而设计的,事实上它们甚至不是public方法,因此它们(肯定)无论如何都不可见。

真的有两个问题:

最好仔细检查一下我没有用大量不应该存在的东西来膨胀我的类型库......

标签: c#.netcom

解决方案


我可以将整个程序集声明为对 COM 不可见,如下所示(事实上,当您使用 Visual Studio C# 类库模板时,它应该将其自身放在 AssemblyInfo.cs 中):

// Setting ComVisible to false makes the types in this assembly not visible
// to COM components.  If you need to access a type in this assembly from
// COM, set the ComVisible attribute to true on that type.
[assembly: ComVisible(false)]

现在,在每个类中,我可以决定它是否对 COM 可见或不像这里:

using System;
using System.Runtime.InteropServices;

namespace ClassLibrary1
{
    [ProgId("MyCoolClass")]
    [ComVisible(true)]
    [ClassInterface(ClassInterfaceType.AutoDual)]
    public class MyCoolVisibleClass
    {
        public void SayHello()
        {
            Console.WriteLine("Hello COM world");
        }

        // explicit non COM visible because it's set to true at class level
        [ComVisible(false)]
        public void SayHello2()
        {
            Console.WriteLine("Hello world");
        }
    }

    // implicit non COM visible
    public class MyCoolInvisibleClass
    {
        public void SayHello()
        {
            Console.WriteLine("Hello world");
        }
    }
}

您可以使用项目属性进行注册(“注册 COM 互操作”复选框),但我个人使用这样的命令行注册自己(对于 64 位注册表世界):

%windir%\Microsoft.NET\Framework64\v4.0.30319\RegAsm.exe ClassLibrary1.dll /codebase /tlb

这会输出如下内容:

C:\Windows\Microsoft.NET\Framework64\v4.0.30319\RegAsm.exe ClassLibrary1.dll /codebase /tlb
Microsoft .NET Framework Assembly Registration Utility version 4.8.3752.0
for Microsoft .NET Framework version 4.8.3752.0
Copyright (C) Microsoft Corporation.  All rights reserved.

RegAsm : warning RA0000 : Registering an unsigned assembly with /codebase can cause your assembly to interfere with other applications that may be installed on the same computer. The /codebase switch is intended to be used only with signed assemblies. Please give your assembly a strong name and re-register it.
Types registered successfully
Assembly exported to 'D:\KilroyWasHere\ClassLibrary1.tlb', and the type library was registered successfully

我可以使用Windows SDK 中的 OleView检查 .tlb 中的真正内容:

在此处输入图像描述


推荐阅读