Do not use return, break or continue statements in a try-finally block, as the exception will not be processed. The Python documentation [Python 3.9] notes, “If the finally clause executes a return, break or continue statement, the saved exception is discarded.”
The return statement is within the finally block, which means the exception will have no effect.
# SPDX-FileCopyrightText: OpenSSF project contributors
# SPDX-License-Identifier: MIT
""" Non-compliant Code Example """
 
 
def do_logic():
    try:
        raise Exception
    finally:
        print("logic done")
        return True
 
 
#####################
# exploiting above code example
#####################
do_logic()
This code sample will print: logic done.
The return statement has been moved to the end of the method, so the code sample will successfully raise the exception.
# SPDX-FileCopyrightText: OpenSSF project contributors
# SPDX-License-Identifier: MIT
""" Compliant Code Example """
 
 
def do_logic():
    try:
        raise Exception
    finally:
        print("logic done")
    # return statement goes here
    # when exception is raised conditionally
    return True
 
 
#####################
# exploiting above code example
#####################
do_logic()
break inside a loopIt is permissible to use control flow statements that lead into a finally block, as long as they do not attempt to exit from within it. For example, the following code complies with this rule because the break statement is used to exit a while loop and does not attempt to break out of the finally block itself.
# SPDX-FileCopyrightText: OpenSSF project contributors
# SPDX-License-Identifier: MIT
 """ Compliant Code Example """
def do_logic():
    try:
        raise Exception
    finally:
        c = 0
        while c < 5:
            print(f"c is {c}")
            c += 1
            if c == 3:
                break
    # return statement goes here
    # when exception is raised conditionally
    return True
 
 
#####################
# exploiting above code example
#####################
do_logic()
| Tool | Version | Checker | Description | 
|---|---|---|---|
| Pylint | 3.3.4 | W0150 | return statement in finally block may swallow exception (lost-exception) | 
| Pylint | 3.3.4 | W0134 | ‘return’ shadowed by the ‘finally’ clause. | 
| [Python 3.9] | Compound statements — Python 3.9.13 documentation |