#include <ntddk.h>
#include <string.h>
.....
PWCHAR tmpBuf = NULL, pwBuf = NULL;;
tmpBuf = ExallocatePoolWithTag(NonPagePool, (MAX_SIZE + 1) * sizeof(WCHAR), BUFFER_TAG);
pwBuf = ExAllocatePoolWithTag(NonPagedPool, (MAX_SIZE + 1) * sizeof(WCHAR), BUFFER_TAG);
RtlStringCchPrintfW(tmpBuf, MAX_SIZE + 1, L"ws", ProcName);
pwBuf = wcstok(tmpBuf, L"\\");
...
错误讯息:
错误LNK2019:函数
中引用的未解析的外部符号_wcstok
但是。 wcslen
有效
答案 0 :(得分:-1)
Microsoft可能会试图强制您使用wsctok_s
而不是标准符合但不可重入wsctok
,尤其是在与Windows内核链接的设备驱动程序代码中。
如果缺少strtok_s
,则表示内核和驱动程序开发的C库不完整。您处于托管环境中,可能缺少标准C库的某些部分。
请注意,您没有使用wcstok()
的旧原型:Microsoft在其VisualStudio 2015中更改了wcstok
的原型,使其符合C标准:
wchar_t *wcstok(wchar_t *restrict ws1, const wchar_t *restrict ws2,
wchar_t **restrict ptr);
最好避免使用此功能并将代码更改为直接使用wcschr()
。
如果缺少wcschr
,请使用以下简单实现:
/* 7.29.4.5 Wide string search functions */
wchar_t *wcschr(const wchar_t *s, wchar_t c) {
for (;;) {
if (*s == c)
return (wchar_t *)s;
if (*s++ == L'\0')
return NULL;
}
}
以下是wcstok()
的标准符合性实现:
wchar_t *wcstok(wchar_t *restrict s1, const wchar_t *restrict s2,
wchar_t **restrict ptr) {
wchar_t *p;
if (s1 == NULL)
s1 = *ptr;
while (*s1 && wcschr(s2, *s1))
s1++;
if (!*s1) {
*ptr = s1;
return NULL;
}
for (p = s1; *s1 && !wcschr(s2, *s1); s1++)
continue;
if (*s1)
*s1++ = L'\0';
*ptr = s1;
return p;
}