Python: while not Exception

con*_*ger 6 python exception while-loop python-3.x

So I am aware you can use try/except blocks to manipulate the output of errors, like so:

try:
    print("ok")
    print(str.translate)
    print(str.foo)
except AttributeError:
    print("oops, found an error")

print("done")
Run Code Online (Sandbox Code Playgroud)

...which gives the following output:

ok
<method 'translate' of 'str' objects>
oops, found an error
done
Run Code Online (Sandbox Code Playgroud)

Now, is there a way to do the following with a while loop, like while not AttributeError, like this:

while not AttributeError:
    print("ok")
    print(str.translate)
    print(str.foo)
print("done")
Run Code Online (Sandbox Code Playgroud)

which would give the same output as above, just without oops, found an error? This would reduce the need for except: pass type blocks, which are necessary but a little pointless if you have nothing to do in the except block.

I tried while not AttributeError and while not AttributeError(), which both just completely skip anything in the while block. So, is there a way to do this in Python?

Edit: This really isn't a loop per se, but the while block would run, and continue on if it encounters an error, and just continue on if it reaches the end.

Luc*_*nde 7

你可以试试这样的:

while True:
    try:
        print("ok")
        print(str.translate)
        print(str.foo)
    except:
        break
print('done')
Run Code Online (Sandbox Code Playgroud)


Gho*_*ich 5

下面的代码将循环直到遇到错误。

while True:
  try:
    print("ok")
    print(str.translate)
    print(str.foo)
  except AttributeError:
    print("oops, found an error")
    break
  print("done")
Run Code Online (Sandbox Code Playgroud)