/usr/lib/python2.7/dist-packages/broccoli.py is in python-broccoli 0.62-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 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 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 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 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 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 | import sys
import socket
import struct
from types import FunctionType
from broccoli_intern import *
if sys.version_info[0] == 3:
using_py3 = True
else:
using_py3 = False
bro_init(None)
##### Connection class which capsulates a Broccoli connection.
class Connection:
# Connection to destination given as string "host:port"
def __init__(self, destination, broclass="", flags=BRO_CFLAG_RECONNECT | BRO_CFLAG_ALWAYS_QUEUE, connect=True):
self.bc = bro_conn_new_str(destination, flags)
self.destination = destination
if not self.bc:
raise IOError("cannot init Broccoli connection handle")
self._registerHandlers()
if broclass:
bro_conn_set_class(self.bc, broclass)
if connect:
self.connect();
# If the instance was created with connect=False, this will trigger the connect.
def connect(self):
if not bro_conn_connect(self.bc):
raise IOError("cannot connect to %s" % self.destination)
# Hand control to Broccoli's I/O loop.
# Returns true if the send queue is non-empty.
def processInput(self):
bro_conn_process_input(self.bc);
return bro_event_queue_length(self.bc) > 0
def connAlive(self):
if bro_conn_alive(self.bc) == 1:
return True
return False
def connDelete(self):
return bro_conn_delete(self.bc)
# Send an event of name with args.
def send(self, name, *args):
ev = bro_event_new(name)
for arg in args:
bro_event_add_val(ev, _getInternalVal(arg))
bro_event_send(self.bc, ev);
bro_event_free(ev);
self.processInput()
# Explicit subscribe
def subscribe(self, event_name, callback):
ev = event(callback)
bro_event_registry_add_compact(self.bc, event_name, ev);
# Register all decorated event callbacks.
def _registerHandlers(self):
for ev in _Events:
bro_event_registry_add_compact(self.bc, ev.__name__, ev);
##### Wrapped helper functions.
def current_time():
return bro_util_current_time()
##### Decorator @event(val-type1, val-type2, val-type3, ...)
# List of all functions declared with the @event decorator
# (more precisely, list of all of their wrappers; see below).
_Events = []
def event(*types):
# We wrap the event callback into a function which turns the 2-tuples (type,val)
# that we get from the C layer into the corresponding Python object.
def make_wrapper(func):
def wrapped_f(*args):
new_args = []
ptypes = types
if not ptypes:
# Allow omitting types.
ptypes = [None] *len(args)
for (arg, type) in zip(args, ptypes):
# Split the 2-tuples passed to us by the C layer.
(btype, val) = arg
# Create an instance of the corresponding Python type.
new_args += [instantiate(btype, val, type)]
# Finally call the callback.
return func(*new_args);
# Pretend the wrapper has the name of the actual callback (rather than "wrapped_f" ...)
wrapped_f.__name__ = func.__name__
# Add the wrapped function to the list of events handlers.
global _Events
_Events += [wrapped_f]
return wrapped_f
# Allow @event instead of @event()
if len(types) == 1 and type(types[0]) == FunctionType:
func = types[0]
types = ()
return make_wrapper(func)
else:
return make_wrapper
##### Data types
# For those Bro types which do not direcly correspond to Python type, we create
# wrapper classes. For those which do (int, float), we use the Python type directly.
# Base class for our wrapper classes.
# For atomic types, the classes here act as both type and instances. For non-atomic
# types (i.e., records) we define separate type and instance classes below.
class Val:
# Type is the Bro type BRO_TYPE_*.
# Val is representation of the Val in a standard Python type.
def __init__(self, type, val):
self.type = type
self.val = val
self.__class__._bro_type = type # Doing it once would be sufficient.
def __str__(self):
return str(self.val)
# Convert value into a 2-tuple (type, val) as expected by the C layer.
def internalVal(self):
return (self.type, self.val)
class count(Val):
def __init__(self, val):
Val.__init__(self, BRO_TYPE_COUNT, int(val))
@staticmethod
def _factory(val, dst_type):
v = count(val)
if dst_type == int or not dst_type:
return v.val
_typeCheck(dst_type, count)
return v
class interval(Val):
def __init__(self, val):
Val.__init__(self, BRO_TYPE_INTERVAL, float(val))
@staticmethod
def _factory(val, dst_type):
v = interval(val)
if dst_type == float or not dst_type:
return v.val
_typeCheck(dst_type, interval)
return v
class time(Val):
def __init__(self, val):
Val.__init__(self, BRO_TYPE_TIME, float(val))
@staticmethod
def _factory(val, dst_type):
v = time(val)
if dst_type == float or not dst_type:
return v.val
_typeCheck(dst_type, time)
return v
class port(Val):
protos_by_name = { "tcp": 6, "udp": 17, "icmp": 1 }
protos_by_num = { 6: "tcp", 17: "udp", 1: "icmp" }
def __init__(self, str=None, internal=None):
v = internal and internal or self._parse(str)
Val.__init__(self, BRO_TYPE_PORT, v)
def __str__(self):
(port, proto) = self.val
try:
return "%d/%s" % (port, self.protos_by_num[proto])
except IndexError:
return "%s/unknown" % port
@staticmethod
def _factory(val, dst_type):
v = port(internal=val)
if dst_type == str or not dst_type:
return str(v)
if dst_type == int:
return v[0]
_typeCheck(dst_type, port)
return v
def _parse(self, str):
(port, proto) = str.split("/")
try:
return (int(port), self.protos_by_name[proto.lower()])
except (IndexError, ValueError):
return (0, 0)
class addr(Val):
def __init__(self, str=None, internal=None):
v = internal and internal or self._parse(str)
Val.__init__(self, BRO_TYPE_IPADDR, v)
def __str__(self):
return _addrTupleToString(self.val)
@staticmethod
def _factory(val, dst_type):
v = addr(internal=val)
if dst_type == str or not dst_type:
return str(v)
_typeCheck(dst_type, addr)
return v
def _parse(self, str):
return _addrStringToTuple(str)
class subnet(Val):
def __init__(self, str=None, internal=None):
v = internal and internal or self._parse(str)
Val.__init__(self, BRO_TYPE_SUBNET, v)
def __str__(self):
(net, mask) = self.val
return "%s/%d" % (_addrTupleToString(net), mask)
@staticmethod
def _factory(val, dst_type):
v = subnet(internal=val)
if dst_type == str or not dst_type:
return str(v)
_typeCheck(dst_type, subnet)
return v
def _parse(self, str):
(net, mask) = str.split("/")
return (_addrStringToTuple(net), int(mask))
# Not supported at this point since Broccoli seems to have problems with
# enums. Also need to write parse functions.
class enum(Val):
def __init__(self, str=None, internal=None):
v = internal and internal or self._parse(str)
Val.__init__(self, BRO_TYPE_ENUM, v)
def __str__(self):
return "XXXX" # FIXME
@staticmethod
def _factory(val, dst_type):
v = enum(internal=val)
_typeCheck(dst_type, enum)
return v
def _parse(self, str):
return 0 # FIXME
# Helper class for unset values.
class unknown(Val):
def __init__(self):
Val.__init__(self, BRO_TYPE_UNKNOWN, None)
# Type class for records, which maps field names to indices.
# E.g., conn_id = record_type("orig_h", "orig_p", "resp_h", "resp_p")
class record_type:
def __init__(self, *fields):
self.fields = fields
@classmethod
def _factory(self, vals, dst_type):
# FIXME: Add _typeCheck(),
# FIXME: For recursive records we'd need to pass the right record type
# here instead of none, which we don't have. How to do that?
# Init the field values.
vals = [instantiate(btype, val, None) for (btype, val) in vals]
return record(dst_type, vals)
# Class for record instances.
class record(Val):
def __init__(self, type, vals = None):
Val.__init__(self, BRO_TYPE_RECORD, {})
# Save the record's type.
self._type = type
if not vals:
# Use Nones if we didn't get any values.
vals = [None] * len(type.fields)
# Initialize record fields.
for (key, val) in zip(type.fields, vals):
self.val[key] = val
def internalVal(self):
vals = []
for f in self._type.fields:
v = self.val.get(f, None)
if v != None:
vals.append( (f, _getInternalVal(v)) )
return (BRO_TYPE_RECORD, vals)
# Provide attribute access via "val.attr".
def __getattr__(self, key):
if "_type" in self.__dict__ and key in self._type.fields:
return self.val[key]
raise AttributeError
def __setattr__(self, key, val):
try:
if key in self._type.fields:
self.val[key] = val
return
except AttributeError:
pass
# FIXME: Check that key is defined in type.
self.__dict__[key] = val
# Helper to convert a tuple of network-byte-order IP address to a string.
def _addrTupleToString(a):
if len(a) == 1:
return socket.inet_ntop(socket.AF_INET, struct.pack('=L', a[0]));
else:
return socket.inet_ntop(socket.AF_INET6, struct.pack('=4L', a[0], a[1], a[2], a[3]))
# Helper to convert an IPv4/IPv6 address string into a network-byte-order tuple.
def _addrStringToTuple(s):
if ':' in s:
return struct.unpack('=4L', socket.inet_pton(socket.AF_INET6, s))
else:
return struct.unpack('=L', socket.inet_pton(socket.AF_INET, s))
# Helper to check whether two Python types match.
def _typeCheck(type1, type2):
def typeToBro(type):
# Do the Python types manually.
if type == int:
return BRO_TYPE_INT;
if type == bool:
return BRO_TYPE_BOOL;
if type == float:
return BRO_TYPE_DOUBLE;
if type == str:
return BRO_TYPE_STRING;
return type._bro_type
if type1 and type2 and typeToBro(type1) != typeToBro(type2):
raise TypeError
# Helper to create the 2-tuple val.
def _getInternalVal(arg):
if arg == None:
raise ValueError("uninitialized event argument")
if type(arg) == int:
return (BRO_TYPE_INT, arg)
elif type(arg) == bool:
return (BRO_TYPE_BOOL, arg)
elif type(arg) == str:
return(BRO_TYPE_STRING, arg)
elif type(arg) == float:
return(BRO_TYPE_DOUBLE, arg)
else:
return arg.internalVal()
# Factories for Python internal types.
def _long_factory(val, dst_type):
if using_py3:
return int(val)
else:
return long(val)
def _bool_factory(val, dst_type):
return bool(val)
def _string_factory(val, dst_type):
return str(val)
def _float_factory(val, dst_type):
return float(val)
string = str
double = float
# Table of factories for all supported types so that we can dynamically
# instantiate them.
_Factories = {
BRO_TYPE_INT: _long_factory,
BRO_TYPE_BOOL: _bool_factory,
BRO_TYPE_COUNT: count._factory,
BRO_TYPE_TIME: time._factory,
BRO_TYPE_INTERVAL: interval._factory,
BRO_TYPE_DOUBLE: _float_factory,
BRO_TYPE_STRING: _string_factory,
BRO_TYPE_PORT: port._factory,
BRO_TYPE_IPADDR: addr._factory,
BRO_TYPE_SUBNET: subnet._factory,
BRO_TYPE_ENUM: enum._factory,
BRO_TYPE_RECORD: record_type._factory,
}
def instantiate(src_type, val, dst_type):
return _Factories[src_type](val, dst_type)
|