예외 및 예외 클래스
일반적으로 예외는 비정상적인 조건입니다. 예외는 일반적으로 오류를 나타내지 만 절차를 조기에 종료하거나 자원 부족에서 복구하는 경우와 같이 의도적으로 프로그램에 넣는 경우가 있습니다. 파일 끝을지나 읽거나 0으로 나누는 것과 같은 조건을 나타내는 많은 내장 예외가 있습니다. 사용자 지정 예외라는 자체 예외를 정의 할 수 있습니다.
예외 처리를 사용하면 오류를 정상적으로 처리하고 의미있는 작업을 수행 할 수 있습니다. 예외 처리에는 "던지기"와 "잡기"의 두 가지 구성 요소가 있습니다.
예외 식별 (오류)
파이썬에서 모든 오류가 발생하면 오류 유형으로 식별되는 오류 조건이 발생하는 예외가 발생합니다.
>>> #Exception
>>> 1/0
Traceback (most recent call last):
   File "<pyshell#2>", line 1, in <module>
      1/0
ZeroDivisionError: division by zero
>>>
>>> var = 20
>>> print(ver)
Traceback (most recent call last):
   File "<pyshell#5>", line 1, in <module>
      print(ver)
NameError: name 'ver' is not defined
>>> #Above as we have misspelled a variable name so we get an NameError.
>>>
>>> print('hello)
SyntaxError: EOL while scanning string literal
>>> #Above we have not closed the quote in a string, so we get SyntaxError.
>>>
>>> #Below we are asking for a key, that doen't exists.
>>> mydict = {}
>>> mydict['x']
Traceback (most recent call last):
   File "<pyshell#15>", line 1, in <module>
      mydict['x']
KeyError: 'x'
>>> #Above keyError
>>>
>>> #Below asking for a index that didn't exist in a list.
>>> mylist = [1,2,3,4]
>>> mylist[5]
Traceback (most recent call last):
   File "<pyshell#20>", line 1, in <module>
      mylist[5]
IndexError: list index out of range
>>> #Above, index out of range, raised IndexError.잡기 / 트래핑 예외
프로그램에서 비정상적인 일이 발생하고 예외 메커니즘을 사용하여이를 처리하려면 '예외를 던집니다'. 키워드 try 및 except는 예외를 포착하는 데 사용됩니다. try 블록 내에서 오류가 발생할 때마다 Python은이를 처리하기 위해 일치하는 except 블록을 찾습니다. 하나가 있으면 실행이 거기로 이동합니다.
통사론
try:
   #write some code
   #that might throw some exception
except <ExceptionType>:
   # Exception handler, alert the usertry 절 내의 코드는 문별로 실행됩니다.
예외가 발생하면 나머지 try 블록은 건너 뛰고 except 절이 실행됩니다.
try:
   some statement here
except:
   exception handling프로그램에서 오류 처리 메커니즘을 사용하지 않을 때 어떤 일이 일어나는지 코드를 작성해 보겠습니다.
number = int(input('Please enter the number between 1 & 10: '))
print('You have entered number',number)위의 프로그램은 사용자가 숫자를 입력하는 한 올바르게 작동하지만 사용자가 다른 데이터 유형 (예 : 문자열 또는 목록)을 입력하려고하면 어떻게됩니까?
Please enter the number between 1 > 10: 'Hi'
Traceback (most recent call last):
   File "C:/Python/Python361/exception2.py", line 1, in <module>
      number = int(input('Please enter the number between 1 & 10: '))
ValueError: invalid literal for int() with base 10: "'Hi'"이제 ValueError는 예외 유형입니다. 예외 처리를 사용하여 위 코드를 다시 작성해 보겠습니다.
import sys
print('Previous code with exception handling')
try:
   number = int(input('Enter number between 1 > 10: '))
except(ValueError):
   print('Error..numbers only')
   sys.exit()
print('You have entered number: ',number)프로그램을 실행하고 문자열 (숫자 대신)을 입력하면 다른 결과가 나오는 것을 볼 수 있습니다.
Previous code with exception handling
Enter number between 1 > 10: 'Hi'
Error..numbers only예외 발생
자신의 메서드에서 예외를 발생 시키려면 다음과 같은 raise 키워드를 사용해야합니다.
raise ExceptionClass(‘Some Text Here’)예를 들어 봅시다
def enterAge(age):
   if age<0:
      raise ValueError('Only positive integers are allowed')
   if age % 2 ==0:
      print('Entered Age is even')
   else:
      print('Entered Age is odd')
try:
   num = int(input('Enter your age: '))
   enterAge(num)
except ValueError:
   print('Only positive integers are allowed')프로그램을 실행하고 양의 정수를 입력하십시오.
예상 출력
Enter your age: 12
Entered Age is even하지만 음수를 입력하려고하면
예상 출력
Enter your age: -2
Only positive integers are allowed사용자 정의 예외 클래스 생성
BaseException 클래스 또는 BaseException의 하위 클래스를 확장하여 사용자 지정 예외 클래스를 만들 수 있습니다.
 
                위의 다이어그램에서 Python의 대부분의 예외 클래스가 BaseException 클래스에서 확장되는 것을 볼 수 있습니다. BaseException 클래스 또는 하위 클래스에서 고유 한 예외 클래스를 파생 할 수 있습니다.
NegativeNumberException.py라는 새 파일을 만들고 다음 코드를 작성합니다.
class NegativeNumberException(RuntimeError):
   def __init__(self, age):
      super().__init__()
      self.age = age위 코드는 super () __ init __ ()를 사용하여 부모 클래스 생성자를 호출하고 나이를 설정하는 생성자로만 구성된 NegativeNumberException이라는 새로운 예외 클래스를 만듭니다.
이제 사용자 지정 예외 클래스를 만들려면 몇 가지 코드를 작성하고 새 예외 클래스를 가져옵니다.
from NegativeNumberException import NegativeNumberException
def enterage(age):
   if age < 0:
      raise NegativeNumberException('Only positive integers are allowed')
   if age % 2 == 0:
      print('Age is Even')
   else:
      print('Age is Odd')
try:
   num = int(input('Enter your age: '))
   enterage(num)
except NegativeNumberException:
   print('Only positive integers are allowed')
except:
   print('Something is wrong')산출
Enter your age: -2
Only positive integers are allowed사용자 지정 예외 클래스를 만드는 또 다른 방법입니다.
class customException(Exception):
   def __init__(self, value):
      self.parameter = value
   def __str__(self):
      return repr(self.parameter)
try:
   raise customException('My Useful Error Message!')
except customException as instance:
   print('Caught: ' + instance.parameter)산출
Caught: My Useful Error Message!예외 계층
내장 예외에 대한 클래스 계층 구조는 다음과 같습니다.
+-- SystemExit 
+-- KeyboardInterrupt 
+-- GeneratorExit 
+-- Exception 
+-- StopIteration 
+-- StopAsyncIteration 
+-- ArithmeticError 
| +-- FloatingPointError 
| +-- OverflowError 
| +-- ZeroDivisionError 
+-- AssertionError 
+-- AttributeError 
+-- BufferError 
+-- EOFError 
+-- ImportError 
+-- LookupError 
| +-- IndexError 
| +-- KeyError 
+-- MemoryError 
+-- NameError 
| +-- UnboundLocalError 
+-- OSError 
| +-- BlockingIOError 
| +-- ChildProcessError 
| +-- ConnectionError 
| | +-- BrokenPipeError 
| | +-- ConnectionAbortedError 
| | +-- ConnectionRefusedError 
| | +-- ConnectionResetError 
| +-- FileExistsError 
| +-- FileNotFoundError 
| +-- InterruptedError 
| +-- IsADirectoryError 
| +-- NotADirectoryError 
| +-- PermissionError 
| +-- ProcessLookupError 
| +-- TimeoutError 
+-- ReferenceError 
+-- RuntimeError 
| +-- NotImplementedError 
| +-- RecursionError 
+-- SyntaxError 
| +-- IndentationError
| +-- TabError 
+-- SystemError 
+-- TypeError 
+-- ValueError 
| +-- UnicodeError 
| +-- UnicodeDecodeError 
| +-- UnicodeEncodeError 
| +-- UnicodeTranslateError 
+-- Warning 
+-- DeprecationWarning 
+-- PendingDeprecationWarning 
+-- RuntimeWarning 
+-- SyntaxWarning 
+-- UserWarning 
+-- FutureWarning 
+-- ImportWarning 
+-- UnicodeWarning 
+-- BytesWarning 
+-- ResourceWarning