如何修复'EntryPointNotFoundException'

时间:2019-02-07 19:32:53

标签: c# c++ pinvoke calling-convention

我正在尝试将外部c ++方法导入我的C#代码。

我已经修改了用于访问内存的Windows驱动程序。要调用驱动程序,我正在使用c ++接口。最后,要调用将我连接到驱动程序的接口,我使用C#代码。

我面临的问题是在运行时,出现以下错误System.EntryPointNotFoundException:无法在DLL“ API.dll”中找到名为“ GetTargetPid”的入口点。

现在,接口本身仅包含单个头文件。我以为也许是问题所在,但是从我在线阅读的内容来看,即使实现也可以使用单个头文件。

这是我在C#中的导入

[DllImport("API.dll")]
public static extern IntPtr GetTargetPid();

在这里我调用方法

IntPtr processID = IntPtr.Zero;
...
ProcessID = GetTargetPid();

所以我的C#代码没什么特别的。

现在这是我的API.dll

extern "C"
{
...
class CDriver
{
public:
    //Handle to the driver
    HANDLE hDriver; 
    //Initialization of the handle              
    CDriver::CDriver(LPCSTR RegistryPath)
    {
        hDriver = CreateFileA(RegistryPath, GENERIC_READ | GENERIC_WRITE,
            FILE_SHARE_READ | FILE_SHARE_WRITE, 0, OPEN_EXISTING, 0, 0);
    }
    ...

    __declspec(dllexport)
    ULONG_PTR GetTargetPid()
    {
        if (hDriver == INVALID_HANDLE_VALUE)
            return false;

        PVOID Id = 0;
        ULONG_PTR Result;
        DWORD Bytes;

        if (DeviceIoControl(hDriver, IO_GET_PROCESS_ID, NULL, NULL,
            Id, sizeof(Id), &Bytes, NULL)) {

            Result = (ULONG_PTR)Id;
            return Result;
        }

        else
            return false;
    }

我在网上阅读的大多数示例都使用静态方法,这有什么重要性吗?我需要的是导入工作,我认为这应该是微不足道的,但是我无法弄清楚。

1 个答案:

答案 0 :(得分:2)

您有两个问题。第一个问题__declspec(dllexport) ULONG_PTR GetTargetPid()可以很好地编译并导出CDriver::GetTargetPid。你不要那个。

在阅读您的CDriver代码时,我确信它不是单例。如果您真的想P /调用:

extern "C" {
__declspec(dllexport)
CDriver *CreateCDriver(LPCSTR RegistryPath)
{
    return new CDriver(RegistryPath);
}

__declspec(dllexport)
ULONG_PTR GetTargetPid(CDriver *driver)
{
    return driver->GetTargetPid();
}

__declspec(dllexport)
CDriver *DestroyCDriver(CDriver *driver)
{
    delete driver;
}
} // extern "C"

第二个问题:您正在P /正在调用C函数。在C#中需要Cdecl声明:

[DllImport("API.dll", CallingConvention=Cdecl, CharSet=CharSet.????)]
public static extern IntPtr CreateCDriver(string name);

[DllImport("API.dll", CallingConvention=Cdecl)]
public static extern IntPtr GetTargetPid(IntPtr cdriver);

[DllImport("API.dll", CallingConvention=Cdecl)]
public static extern IntPtr DestroyCDriver(IntPtr cdriver);

我无法从您的代码中得知您是编译ANSI还是Unicode。填写CharSet。正确。

这些东西的用法是这样的:

IntPtr cdriver = null;
try {
    cdriver = CreateCDriver("whatever");
    var pid = GetTargetPid(cdriver);
    // do whatever with pid
} finally {
    DestroyCDriver(cdriver);
}

当您必须将cdriver引用移出堆栈时,您需要Dispose()Finalize()

internal class CDriver : IDisposable {
    private IntPtr cdriver;

    public CDriver(string registry)
    {
        cdriver = CreateCDriver("whatever");
    }

    public void Dispose()
    {
        Dispose(true);
        GC.SupressFinalize(this);
    }

    protected virtual void Dispose(bool disposing)
    {
        DestroyCDriver(cdriver);
        cdriver = IntPtr.Zero;
    }
}