Class: LogStash::Codecs::Collectd

Inherits:
Base
  • Object
show all
Defined in:
lib/logstash/codecs/collectd.rb

Overview

Read events from the collectd binary protocol over the network via udp. See collectd.org/wiki/index.php/Binary_protocol

Configuration in your Logstash configuration file can be as simple as:

source,ruby

input {

udp {
  port => 25826
  buffer_size => 1452
  codec => collectd { }
}

}

A sample ‘collectd.conf` to send to Logstash might be:

source,xml

Hostname “host.example.com” LoadPlugin interface LoadPlugin load LoadPlugin memory LoadPlugin network <Plugin interface>

Interface "eth0"
IgnoreSelected false

</Plugin> <Plugin network>

<Server "10.0.0.1" "25826">
</Server>

</Plugin>

Be sure to replace ‘10.0.0.1` with the IP of your Logstash instance.

Constant Summary collapse

AUTHFILEREGEX =
/([^:]+): (.+)/
PLUGIN_TYPE =
2
COLLECTD_TYPE =
4
SIGNATURE_TYPE =
512
ENCRYPTION_TYPE =
528
TYPEMAP =
{
  0               => "host",
  1               => "@timestamp",
  PLUGIN_TYPE     => "plugin",
  3               => "plugin_instance",
  COLLECTD_TYPE   => "collectd_type",
  5               => "type_instance",
  6               => "values",
  7               => "interval",
  8               => "@timestamp",
  9               => "interval",
  256             => "message",
  257             => "severity",
  SIGNATURE_TYPE  => "signature",
  ENCRYPTION_TYPE => "encryption"
}
PLUGIN_TYPE_FIELDS =
{
  'host' => true,
  '@timestamp' => true,
  'type_instance' => true,
}
COLLECTD_TYPE_FIELDS =
{
  'host' => true,
  '@timestamp' => true,
  'plugin' => true,
  'plugin_instance' => true,
  'type_instance' => true,
}
INTERVAL_VALUES_FIELDS =
{
  "interval" => true,
  "values" => true,
}
INTERVAL_BASE_FIELDS =
{
  'host' => true,
  'collectd_type' => true,
  'plugin' => true,
  'plugin_instance' => true,
  '@timestamp' => true,
  'type_instance' => true,
}
INTERVAL_TYPES =
{
  7 => true,
  9 => true,
}
SECURITY_NONE =
"None"
SECURITY_SIGN =
"Sign"
SECURITY_ENCR =
"Encrypt"

Instance Method Summary collapse

Instance Method Details

#decode(payload) ⇒ Object



387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
# File 'lib/logstash/codecs/collectd.rb', line 387

