本文整理汇总了C++中ARGUMENT_PRESENT函数的典型用法代码示例。如果您正苦于以下问题:C++ ARGUMENT_PRESENT函数的具体用法?C++ ARGUMENT_PRESENT怎么用?C++ ARGUMENT_PRESENT使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了ARGUMENT_PRESENT函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C++代码示例。
示例1: KeGetBugMessageText
BOOLEAN
KeGetBugMessageText(
IN ULONG MessageId,
IN PANSI_STRING ReturnedString OPTIONAL
)
{
ULONG i;
PUCHAR s;
PMESSAGE_RESOURCE_BLOCK MessageBlock;
PUCHAR Buffer;
BOOLEAN Result;
Result = FALSE;
try {
if (KiBugCodeMessages != NULL) {
MmMakeKernelResourceSectionWritable ();
MessageBlock = &KiBugCodeMessages->Blocks[0];
for (i = KiBugCodeMessages->NumberOfBlocks; i; i -= 1) {
if (MessageId >= MessageBlock->LowId &&
MessageId <= MessageBlock->HighId) {
s = (PCHAR)KiBugCodeMessages + MessageBlock->OffsetToEntries;
for (i = MessageId - MessageBlock->LowId; i; i -= 1) {
s += ((PMESSAGE_RESOURCE_ENTRY)s)->Length;
}
Buffer = ((PMESSAGE_RESOURCE_ENTRY)s)->Text;
i = strlen(Buffer) - 1;
while (i > 0 && (Buffer[i] == '\n' ||
Buffer[i] == '\r' ||
Buffer[i] == 0
)
) {
if (!ARGUMENT_PRESENT( ReturnedString )) {
Buffer[i] = 0;
}
i -= 1;
}
if (!ARGUMENT_PRESENT( ReturnedString )) {
InbvDisplayString(Buffer);
}
else {
ReturnedString->Buffer = Buffer;
ReturnedString->Length = (USHORT)(i+1);
ReturnedString->MaximumLength = (USHORT)(i+1);
}
Result = TRUE;
break;
}
MessageBlock += 1;
}
}
} except ( EXCEPTION_EXECUTE_HANDLER ) {
;
}
return Result;
}
开发者ID:conioh,项目名称:os-design,代码行数:60,代码来源:bugcheck.c
示例2: NtQueryInformationPort
NTSTATUS
NTAPI
NtQueryInformationPort(
IN HANDLE PortHandle OPTIONAL,
IN PORT_INFORMATION_CLASS PortInformationClass,
OUT PVOID PortInformation,
IN ULONG Length,
OUT PULONG ReturnLength OPTIONAL
)
{
KPROCESSOR_MODE PreviousMode;
NTSTATUS Status;
PLPCP_PORT_OBJECT PortObject;
PAGED_CODE();
//
// Get previous processor mode and probe output argument if necessary.
//
PreviousMode = KeGetPreviousMode();
if (PreviousMode != KernelMode) {
try {
ProbeForWrite( PortInformation,
Length,
sizeof( ULONG )
);
if (ARGUMENT_PRESENT( ReturnLength )) {
ProbeForWriteUlong( ReturnLength );
}
}
except( EXCEPTION_EXECUTE_HANDLER ) {
return( GetExceptionCode() );
}
}
if (ARGUMENT_PRESENT( PortHandle )) {
Status = ObReferenceObjectByHandle( PortHandle,
GENERIC_READ,
LpcPortObjectType,
PreviousMode,
&PortObject,
NULL
);
if (!NT_SUCCESS( Status )) {
return( Status );
}
ObDereferenceObject( PortObject );
return STATUS_SUCCESS;
}
else {
return STATUS_INVALID_INFO_CLASS;
}
}
开发者ID:BillTheBest,项目名称:WinNT4,代码行数:56,代码来源:lpcquery.c
示例3: RtlInitUnicodeStringEx
NTSTATUS
RtlInitUnicodeStringEx (
OUT PUNICODE_STRING DestinationString,
IN PCWSTR SourceString OPTIONAL
)
{
SIZE_T Length;
DestinationString->Length = 0;
DestinationString->MaximumLength = 0;
DestinationString->Buffer = (PWSTR)SourceString;
if (ARGUMENT_PRESENT(SourceString)) {
Length = wcslen(SourceString);
// We are actually limited to 32765 characters since we want to store a meaningful
// MaximumLength also.
if (Length > (UNICODE_STRING_MAX_CHARS - 1)) {
return STATUS_NAME_TOO_LONG;
}
Length *= sizeof(WCHAR);
DestinationString->Length = (USHORT)Length;
DestinationString->MaximumLength = (USHORT)(Length + sizeof(WCHAR));
}
return STATUS_SUCCESS;
}
开发者ID:AlexiaChen,项目名称:wrk_study,代码行数:31,代码来源:string.c
示例4: SeUnlockSubjectContext
VOID
SeUnlockSubjectContext(
__in PSECURITY_SUBJECT_CONTEXT SubjectContext
)
/*++
Routine Description:
Releases the read locks on the token(s) in the passed SubjectContext.
Arguments:
SubjectContext - Points to a SECURITY_SUBJECT_CONTEXT data structure
which points to a primary token and an optional impersonation token.
Return Value:
None
--*/
{
PAGED_CODE();
SepReleaseTokenReadLock((PTOKEN)(SubjectContext->PrimaryToken));
if (ARGUMENT_PRESENT(SubjectContext->ClientToken)) {
SepReleaseTokenReadLock((PTOKEN)(SubjectContext->ClientToken));
}
}
开发者ID:hackerwang,项目名称:OSexperiment,代码行数:34,代码来源:subject.c
示例5: SafeDivRound64x64
//
// In safe-arithmetic, perform integer division Dividend/Divisor and return the
// result rounded up or down to the nearest integer where 3.5 and 3.75 are near
// 4, while 3.25 is near 3.
//
// Dividend: A 64-bit unsigned integer dividend.
// Divisor: A 64-bit unsigned integer divisor.
// ResultPtr: A pointer to a 64-bit unsigned integer that receives the result.
//
// Returns error in case of overflow, otherwise returns STATUS_SUCCESS.
//
__forceinline
NTSTATUS
SafeDivRound64x64 (
_In_ ULONGLONG Dividend,
_In_ ULONGLONG Divisor,
_Out_ ULONGLONG* ResultPtr
)
{
ASSERT(ARGUMENT_PRESENT(ResultPtr));
ASSERT(Divisor > 0);
//
// Calculate the following in safe-arithmetic to avoid overflows:
// return (Dividend + (Divisor / 2)) / Divisor;
//
ULONGLONG result;
NTSTATUS status = RtlULongLongAdd(Dividend, Divisor / 2, &result);
if (!NT_SUCCESS(status)) {
return status;
}
*ResultPtr = result / Divisor;
return STATUS_SUCCESS;
}
开发者ID:kartben,项目名称:Windows-iotcore-samples,代码行数:37,代码来源:utility.hpp
示例6: MmIsAddressValidEx
BOOL MmIsAddressValidEx(
IN PVOID Pointer
)
{
VALIDITY_CHECK_STATUS MmRet;
ULONG ulTry;
if (!ARGUMENT_PRESENT(Pointer) ||
!Pointer){
return FALSE;
}
/*
//VCS_TRANSITION、VCS_PAGEDOUT内存居然是这样子~~擦~
lkd> dd f8ad5ad8
f8ad5ad8 ???????? ???????? ???????? ????????
f8ad5ae8 ???????? ???????? ???????? ????????
f8ad5af8 ???????? ???????? ???????? ????????
f8ad5b08 ???????? ???????? ???????? ????????
f8ad5b18 ???????? ???????? ???????? ????????
f8ad5b28 ???????? ???????? ???????? ????????
f8ad5b38 ???????? ???????? ???????? ????????
f8ad5b48 ???????? ???????? ???????? ????????
*/
MmRet = MiIsAddressValidEx(Pointer);
if (MmRet != VCS_VALID){
return FALSE;
}
return TRUE;
}
开发者ID:340211173,项目名称:DriverReader,代码行数:30,代码来源:CommonFunc.c
示例7: RtlInitAnsiStringEx
NTSTATUS
RtlInitAnsiStringEx (
OUT PANSI_STRING DestinationString,
IN PCSZ SourceString OPTIONAL
)
{
SIZE_T Length;
DestinationString->Length = 0;
DestinationString->MaximumLength = 0;
DestinationString->Buffer = (PCHAR)SourceString;
if (ARGUMENT_PRESENT(SourceString)) {
Length = strlen(SourceString);
// We are actually limited to 64K - 1 characters since we want to store a meaningful
// MaximumLength also.
if (Length > (MAXUSHORT - 1)) {
return STATUS_NAME_TOO_LONG;
}
DestinationString->Length = (USHORT)Length;
DestinationString->MaximumLength = (USHORT)(Length + 1);
}
return STATUS_SUCCESS;
}
开发者ID:AlexiaChen,项目名称:wrk_study,代码行数:29,代码来源:string.c
示例8: AllocAndCopyString
HRESULT AllocAndCopyString(_In_ PCWSTR source, _Outptr_ PWSTR *dest)
{
HRESULT hr = S_OK;
size_t len;
if ( !ARGUMENT_PRESENT(source) )
{
return E_INVALIDARG;
}
len = wcslen(source);
// Remember: wcslen excludes the null character when calculating the length.
// Also, StringCchCopyW takes the total length of the destination buffer
*dest = (PWSTR)LocalAlloc(LMEM_ZEROINIT, ((len + 1) * sizeof(wchar_t)));
if ( !(*dest) )
{
wprintf(L"LocalAlloc failed.\n");
hr = E_OUTOFMEMORY;
goto exit_gracefully;
}
hr = StringCchCopyW(*dest, len + 1, source);
FailGracefully(hr, L"StringCchCopyW");
exit_gracefully:
if ( !SUCCEEDED(hr) )
{
LocalFree(*dest);
}
return hr;
}
开发者ID:9578577,项目名称:Windows-classic-samples,代码行数:33,代码来源:utility.cpp
示例9: RtlpCopyProcString
VOID
RtlpCopyProcString(
IN OUT PWSTR *pDst,
OUT PUNICODE_STRING DestString,
IN PUNICODE_STRING SourceString,
IN ULONG DstAlloc OPTIONAL
)
{
if (!ARGUMENT_PRESENT( DstAlloc )) {
DstAlloc = SourceString->MaximumLength;
}
ASSERT((SourceString->Length == 0) || (SourceString->Buffer != NULL));
if (SourceString->Buffer != NULL && SourceString->Length != 0) {
RtlCopyMemory (*pDst,
SourceString->Buffer,
SourceString->Length);
}
DestString->Buffer = *pDst;
DestString->Length = SourceString->Length;
DestString->MaximumLength = (USHORT)DstAlloc;
if (DestString->Length < DestString->MaximumLength) {
RtlZeroMemory (((PUCHAR)DestString->Buffer) + DestString->Length, DestString->MaximumLength - DestString->Length);
}
*pDst = (PWSTR)((PCHAR)(*pDst) + ROUND_UP( DstAlloc, sizeof( ULONG ) ) );
return;
}
开发者ID:AlexiaChen,项目名称:wrk_study,代码行数:32,代码来源:rtlexec.c
示例10: MoveFileExA
BOOL
APIENTRY
MoveFileExA(
LPCSTR lpExistingFileName,
LPCSTR lpNewFileName,
DWORD dwFlags
)
/*++
Routine Description:
ANSI thunk to MoveFileW
--*/
{
PUNICODE_STRING Unicode;
UNICODE_STRING UnicodeNewFileName;
ANSI_STRING AnsiString;
NTSTATUS Status;
BOOL ReturnValue;
Unicode = &NtCurrentTeb()->StaticUnicodeString;
RtlInitAnsiString(&AnsiString,lpExistingFileName);
Status = Basep8BitStringToUnicodeString(Unicode,&AnsiString,FALSE);
if ( !NT_SUCCESS(Status) ) {
if ( Status == STATUS_BUFFER_OVERFLOW ) {
SetLastError(ERROR_FILENAME_EXCED_RANGE);
}
else {
BaseSetLastNTError(Status);
}
return FALSE;
}
if (ARGUMENT_PRESENT( lpNewFileName )) {
RtlInitAnsiString(&AnsiString,lpNewFileName);
Status = Basep8BitStringToUnicodeString(&UnicodeNewFileName,&AnsiString,TRUE);
if ( !NT_SUCCESS(Status) ) {
BaseSetLastNTError(Status);
return FALSE;
}
}
else {
UnicodeNewFileName.Buffer = NULL;
}
ReturnValue = MoveFileExW((LPCWSTR)Unicode->Buffer,(LPCWSTR)UnicodeNewFileName.Buffer,dwFlags);
if (UnicodeNewFileName.Buffer != NULL) {
RtlFreeUnicodeString(&UnicodeNewFileName);
}
return ReturnValue;
}
开发者ID:mingpen,项目名称:OpenNT,代码行数:57,代码来源:filemisc.c
示例11: SepFreePrimaryGroup
VOID
SepFreePrimaryGroup(
IN PTOKEN Token
)
/*++
Routine Description:
Free up the space in the dynamic part of the token take up by the primary
group.
The token is assumed to be locked for write access before calling
this routine.
Arguments:
Token - Pointer to the token.
Return Value:
None.
--*/
{
PAGED_CODE();
//
// Add the size of the primary group to the DynamicAvailable field.
//
Token->DynamicAvailable += SeLengthSid( Token->PrimaryGroup );
//
// If there is a default discretionary ACL, and it is not already at the
// beginning of the dynamic part, move it there (remember to update the
// pointer to it).
//
if (ARGUMENT_PRESENT(Token->DefaultDacl)) {
if (Token->DynamicPart != (PULONG)(Token->DefaultDacl)) {
RtlMoveMemory(
(PVOID)(Token->DynamicPart),
(PVOID)(Token->DefaultDacl),
Token->DefaultDacl->AclSize
);
Token->DefaultDacl = (PACL)(Token->DynamicPart);
}
}
return;
}
开发者ID:Gaikokujin,项目名称:WinNT4,代码行数:57,代码来源:tokenset.c
示例12: AddPartners
static
FORCEINLINE
BOOLEAN
AddPartners (
__inout PST_BARRIER Barrier,
__in USHORT Count,
__out_opt ULONGLONG *AddedPhase
)
{
PPHASE_STATE PhaseState;
ULONG State;
ULONG Partners;
ULONG Arrived;
PhaseState = Barrier->PhaseState;
do {
Partners = (State = PhaseState->State) >> PARTNERS_SHIFT;
Arrived = State & ARRIVED_MASK;
//
// Validate the argument.
//
if (Count == 0 || (Count + Partners) > MAX_PARTNERS) {
SetLastError(ERROR_INVALID_PARAMETER);
return FALSE;
}
//
// If the current phase was already reached, wait unconditionally
// until a new phase starts.
//
if (Arrived == Partners) {
StNotificationEvent_WaitEx(&PhaseState->Event, 50, NULL);
//
// Get the new phase state and retry.
//
PhaseState = Barrier->PhaseState;
continue;
}
//
// Update the number of partners and, if succeed, return.
//
if (CasLong(&PhaseState->State, State, ((Partners + Count) << PARTNERS_SHIFT) | Arrived)) {
if (ARGUMENT_PRESENT(AddedPhase)) {
*AddedPhase = Barrier->PhaseNumber;
}
return TRUE;
}
} while (TRUE);
}
开发者ID:SlimThreading,项目名称:slimthreading-windows,代码行数:56,代码来源:Barrier.c
示例13: WritePhysicalMemory
BOOLEAN WritePhysicalMemory (PHYSICAL_ADDRESS pBufSrc, PUCHAR pBufDest,
ULONG count,PULONG pcTotalBytesWritten)
{
if (ARGUMENT_PRESENT(pcTotalBytesWritten)) {
*pcTotalBytesWritten = 0;
}
return (BOOLEAN)NT_SUCCESS(DbgKdWritePhysicalMemory(pBufSrc,
(PVOID)pBufDest,
count, pcTotalBytesWritten));
}
开发者ID:mingpen,项目名称:OpenNT,代码行数:11,代码来源:ntsdk.c
示例14: ReadVirtualMemory
BOOLEAN ReadVirtualMemory (PUCHAR pBufSrc, PUCHAR pBufDest, ULONG count,
PULONG pcTotalBytesRead)
{
if (ARGUMENT_PRESENT(pcTotalBytesRead)) {
*pcTotalBytesRead = 0;
}
return (BOOLEAN)NT_SUCCESS(DbgKdReadVirtualMemory((PVOID)pBufSrc,
(PVOID)pBufDest,
count, pcTotalBytesRead));
}
开发者ID:mingpen,项目名称:OpenNT,代码行数:11,代码来源:ntsdk.c
示例15: RemoveAllInheritedAces
HRESULT RemoveAllInheritedAces(PACL *ppAcl)
{
BOOL bResult = FALSE;
DWORD errorCode = S_OK;
HRESULT hr = S_OK;
ACL_SIZE_INFORMATION aclInformation;
DWORD totalCount;
DWORD aceIndex = 0;
LPVOID ace = nullptr;
BYTE aceFlags = 0;
if ( !ARGUMENT_PRESENT(*ppAcl) )
{
return E_INVALIDARG;
}
bResult = GetAclInformation(
*ppAcl,
&aclInformation,
sizeof(aclInformation),
AclSizeInformation
);
FailGracefullyGLE(bResult, L"GetAclInformation");
totalCount = aclInformation.AceCount;
while ( aceIndex < totalCount )
{
bResult = GetAce(
*ppAcl,
aceIndex,
&ace
);
FailGracefullyGLE(bResult, L"GetAce");
aceFlags = ((PACE_HEADER)ace)->AceFlags;
if (IS_FLAG_SET(aceFlags,INHERITED_ACE))
{
bResult = DeleteAce(
*ppAcl,
aceIndex);
FailGracefullyGLE(bResult, L"DeleteAce");
totalCount--;
}
else
{
aceIndex++;
}
}
exit_gracefully:
return hr;
}
开发者ID:9578577,项目名称:Windows-classic-samples,代码行数:54,代码来源:utility.cpp
示例16: GetSizeOfAllInheritableAces
// This goes through every ACE in 'acl', sums the size of the inheritable
// ACEs, and puts it in dwSizeNeeded.
HRESULT GetSizeOfAllInheritableAces(PACL acl, DWORD &dwSizeNeeded)
{
BOOL bResult;
DWORD errorCode = S_OK;
HRESULT hr = S_OK;
ACL_SIZE_INFORMATION aclInformation;
DWORD totalCount;
LPVOID ace;
BYTE aceFlags;
if ( !ARGUMENT_PRESENT(acl) )
{
return E_INVALIDARG;
}
bResult = GetAclInformation(
acl,
&aclInformation,
sizeof(aclInformation),
AclSizeInformation
);
FailGracefullyGLE(bResult, L"GetAclInformation");
totalCount = aclInformation.AceCount;
// Start with zero as the size. We'll only initialize this
// to sizeof(ACL) if we find an inheritable ACE.
dwSizeNeeded = 0;
for ( DWORD aceIndex = 0; aceIndex < totalCount; aceIndex ++ )
{
bResult = GetAce(
acl,
aceIndex,
&ace
);
FailGracefullyGLE(bResult, L"GetAce");
aceFlags = ((PACE_HEADER)ace)->AceFlags;
// Only count the inheritable ACEs
if (IsInheritableAce(aceFlags))
{
// Initialize the size now that we've found an inheritable ACE
if ( dwSizeNeeded == 0 )
{
dwSizeNeeded = sizeof(ACL);
}
dwSizeNeeded += ((PACE_HEADER)ace)->AceSize;
}
}
exit_gracefully:
return hr;
}
开发者ID:9578577,项目名称:Windows-classic-samples,代码行数:56,代码来源:utility.cpp
示例17: ExpQueryEventIds
NTSTATUS
ExpQueryEventIds(
OUT PRTL_EVENT_ID_INFO EventIds,
IN ULONG EventIdsLength,
OUT PULONG ReturnLength OPTIONAL
)
{
NTSTATUS Status;
PLIST_ENTRY Head, Next;
PRTL_EVENT_ID_INFO EventId;
ULONG TotalLength;
ExAcquireFastMutex( &ExpEventIdListMutex );
Status = STATUS_SUCCESS;
try {
Head = &ExpEventIdListHead;
Next = Head->Flink;
TotalLength = sizeof( ULONG );
while (Next != Head) {
EventId = CONTAINING_RECORD( Next, RTL_EVENT_ID_INFO, Entry );
TotalLength += EventId->Length;
Next = Next->Flink;
}
if (ARGUMENT_PRESENT( ReturnLength )) {
*ReturnLength = TotalLength;
}
if (TotalLength > EventIdsLength) {
Status = STATUS_INFO_LENGTH_MISMATCH;
leave;
}
Head = &ExpEventIdListHead;
Next = Head->Flink;
TotalLength = 0;
while (Next != Head) {
EventId = CONTAINING_RECORD( Next, RTL_EVENT_ID_INFO, Entry );
RtlMoveMemory( (PCHAR)EventIds + TotalLength,
EventId,
EventId->Length
);
TotalLength += EventId->Length;
Next = Next->Flink;
}
RtlZeroMemory( (PCHAR)EventIds + TotalLength, sizeof( ULONG ) );
}
finally {
ExReleaseFastMutex( &ExpEventIdListMutex );
}
return Status;
}
开发者ID:BillTheBest,项目名称:WinNT4,代码行数:54,代码来源:eventid.c
示例18: RtlSetThreadIsCritical
NTSYSAPI
NTSTATUS
STDAPIVCALLTYPE
RtlSetThreadIsCritical(
IN BOOLEAN NewValue,
OUT PBOOLEAN OldValue OPTIONAL,
IN BOOLEAN CheckFlag
)
{
PPEB Peb;
ULONG Enable;
NTSTATUS Status;
if ( ARGUMENT_PRESENT(OldValue) ) {
*OldValue = FALSE;
}
Peb = RtlGetCurrentPeb();
if ( CheckFlag
&& ! (Peb->NtGlobalFlag & FLG_ENABLE_SYSTEM_CRIT_BREAKS) ) {
return STATUS_UNSUCCESSFUL;
}
if ( ARGUMENT_PRESENT(OldValue) ) {
NtQueryInformationThread(NtCurrentThread(),
ThreadBreakOnTermination,
&Enable,
sizeof(Enable),
NULL);
*OldValue = (BOOLEAN) Enable;
}
Enable = NewValue;
Status = NtSetInformationThread(NtCurrentThread(),
ThreadBreakOnTermination,
&Enable,
sizeof(Enable));
return Status;
}
开发者ID:AlexiaChen,项目名称:wrk_study,代码行数:41,代码来源:peb.c
示例19: RtlCopyString
VOID
RtlCopyString(
OUT PSTRING DestinationString,
IN PSTRING SourceString OPTIONAL
)
/*++
Routine Description:
The RtlCopyString function copies the SourceString to the
DestinationString. If SourceString is not specified, then
the Length field of DestinationString is set to zero. The
MaximumLength and Buffer fields of DestinationString are not
modified by this function.
The number of bytes copied from the SourceString is either the
Length of SourceString or the MaximumLength of DestinationString,
whichever is smaller.
Arguments:
DestinationString - Pointer to the destination string.
SourceString - Optional pointer to the source string.
Return Value:
None.
--*/
{
PSZ src, dst;
ULONG n;
if (ARGUMENT_PRESENT( SourceString )) {
dst = DestinationString->Buffer;
src = SourceString->Buffer;
n = SourceString->Length;
if ((USHORT)n > DestinationString->MaximumLength) {
n = DestinationString->MaximumLength;
}
DestinationString->Length = (USHORT)n;
while (n) {
*dst++ = *src++;
n--;
}
}
else {
DestinationString->Length = 0;
}
}
开发者ID:Gaikokujin,项目名称:WinNT4,代码行数:53,代码来源:string.c
示例20: RtlInitString
VOID
RtlInitString (
OUT PSTRING DestinationString,
IN PCSZ SourceString OPTIONAL
)
/*++
Routine Description:
The RtlInitString function initializes an NT counted string.
The DestinationString is initialized to point to the SourceString
and the Length and MaximumLength fields of DestinationString are
initialized to the length of the SourceString, which is zero if
SourceString is not specified.
Arguments:
DestinationString - Pointer to the counted string to initialize
SourceString - Optional pointer to a null terminated string that
the counted string is to point to.
Return Value:
None.
--*/
{
SIZE_T Length;
DestinationString->Length = 0;
DestinationString->MaximumLength = 0;
DestinationString->Buffer = (PCHAR)SourceString;
if (ARGUMENT_PRESENT(SourceString)) {
Length = strlen(SourceString);
ASSERT(Length < MAXUSHORT);
if(Length >= MAXUSHORT) {
Length = MAXUSHORT - 1;
}
DestinationString->Length = (USHORT)Length;
DestinationString->MaximumLength = (USHORT)(Length + 1);
}
return;
}
开发者ID:AlexiaChen,项目名称:wrk_study,代码行数:52,代码来源:string.c
注:本文中的ARGUMENT_PRESENT函数示例整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论