Você está usando yield return
. Ao fazer isso, o compilador reescreverá seu método em uma função que retorna uma classe gerada que implementa uma máquina de estado.
Em termos gerais, ele reescreve os locais nos campos dessa classe e cada parte do seu algoritmo entre as yield return
instruções se torna um estado. Você pode verificar com um descompilador o que esse método se torna após a compilação (desative a descompilação inteligente que produziria yield return
).
Mas a linha inferior é: o código do seu método não será executado até que você comece a iterar.
A maneira usual de verificar pré-condições é dividir seu método em dois:
public static IEnumerable<int> AllIndexesOf(this string str, string searchText)
{
if (str == null)
throw new ArgumentNullException("str");
if (searchText == null)
throw new ArgumentNullException("searchText");
return AllIndexesOfCore(str, searchText);
}
private static IEnumerable<int> AllIndexesOfCore(string str, string searchText)
{
for (int index = 0; ; index += searchText.Length)
{
index = str.IndexOf(searchText, index);
if (index == -1)
break;
yield return index;
}
}
Isso funciona porque o primeiro método se comportará exatamente como você espera (execução imediata) e retornará a máquina de estado implementada pelo segundo método.
Observe que você também deve verificar o str
parâmetro null
, pois os métodos de extensões podem ser chamados em null
valores, pois são apenas açúcar sintático.
Se você estiver curioso sobre o que o compilador faz com o seu código, aqui está o seu método, descompilado com dotPeek usando a opção Mostrar código gerado pelo compilador .
public static IEnumerable<int> AllIndexesOf(this string str, string searchText)
{
Test.<AllIndexesOf>d__0 allIndexesOfD0 = new Test.<AllIndexesOf>d__0(-2);
allIndexesOfD0.<>3__str = str;
allIndexesOfD0.<>3__searchText = searchText;
return (IEnumerable<int>) allIndexesOfD0;
}
[CompilerGenerated]
private sealed class <AllIndexesOf>d__0 : IEnumerable<int>, IEnumerable, IEnumerator<int>, IEnumerator, IDisposable
{
private int <>2__current;
private int <>1__state;
private int <>l__initialThreadId;
public string str;
public string <>3__str;
public string searchText;
public string <>3__searchText;
public int <index>5__1;
int IEnumerator<int>.Current
{
[DebuggerHidden] get
{
return this.<>2__current;
}
}
object IEnumerator.Current
{
[DebuggerHidden] get
{
return (object) this.<>2__current;
}
}
[DebuggerHidden]
public <AllIndexesOf>d__0(int <>1__state)
{
base..ctor();
this.<>1__state = param0;
this.<>l__initialThreadId = Environment.CurrentManagedThreadId;
}
[DebuggerHidden]
IEnumerator<int> IEnumerable<int>.GetEnumerator()
{
Test.<AllIndexesOf>d__0 allIndexesOfD0;
if (Environment.CurrentManagedThreadId == this.<>l__initialThreadId && this.<>1__state == -2)
{
this.<>1__state = 0;
allIndexesOfD0 = this;
}
else
allIndexesOfD0 = new Test.<AllIndexesOf>d__0(0);
allIndexesOfD0.str = this.<>3__str;
allIndexesOfD0.searchText = this.<>3__searchText;
return (IEnumerator<int>) allIndexesOfD0;
}
[DebuggerHidden]
IEnumerator IEnumerable.GetEnumerator()
{
return (IEnumerator) this.System.Collections.Generic.IEnumerable<System.Int32>.GetEnumerator();
}
bool IEnumerator.MoveNext()
{
switch (this.<>1__state)
{
case 0:
this.<>1__state = -1;
if (this.searchText == null)
throw new ArgumentNullException("searchText");
this.<index>5__1 = 0;
break;
case 1:
this.<>1__state = -1;
this.<index>5__1 += this.searchText.Length;
break;
default:
return false;
}
this.<index>5__1 = this.str.IndexOf(this.searchText, this.<index>5__1);
if (this.<index>5__1 != -1)
{
this.<>2__current = this.<index>5__1;
this.<>1__state = 1;
return true;
}
goto default;
}
[DebuggerHidden]
void IEnumerator.Reset()
{
throw new NotSupportedException();
}
void IDisposable.Dispose()
{
}
}
Este é um código C # inválido, porque o compilador pode fazer coisas que a linguagem não permite, mas que são legais na IL - por exemplo, nomear as variáveis de uma maneira que você não pode evitar colisões de nomes.
Mas como você pode ver, o AllIndexesOf
único constrói e retorna um objeto, cujo construtor inicializa apenas algum estado. GetEnumerator
apenas copia o objeto. O trabalho real é feito quando você começa a enumerar (chamando o MoveNext
método).