def decode(payload)
  payload = payload.bytes.to_a

  collectd = {}
  was_encrypted = false

  while payload.length > 0 do
    typenum = (payload.slice!(0) << 8) + payload.slice!(0)
    # Get the length of the data in this part, but take into account that
    # the header is 4 bytes
    length  = ((payload.slice!(0) << 8) + payload.slice!(0)) - 4
    # Validate that the part length is correct
    raise(HeaderError) if length > payload.length

    body = payload.slice!(0..length-1)

    field = TYPEMAP[typenum]
    if field.nil?
      @logger.warn("Unknown typenumber: #{typenum}")
      next
    end

    values, drop, add_nan_tag = get_values(typenum, body)

    case typenum
    when SIGNATURE_TYPE
      raise(EncryptionError) unless verify_signature(values[0], values[1], payload)
      next
    when ENCRYPTION_TYPE
      payload = decrypt_packet(values[0], values[1], values[2])
      raise(EncryptionError) if payload.empty?
      was_encrypted = true
      next
    when PLUGIN_TYPE
      # We've reached a new plugin, delete everything except for the the host
      # field, because there's only one per packet and the timestamp field,
      # because that one goes in front of the plugin
      collectd.each_key do |k|
        collectd.delete(k) unless PLUGIN_TYPE_FIELDS.has_key?(k)
      end
    when COLLECTD_TYPE
      # We've reached a new type within the plugin section, delete all fields
      # that could have something to do with the previous type (if any)
      collectd.each_key do |k|
        collectd.delete(k) unless COLLECTD_TYPE_FIELDS.has_key?(k)
      end
    end

    raise(EncryptionError) if !was_encrypted and @security_level == SECURITY_ENCR

    # Fill in the fields.
    if values.is_a?(Array)
      if values.length > 1              # Only do this iteration on multi-value arrays
        values.each_with_index do |value, x|
          begin
            type = collectd['collectd_type']
            key = @types[type]
            key_x = key[x]
            # assign
            collectd[key_x] = value
          rescue
            @logger.error("Invalid value for type=#{type.inspect}, key=#{@types[type].inspect}, index=#{x}")
          end
        end
      else                              # Otherwise it's a single value
        collectd['value'] = values[0]      # So name it 'value' accordingly
      end
    elsif field != nil                  # Not an array, make sure it's non-empty
      collectd[field] = values            # Append values to collectd under key field
    end

    if INTERVAL_VALUES_FIELDS.has_key?(field)
      if ((@prune_intervals && !INTERVAL_TYPES.has_key?(typenum)) || !@prune_intervals)
        # Prune these *specific* keys if they exist and are empty.
        # This is better than looping over all keys every time.
        collectd.delete('type_instance') if collectd['type_instance'] == ""
        collectd.delete('plugin_instance') if collectd['plugin_instance'] == ""
        if add_nan_tag
          collectd['tags'] ||= []
          collectd['tags'] << @nan_tag
        end
        # This ugly little shallow-copy hack keeps the new event from getting munged by the cleanup
        # With pass-by-reference we get hosed (if we pass collectd, then clean it up rapidly, values can disappear)
        if !drop # Drop the event if it's flagged true
          yield LogStash::Event.new(collectd.dup)
        else
          raise(NaNError)
        end
      end
      # Clean up the event
      collectd.each_key do |k|
        collectd.delete(k) if !INTERVAL_BASE_FIELDS.has_key?(k)
      end
    end
  end # while payload.length > 0 do
rescue EncryptionError, ProtocolError, HeaderError, NaNError
  # basically do nothing, we just want out
end

#get_types(paths) ⇒ Object



172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
# File 'lib/logstash/codecs/collectd.rb', line 172

def get_types(paths)
  types = {}
  # Get the typesdb
  paths = Array(paths) # Make sure a single path is still forced into an array type
  paths.each do |path|
    @logger.info("Getting Collectd typesdb info", :typesdb => path.to_s)
    File.open(path, 'r').each_line do |line|
      typename, *line = line.strip.split
      @logger.debug("typename", :typename => typename.to_s)
      next if typename.nil? || typename[0,1] == '#'
      types[typename] = line.collect { |l| l.strip.split(":")[0] }
    end
  end
  @logger.debug("Collectd Types", :types => types.to_s)
  return types
end

#get_values(id, body) ⇒ Object



294
295
296
297
298
299
300
301
302
303
304
# File 'lib/logstash/codecs/collectd.rb', line 294

def get_values(id, body)
  drop = false
  add_tag = false
  if id == 6
    retval, drop, add_nan_tag = @id_decoder[id].call(body)
  # Use hash + closure/lambda to speed operations
  else
    retval = @id_decoder[id].call(body)
  end
  return retval, drop, add_nan_tag
end

#init_lambdas!Object

def get_types



189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
# File 'lib/logstash/codecs/collectd.rb', line 189

