2

我们在方法中经常使用try catch语句,如果方法可以返回一个值,但该值不是字符串,如何返回异常信息?例如:

public int GetFile(string path)
{
    int i;
    try
    {
        //...
        return i;
    }
    catch (Exception ex)
    { 
        // How to return the ex?
        // If the return type is a custom class, how to deal with it?
    }
 }

如何返回异常?

4

3 回答 3

2

如果你想在 catch 块中做一些有用的事情,比如记录异常,你可以remove尝试 catch 块throw从 catch 块中抛出异常或异常。如果您想从您的方法发送异常消息并且不想抛出异常,那么您可以使用out字符串变量来保存调用方法的异常消息。

public int GetFile(string path, out string error)
{
    error = string.Empty.
    int i;
    try
    {
        //...
        return i;
    }
    catch(Exception ex)
    { 
        error = ex.Message;
        // How to return the ex?
        // If the return type is a custom class, how to deal with it?
    }
 }

如何调用方法。

string error = string.Empty;
GetFile("yourpath", out error);
于 2012-12-28T05:01:57.123 回答
2

如果您只是想抛出任何异常,请删除 try/catch 块。

如果你想处理特定的异常,你有两个选择

  1. 只处理那些异常。

    try
    {
        //...
        return i;
    }
    catch(IOException iex)
    { 
    
        // do something
       throw;
    }
    catch(PathTooLongException pex)
    { 
    
        // do something
       throw;
    }
    
  2. 在通用处理程序中为某些类型做一些事情

    try
    {
        //...
        return i;
    }
    catch(Exception ex)
    { 
         if (ex is IOException) 
         { 
         // do something
         }
         if (ex is PathTooLongException) 
         { 
          // do something 
    
         }
         throw;
    }
    
于 2012-12-28T05:06:18.073 回答
0

您可以直接抛出异常,并从调用方法或事件中捕获该异常。

public int GetFile(string path)
{
        int i;
        try
        {
            //...
            return i;
        }
        catch (Exception ex)
        { 
            throw ex;
        }
}

并在这样的调用方法中捕获它......

public void callGetFile()
{
      try
      {
           int result = GetFile("your file path");
      }
      catch(exception ex)
      {
           //Catch your thrown excetion here
      }
}
于 2012-12-28T05:12:50.910 回答