class LogStash::Filters::Grok
Parse arbitrary text and structure it.
Grok
is currently the best way in Logstash to parse unstructured log data into something structured and queryable.
This tool is perfect for syslog logs, apache and other webserver logs, mysql logs, and in general, any log format that is generally written for humans and not computer consumption.
Logstash ships with about 120 patterns by default. You can find them here: <github.com/logstash-plugins/logstash-patterns-core/tree/master/patterns>. You can add your own trivially. (See the ‘patterns_dir` setting)
If you need help building patterns to match your logs, you will find the <grokdebug.herokuapp.com> and <grokconstructor.appspot.com/> applications quite useful!
Grok
Basics¶ ↑
Grok
works by combining text patterns into something that matches your logs.
The syntax for a grok pattern is ‘%{SYNTAX:SEMANTIC}`
The ‘SYNTAX` is the name of the pattern that will match your text. For example, `3.44` will be matched by the `NUMBER` pattern and `55.3.244.1` will be matched by the `IP` pattern. The syntax is how you match.
The ‘SEMANTIC` is the identifier you give to the piece of text being matched. For example, `3.44` could be the duration of an event, so you could call it simply `duration`. Further, a string `55.3.244.1` might identify the `client` making a request.
For the above example, your grok filter would look something like this:
- source,ruby
-
%{NUMBER:duration} %{IP:client}
Optionally you can add a data type conversion to your grok pattern. By default all semantics are saved as strings. If you wish to convert a semantic’s data type, for example change a string to an integer then suffix it with the target data type. For example ‘%{NUMBER:num:int}` which converts the `num` semantic from a string to an integer. Currently the only supported conversions are `int` and `float`.
.Examples:
With that idea of a syntax and semantic, we can pull out useful fields from a sample log like this fictional http request log:
- source,ruby
-
55.3.244.1 GET /index.html 15824 0.043
The pattern for this could be:
- source,ruby
-
%{IP:client} %{WORD:method} %{URIPATHPARAM:request} %{NUMBER:bytes} %{NUMBER:duration}
A more realistic example, let’s read these logs from a file:
- source,ruby
-
input {
file { path => "/var/log/http.log" }
} filter {
grok { match => { "message" => "%{IP:client} %{WORD:method} %{URIPATHPARAM:request} %{NUMBER:bytes} %{NUMBER:duration}" } }
}
After the grok filter, the event will have a few extra fields in it:
-
‘client: 55.3.244.1`
-
‘method: GET`
-
‘request: /index.html`
-
‘bytes: 15824`
-
‘duration: 0.043`
Regular Expressions¶ ↑
Grok
sits on top of regular expressions, so any regular expressions are valid in grok as well. The regular expression library is Oniguruma, and you can see the full supported regexp syntax github.com/kkos/oniguruma/blob/master/doc/RE[on the Oniguruma site].Custom Patterns¶ ↑
Sometimes logstash doesn’t have a pattern you need. For this, you have a few options.
First, you can use the Oniguruma syntax for named capture which will let you match a piece of text and save it as a field:
- source,ruby
-
(?<field_name>the pattern here)
For example, postfix logs have a ‘queue id` that is an 10 or 11-character hexadecimal value. I can capture that easily like this:
- source,ruby
-
(?<queue_id>{10,11})
Alternately, you can create a custom patterns file.
-
Create a directory called ‘patterns` with a file in it called `extra` (the file name doesn’t matter, but name it meaningfully for yourself)
-
In that file, write the pattern you need as the pattern name, a space, then the regexp for that pattern.
For example, doing the postfix queue id example as above:
- source,ruby
-
# contents of ./patterns/postfix: POSTFIX_QUEUEID [0-9A-F]{10,11}
Then use the ‘patterns_dir` setting in this plugin to tell logstash where your custom patterns directory is. Here’s a full example with a sample log:
- source,ruby
-
Jan 1 06:25:43 mailserver14 postfix/cleanup: BEF25A72965: message-id=<20130101142543.5828399CCAF@mailserver14.example.com>
- source,ruby
-
filter {
grok { patterns_dir => ["./patterns"] match => { "message" => "%{SYSLOGBASE} %{POSTFIX_QUEUEID:queue_id}: %{GREEDYDATA:syslog_message}" } }
}
The above will match and result in the following fields:
-
‘timestamp: Jan 1 06:25:43`
-
‘logsource: mailserver14`
-
‘program: postfix/cleanup`
-
‘pid: 21403`
-
‘queue_id: BEF25A72965`
-
‘syslog_message: message-id=<20130101142543.5828399CCAF@mailserver14.example.com>`
The ‘timestamp`, `logsource`, `program`, and `pid` fields come from the `SYSLOGBASE` pattern which itself is defined by other patterns.
Another option is to define patterns inline in the filter using ‘pattern_definitions`. This is mostly for convenience and allows user to define a pattern which can be used just in that filter. This newly defined patterns in `pattern_definitions` will not be available outside of that particular `grok` filter.
Public Instance Methods
# File lib/logstash/filters/grok.rb, line 322 def close end
# File lib/logstash/filters/grok.rb, line 295 def filter(event) matched = false @logger.debug? && @logger.debug("Running grok filter", :event => event.to_hash) @patterns.each do |field, groks| if match(groks, field, event) matched = true break if @break_on_match end end if matched @match_counter.increment(1) filter_matched(event) else @failure_counter.increment(1) @tag_on_failure.each {|tag| event.tag(tag)} end @logger.debug? && @logger.debug("Event now: ", :event => event.to_hash) rescue GrokTimeoutException => e @logger.warn(e.message) metric.increment(:timeouts) event.tag(@tag_on_timeout) end
# File lib/logstash/filters/grok.rb, line 418 def handle(field, value, event) return if (value.nil? || (value.is_a?(String) && value.empty?)) unless @keep_empty_captures target_field = @target ? "#{@target}[#{field}]" : field if @overwrite.include?(field) event.set(target_field, value) else v = event.get(target_field) if v.nil? event.set(target_field, value) elsif v.is_a?(Array) # do not replace the code below with: # event[field] << value # this assumes implementation specific feature of returning a mutable object # from a field ref which should not be assumed and will change in the future. v << value event.set(target_field, v) elsif v.is_a?(String) # Promote to array since we aren't overwriting. event.set(target_field, [v, value]) else @logger.debug("Not adding matched value - found existing (#{v.class})", :field => target_field, :value => value) end end end
# File lib/logstash/filters/grok.rb, line 255 def register # a cache of capture name handler methods. @handlers = {} @patternfiles = [] # Have (default) patterns_path show first. Last-in pattern definitions wins # this will let folks redefine built-in patterns at runtime @patternfiles += patterns_files_from_paths(patterns_path, "*") @patternfiles += patterns_files_from_paths(@patterns_dir, @patterns_files_glob) @patterns = Hash.new { |h,k| h[k] = [] } @logger.debug("Match data", :match => @match) @metric_match_fields = metric.namespace(:patterns_per_field) @match.each do |field, patterns| patterns = [patterns] if patterns.is_a?(String) @metric_match_fields.gauge(field, patterns.length) @logger.trace? && @logger.trace("Grok compile", :field => field, :patterns => patterns) patterns.each do |pattern| @logger.debug? && @logger.debug("regexp: #{@type}/#{field}", :pattern => pattern) grok = Grok.new grok.logger = @logger add_patterns_from_files(@patternfiles, grok) add_patterns_from_inline_definition(@pattern_definitions, grok) grok.compile(pattern, @named_captures_only) @patterns[field] << grok end end # @match.each @match_counter = metric.counter(:matches) @failure_counter = metric.counter(:failures) @target = "[#{@target.strip}]" if @target && @target !~ /\[.*?\]/ @timeout = @timeout_millis > 0.0 ? RubyTimeout.new(@timeout_millis) : NoopTimeout::INSTANCE @matcher = ( @timeout_scope.eql?('event') ? EventTimeoutMatcher : PatternTimeoutMatcher ).new(self) end
# File lib/logstash/filters/grok.rb, line 506 def with_timeout(context, &block) @timeout.exec(&block) rescue TimeoutError => error handle_timeout(context, error) end
Private Instance Methods
# File lib/logstash/filters/grok.rb, line 466 def add_patterns_from_files(paths, grok) paths.each do |path| if !File.exists?(path) raise "Grok pattern file does not exist: #{path}" end grok.add_patterns_from_file(path) end end
# File lib/logstash/filters/grok.rb, line 475 def add_patterns_from_inline_definition(pattern_definitions, grok) pattern_definitions.each do |name, pattern| next if pattern.nil? grok.add_pattern(name, pattern.chomp) end end
# File lib/logstash/filters/grok.rb, line 513 def handle_timeout(context, error) raise GrokTimeoutException.new(context.grok, context.field, context.input) end
# File lib/logstash/filters/grok.rb, line 348 def match(groks, field, event) input = event.get(field) if input.is_a?(Array) success = false input.each do |input| success |= match_against_groks(groks, field, input, event) end return success else match_against_groks(groks, field, input, event) end rescue StandardError => e @logger.warn("Grok regexp threw exception", :message => e.message, :exception => e.class, :backtrace => e.backtrace) return false end
# File lib/logstash/filters/grok.rb, line 364 def match_against_groks(groks, field, input, event) # Convert anything else to string (number, hash, etc) context = GrokContext.new(field, input.to_s) @matcher.match(context, groks, event, @break_on_match) end
# File lib/logstash/filters/grok.rb, line 446 def patterns_files_from_paths(paths, glob) patternfiles = [] @logger.debug("Grok patterns path", :paths => paths) paths.each do |path| if File.directory?(path) path = File.join(path, glob) end Dir.glob(path).each do |file| @logger.trace("Grok loading patterns from file", :path => file) if File.directory?(file) @logger.debug("Skipping path because it is a directory", :path => file) else patternfiles << file end end end patternfiles end
The default pattern paths, depending on environment.
# File lib/logstash/filters/grok.rb, line 328 def patterns_path patterns_path = [] case ecs_compatibility when :disabled patterns_path << LogStash::Patterns::Core.path # :legacy when :v1 patterns_path << LogStash::Patterns::Core.path('ecs-v1') when :v8 @logger.warn("ECS v8 support is a preview of the unreleased ECS v8, and uses the v1 patterns. When Version 8 of the Elastic Common Schema becomes available, this plugin will need to be updated") patterns_path << LogStash::Patterns::Core.path('ecs-v1') else fail(NotImplementedError, "ECS #{ecs_compatibility} is not supported by this plugin.") end # allow plugin to be instantiated outside the LS environment (in tests) if defined? LogStash::Environment.pattern_path patterns_path << LogStash::Environment.pattern_path("*") end patterns_path end