[vb.net] C #의 ‘??’에 해당하는 VB.NET이 있습니까? 운영자?

C # ??연산자에 해당하는 VB.NET이 있습니까?



답변

If()연산자를 두 개의 인수와 함께 사용하십시오 ( Microsoft documentation ).

' Variable first is a nullable type.
Dim first? As Integer = 3
Dim second As Integer = 6

' Variable first <> Nothing, so its value, 3, is returned.
Console.WriteLine(If(first, second))

second = Nothing
' Variable first <> Nothing, so the value of first is returned again. 
Console.WriteLine(If(first, second))

first = Nothing second = 6
' Variable first = Nothing, so 6 is returned.
Console.WriteLine(If(first, second))


답변

IF()운영자는 당신을 위해 트릭을 수행해야합니다

value = If(nullable, defaultValueIfNull)

http://visualstudiomagazine.com/listings/list.aspx?id=252


답변

허용되는 답변에는 설명이 없으며 단순히 링크 일뿐입니다.
따라서 If운영자가 MSDN에서 가져온 작동 방식을 설명하는 대답을 남기겠다고 생각했습니다 .


If 연산자 (Visual Basic)

단락 평가를 사용하여 두 값 중 하나를 조건부로 반환합니다. 만약의 연산자는 세 개의 인수 또는 두 개의 인수로 호출 할 수 있습니다.

If( [argument1,] argument2, argument3 )

연산자가 두 개의 인수로 호출 된 경우

If 의 첫 번째 인수 는 생략 할 수 있습니다. 이를 통해 두 개의 인수 만 사용하여 연산자를 호출 할 수 있습니다. 다음 목록은 If 연산자가 두 개의 인수로 호출 된 경우 에만 적용됩니다 .

부속

Term         Definition
----         ----------

argument2    Required. Object. Must be a reference or nullable type.
             Evaluated and returned when it evaluates to anything
             other than Nothing.

argument3    Required. Object.
             Evaluated and returned if argument2 evaluates to Nothing.

경우 부울 인수가 생략되고, 첫 번째 인자는 참조 또는 널 타입이어야한다. 첫 번째 인수가 Nothing으로 평가
되면 두 번째 인수의 값이 리턴됩니다. 다른 모든 경우에는 첫 번째 인수의 값이 반환됩니다. 다음 예는이 평가의 작동 방식을 보여줍니다.

VB

' Variable first is a nullable type. 
Dim first? As Integer = 3
Dim second As Integer = 6

' Variable first <> Nothing, so its value, 3, is returned.
Console.WriteLine(If(first, second))

second = Nothing
' Variable first <> Nothing, so the value of first is returned again.
Console.WriteLine(If(first, second))

first = Nothing
second = 6
' Variable first = Nothing, so 6 is returned.
Console.WriteLine(If(first, second))

두 개 이상의 값을 처리하는 방법의 예 (중첩 됨 if) :

Dim first? As Integer = Nothing
Dim second? As Integer = Nothing
Dim third? As Integer = 6
' The LAST parameter doesn't have to be nullable.
'Alternative: Dim third As Integer = 6

' Writes "6", because the first two values are "Nothing".
Console.WriteLine(If(first, If(second, third)))


답변

확장 방법을 사용할 수 있습니다. 이것은 SQL처럼 작동 COALESCE하며 테스트하려는 대상에 대해서는 과잉 일 수 있지만 작동합니다.

    ''' <summary>
    ''' Returns the first non-null T based on a collection of the root object and the args.
    ''' </summary>
    ''' <param name="obj"></param>
    ''' <param name="args"></param>
    ''' <returns></returns>
    ''' <remarks>Usage
    ''' Dim val as String = "MyVal"
    ''' Dim result as String = val.Coalesce(String.Empty)
    ''' *** returns "MyVal"
    '''
    ''' val = Nothing
    ''' result = val.Coalesce(String.Empty, "MyVal", "YourVal")
    ''' *** returns String.Empty
    '''
    ''' </remarks>
    <System.Runtime.CompilerServices.Extension()> _
    Public Function Coalesce(Of T)(ByVal obj As T, ByVal ParamArray args() As T) As T

        If obj IsNot Nothing Then
            Return obj
        End If

        Dim arg As T
        For Each arg In args
            If arg IsNot Nothing Then
                Return arg
            End If
        Next

        Return Nothing

    End Function

내장은 If(nullable, secondChoice)만 처리 할 수있는 이 개 널 (NULL) 선택. 여기에서 Coalesce원하는만큼의 매개 변수를 사용할 수 있습니다 . 첫 번째 null이 아닌 값이 반환되고 그 이후의 나머지 매개 변수는 평가되지 않습니다 ( AndAlso/ &&와 같은 단락OrElse /|| )


답변

이러한 솔루션의 대부분의 중요한 제한 사항은 단락되지 않는다는 것입니다. 따라서 실제로는?? .

내장 If 연산자는 이전 매개 변수가 아무 것도 평가하지 않으면 후속 매개 변수를 평가하지 않습니다.

다음 내용은 동일합니다.

씨#

var value = expression1 ?? expression2 ?? expression3 ?? expression4;

VB

dim value = if(expression1,if(expression2,if(expression3,expression4)))

이것은 모든 경우에 ??작동합니다. 런타임 버그를 쉽게 도입 할 수 있으므로 다른 솔루션은 매우주의해서 사용해야합니다.


답변

If Operator (Visual Basic)에 대한 Microsoft 설명서는 여기 ( https://docs.microsoft.com/en-us/dotnet/visual-basic/language-reference/operators/if-operator )에서 확인하십시오.

If( [argument1,] argument2, argument3 )

다음은 몇 가지 예입니다 (VB.Net).

' This statement prints TruePart, because the first argument is true.
Console.WriteLine(If(True, "TruePart", "FalsePart"))

' This statement prints FalsePart, because the first argument is false.
Console.WriteLine(If(False, "TruePart", "FalsePart"))

Dim number = 3
' With number set to 3, this statement prints Positive.
Console.WriteLine(If(number >= 0, "Positive", "Negative"))

number = -1
' With number set to -1, this statement prints Negative.
Console.WriteLine(If(number >= 0, "Positive", "Negative"))


답변