반드시 필요한 메서드는 아니지만 string 클래스에서는 비교적 코드를 깔끔하게 작성할 수 있도록 몇 가지 종류의 판별 메서드를 제공한다.
1. bool string.IsNullOrEmpty(string)
지정된 문자열이 null이거나 빈 문자열(길이가 0)인 경우 true를, 그렇지 않은 경우 false를 반환한다.
void button_Click( object sender, EventArgs e )
{
if ( !string.IsNullOrEmpty( textBox1.Text ) )
{
MessageBox.Show( textBox1.Text );
}
else
{
MessageBox.Show( "Empty." );
}
}
// Decompiled String.cs
public static bool IsNullOrEmpty( string value )
{
if ( value != null )
{
return value.Length == 0;
}
return true;
}
2. bool string.IsNullOrWhiteSpace(string)
지정된 문자열이 null이거나, 빈 문자열이거나 또는 공백 문자만으로 구성되어 있는 경우 true를, 그렇지 않은 경우 false를 반환한다.
void button_Click( object sender, EventArgs e )
{
if ( !string.IsNullOrWhiteSpace( textBox1.Text ) )
{
MessageBox.Show( textBox1.Text );
}
else
{
MessageBox.Show( "Empty." );
}
}
// Decompiled String.cs
public static bool IsNullOrWhiteSpace( string value )
{
if ( value == null )
{
return true;
}
for ( int i = 0; i < value.Length; i++ )
{
if ( !char.IsWhiteSpace( value[i] ) )
{
return false;
}
}
return true;
}
'.NET > C#' 카테고리의 다른 글
[C#] 문자열 05 - IndexOf() 문자열 찾기 (0) | 2023.05.09 |
---|---|
[C#] Thread가 백그라운드에서 살아있을 때 (0) | 2022.11.14 |
[C#] 문자열 03 - Trim(), TrimStart(), TrimEnd() (0) | 2022.07.05 |
[C#] 문자열 02 - Substring()으로 부분 문자열 가져오기 (0) | 2021.10.17 |
[C#] 문자열 01 - Split()으로 문자열 분할하기 (0) | 2021.10.17 |