8

我有一个foreach循环在 foreach 本身的条件下在循环期间中断。有没有办法try catch抛出异常然后继续循环的项目?

这将运行几次,直到异常发生然后结束。

try {
  foreach(b in bees) { //exception is in this line
     string += b;
  }
} catch {
   //error
}

这根本不会运行,因为异常是在 foreach 的条件下

foreach(b in bees) { //exception is in this line
   try {
      string += b;
   } catch {
     //error
   }
}

我知道你们中的一些人会问这是怎么发生的,所以这里是这样的:PrincipalOperationException抛出异常,因为在(bees)Principal中找不到 a (在我的示例中为 b )。GroupPrincipal

编辑:我添加了下面的代码。我还发现一个组成员指向一个不再存在的域。我通过删除成员轻松解决了这个问题,但我的问题仍然存在。你如何处理在 foreach 条件下抛出的异常?

PrincipalContext ctx = new PrincipalContext(ContextType.domain);
GroupPrincipal gp1 = GroupPrincipal.FindByIdentity(ctx, "gp1");
GroupPrincipal gp2 = GroupPrincipal.FindByIdentity(ctx, "gp2");

var principals = gp1.Members.Union(gp2.Members);

foreach(Principal principal in principals) { //error is here
   //do stuff
}
4

2 回答 2

5

与@Guillaume 的答案几乎相同,但“我更喜欢我的”:

public static class Extensions
{
    public static IEnumerable<T> TryForEach<T>(this IEnumerable<T> sequence, Action<Exception> handler)
    {
        if (sequence == null)
        {
            throw new ArgumentNullException("sequence");
        }

        if (handler == null)
        {
            throw new ArgumentNullException("handler");
        }

        var mover = sequence.GetEnumerator();
        bool more;
        try
        {
            more = mover.MoveNext();
        }
        catch (Exception e)
        {
            handler(e);
            yield break;
        }

        while (more)
        {
            yield return mover.Current;
            try
            {
                more = mover.MoveNext();
            }
            catch (Exception e)
            {
                handler(e);
                yield break;
            }
        }
    }
}
于 2012-09-21T13:48:06.327 回答
4

也许您可以尝试创建这样的方法:

    public IEnumerable<T> TryForEach<T>(IEnumerable<T> list, Action executeCatch)
    {
        if (list == null) { executeCatch(); }
        IEnumerator<T> enumerator = list.GetEnumerator();
        bool success = false;

        do
        {
            try
            {
                success = enumerator.MoveNext();
            }
            catch
            {
                executeCatch();
                success = false;
            }

            if (success)
            {
                T item = enumerator.Current;
                yield return item;
            }
        } while (success);
    }

你可以这样使用它:

        foreach (var bee in TryForEach(bees.GetMembers(), () => { Console.WriteLine("Error!"); }))
        {
        }
于 2012-09-21T03:54:35.493 回答