def init_lambdas!
  # Lambdas for hash + closure methodology
  # This replaces when statements for fixed values and is much faster
  string_decoder  = lambda { |body| body.pack("C*")[0..-2] }
  numeric_decoder = lambda { |body| body.slice!(0..7).pack("C*").unpack("E")[0] }
  counter_decoder = lambda { |body| body.slice!(0..7).pack("C*").unpack("Q>")[0] }
  gauge_decoder   = lambda { |body| body.slice!(0..7).pack("C*").unpack("E")[0] }
  derive_decoder  = lambda { |body| body.slice!(0..7).pack("C*").unpack("q>")[0] }
  # For Low-Resolution time
  time_decoder = lambda do |body|
    byte1, byte2 = body.pack("C*").unpack("NN")
    Time.at(( ((byte1 << 32) + byte2))).utc
  end
  # Hi-Resolution time
  hirestime_decoder = lambda do |body|
    byte1, byte2 = body.pack("C*").unpack("NN")
    Time.at(( ((byte1 << 32) + byte2) * (2**-30) )).utc
  end
  # Hi resolution intervals
  hiresinterval_decoder = lambda do |body|
    byte1, byte2 = body.pack("C*").unpack("NN")
    Time.at(( ((byte1 << 32) + byte2) * (2**-30) )).to_i
  end
  # Value type decoder
  value_type_decoder = lambda do |body|
    body.slice!(0..1)       # Prune the header
    if body.length % 9 == 0 # Should be 9 fields
      count = 0
      retval = []
      # Iterate through and take a slice each time
      types = body.slice!(0..((body.length/9)-1))
      while body.length > 0
        # Use another hash + closure here...
        v = @values_decoder[types[count]].call(body)
        if types[count] == 1 && v.nan?
          case @nan_handling
          when 'drop'; drop = true
          else
            v = @nan_value
            add_nan_tag = true
            @nan_handling == 'warn' && @logger.warn("NaN replaced by #{@nan_value}")
          end
        end
        retval << v
        count += 1
      end
    else
      @logger.error("Incorrect number of data fields for collectd record", :body => body.to_s)
    end
    return retval, drop, add_nan_tag
  end
  # Signature
  signature_decoder = lambda do |body|
    if body.length < 32
      @logger.warning("SHA256 signature too small (got #{body.length} bytes instead of 32)")
    elsif body.length < 33
      @logger.warning("Received signature without username")
    else
      retval = []
      # Byte 32 till the end contains the username as chars (=unsigned ints)
      retval << body[32..-1].pack('C*')
      # Byte 0 till 31 contain the signature
      retval << body[0..31].pack('C*')
    end
    return retval
  end
  # Encryption
  encryption_decoder = lambda do |body|
    retval = []
    user_length = (body.slice!(0) << 8) + body.slice!(0)
    retval << body.slice!(0..user_length-1).pack('C*') # Username
    retval << body.slice!(0..15).pack('C*')            # IV
    retval << body.pack('C*')
    return retval
  end
  @id_decoder = {
    0 => string_decoder,
    1 => time_decoder,
    2 => string_decoder,
    3 => string_decoder,
    4 => string_decoder,
    5 => string_decoder,
    6 => value_type_decoder,
    7 => numeric_decoder,
    8 => hirestime_decoder,
    9 => hiresinterval_decoder,
    256 => string_decoder,
    257 => numeric_decoder,
    512 => signature_decoder,
    528 => encryption_decoder
  }
  # TYPE VALUES:
  # 0: COUNTER
  # 1: GAUGE
  # 2: DERIVE
  # 3: ABSOLUTE
  @values_decoder = {
    0 => counter_decoder,
    1 => gauge_decoder,
    2 => derive_decoder,
    3 => counter_decoder
  }
end

#registerObject



144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
# File 'lib/logstash/codecs/collectd.rb', line 144

def register
  @logger.info("Starting Collectd codec...")
  init_lambdas!
  if @typesdb.nil?
    @typesdb = ::File.expand_path('../../../vendor/types.db', ::File.dirname(__FILE__))
    if !File.exists?(@typesdb)
      raise "You must specify 'typesdb => ...' in your collectd input (I looked for '#{@typesdb}')"
    end
    @logger.info("Using types.db", :typesdb => @typesdb.to_s)
  end
  @types = get_types(@typesdb)

  if ([SECURITY_SIGN, SECURITY_ENCR].include?(@security_level))
    if @authfile.nil?
      raise "Security level is set to #{@security_level}, but no authfile was configured"
    else
      # Load OpenSSL and instantiate Digest and Crypto functions
      require 'openssl'
      @sha256 = OpenSSL::Digest::Digest.new('sha256')
      @sha1 = OpenSSL::Digest::Digest.new('sha1')
      @cipher = OpenSSL::Cipher.new('AES-256-OFB')
      @auth = {}
      parse_authfile
    end
  end
end