I have defined a custom Exception object and would like to get the line number of the exception.
JavaScript
x
14
14
1
class FlowException(Exception):
2
pass
3
4
def something():
5
print 2/3
6
print 1/2
7
print 2/0
8
9
10
try:
11
something()
12
except Exception as e:
13
raise FlowException("Process Exception", e)
14
Now, if there is a exception in something() it throws the FlowException but it does not give me the exact line number, How can I get the line number from FlowException(ie; it failed when it executed 2/0)?
Here is the output:–
JavaScript
1
4
1
raise FlowException("Process Exception", e)
2
__main__.FlowException: ('Process Exception', ZeroDivisionError('integer division or modulo by zero',))
3
[Finished in 0.4s with exit code 1]
4
Advertisement
Answer
The traceback
object holds that info in the tb_lineno
attribute:
JavaScript
1
8
1
import sys
2
3
# ...
4
except Exception as e:
5
trace_back = sys.exc_info()[2]
6
line = trace_back.tb_lineno
7
raise FlowException("Process Exception in line {}".format(line), e)
8