Why does this compile, when the return value could presumably be unassigned?

155 Views Asked by At

It seems to me that this code:

public static bool InsertInventoryItem(DuckbillUtils.InventoryItem invItem)
{
    bool addSuccess = true;
    try
    {
        InventoryItemsList invItems = new InventoryItemsList();
        invItems.inventoryItems.Add(invItem);
    }
    catch (Exception)
    {
        addSuccess = false;
    }
    return addSuccess;
}

...should not compile, because there's no guarantee that the return line will be reached - if there's an exception, addSuccess is assigned to, but won't the method return from within the catch block, and the final line not be reached, in which case nothing is returned from the method?

3

There are 3 best solutions below

0
On BEST ANSWER

The return will always be hit. You are swallowing the error.

If you were to throw the exception, then the return would not be hit. Even then though, it's expected behavior.

public static bool InsertInventoryItem(DuckbillUtils.InventoryItem invItem)
{
    bool addSuccess = true;
    try
    {
        InventoryItemsList invItems = new InventoryItemsList();
        invItems.inventoryItems.Add(invItem);
    }
    catch (Exception)
    {
        throw;
    }
    return addSuccess;
}
0
On

because there's no guarantee that the return line will be reached

In the code provided that does not look like this.

try/catch will catch all (possible to catch) exception in the code.

0
On

The code will catch the (all) exception, set addSuccess to false, then proceed to the return line. If no exceptions are thrown, the return line will return true. And addSuccess is assigned a value at the first line, it will never be unassigned.