Validar argumentos de métodos públicos
TypeName |
ValidateArgumentsOfPublicMethods |
CheckId |
CA1062 |
Category (Categoria) |
Microsoft.Design |
Quebrando alterar |
Não separável |
Causa
Cancela a um método visível externamente referência um dos seus argumentos de referência sem verificar se esse argumento é null (Nothing no Visual Basic).
Descrição da regra
Todos os argumentos de referência passados para métodos visíveis externamente devem ser verificados em relação a null. Se apropriado, lança um System.ArgumentNullException Quando o argumento é null.
Como corrigir violações
Para corrigir uma violação dessa regra, validar cada argumento de referência contra null.
Quando suprimir avisos
Não suprimir um aviso da regra.
Exemplo
O exemplo a seguir mostra um método que viola a regra e um método que satisfaça a regra.
Imports System
Namespace DesignLibrary
Public Class Test
' This method violates the rule.
Sub DoNotValidate(ByVal input As String)
If input.Length <> 0 Then
Console.WriteLine(input)
End If
End Sub
' This method satisfies the rule.
Sub Validate(ByVal input As String)
If input Is Nothing Then
Throw New ArgumentNullException("input")
End If
If input.Length <> 0 Then
Console.WriteLine(input)
End If
End Sub
End Class
End Namespace
using System;
namespace DesignLibrary
{
public class Test
{
// This method violates the rule.
public void DoNotValidate(string input)
{
if (input.Length != 0)
{
Console.WriteLine(input);
}
}
// This method satisfies the rule.
public void Validate(string input)
{
if (input == null)
{
throw new ArgumentNullException("input");
}
if (input.Length != 0)
{
Console.WriteLine(input);
}
}
}
}
In Visual Studio 2005, essa regra tem várias limitações. Uma limitação é que
Ela não detecta que estão sendo passados parâmetros para outro método que faz a validação.
Public Function Method(ByVal value As String) As String
EnsureNotNull(value)
' Fires incorrectly
Return value.ToString()
End Function
Private Sub EnsureNotNull(ByVal value As String)
If value Is Nothing Then
Throw (New ArgumentNullException("value"))
End If
End Sub
public string Method(string value)
{
EnsureNotNull(value);
// Fires incorrectly
return value.ToString();
}
private void EnsureNotNull(string value)
{
if (value == null)
throw new ArgumentNullException("value");
}
Outra limitação é que ela não entende operadores de circuito curto.
Public Function Method(ByVal value1 As String, ByVal value2 As String) As String
If value1 Is Nothing OrElse value2 Is Nothing Then
Throw New ArgumentNullException()
End If
' Fires incorrectly
Return value1.ToString() + value2.ToString()
End Function
public string Method(string value1, string value2)
{
if (value1 == null || value2 == null)
throw new ArgumentNullException(value1 == null ? "value1" : "value2");
// Fires incorrectly
return value1.ToString() + value2.ToString();
}