'How to get a stack trace object in Ruby?
I need to get a stack trace object in Ruby; not to print it, just to get it to do some recording and dumping for later analysis. Is that possible? How?
Solution 1:[1]
Try
Thread.current.backtrace.join("\n")
Solution 2:[2]
Try error.backtrace:
# Returns any backtrace associated with the exception.
# The backtrace is an array of strings, each containing either ``filename:lineNo: in `method’’’ or ``filename:lineNo.’‘
def a
raise "boom"
end
def b
a()
end
begin
b()
rescue => detail
print detail.backtrace.join("\n")
end
produces:
prog.rb:2:in `a'
prog.rb:6:in `b'
prog.rb:10
Solution 3:[3]
For Ruby 2.0+, you can use Kernel#caller_locations. It is essentially the same as Kernel#caller (covered in Sven Koschnicke's answer), except that instead of returning an array of strings, it returns an array of Thread::Backtrace::Location objects. Thread::Backtrace::Location provides methods such as path, lineno, and base_label, which may be useful when you need access to specific details about the stack trace, and not just a raw string.
From the docs:
caller_locations(start=1, length=nil) ? array or nil
caller_locations(range) ? array or nil
Returns the current execution stack—an array containing backtrace location objects.
See
Thread::Backtrace::Locationfor more information.The optional start parameter determines the number of initial stack entries to omit from the top of the stack.
A second optional
lengthparameter can be used to limit how many entries are returned from the stack.Returns
nilifstartis greater than the size of current execution stack.Optionally you can pass a range, which will return an array containing the entries within the specified range.
Usage example:
def a
caller_locations(0)
end
def b
a
end
def c
b
end
c.map(&:base_label)
#=> ["a", "b", "c", "<main>"]
Solution 4:[4]
Thread.current.backtrace
This will give you an array which contains all the lines that you may get in any normal backtrace.
Solution 5:[5]
You can create your own if you want as well. As demonstrated in Eloquent Ruby by Russ Olsen:
# define a proc to use that will handle your trace
proc_object = proc do |event, file, line, id, binding, klass|
puts "#{event} in #{file}/#{line} #{id} #{klass}"
end
# tell Ruby to use your proc on traceable events
set_trace_func(proc_object)
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
| Solution | Source |
|---|---|
| Solution 1 | Alex Bondar |
| Solution 2 | Andrew Grimm |
| Solution 3 | Community |
| Solution 4 | Rajat Bansal |
| Solution 5 | Sammy Larbi |
