Update SCO stuff to WD 05
parent
dee2f1f60c
commit
ec55463398
|
@ -3,10 +3,13 @@
|
||||||
import collections
|
import collections
|
||||||
import copy
|
import copy
|
||||||
import datetime as dt
|
import datetime as dt
|
||||||
|
import uuid
|
||||||
|
|
||||||
import simplejson as json
|
import simplejson as json
|
||||||
import six
|
import six
|
||||||
|
|
||||||
|
from stix2.org.webpki.json.Canonicalize import canonicalize
|
||||||
|
|
||||||
from .exceptions import (
|
from .exceptions import (
|
||||||
AtLeastOnePropertyError, CustomContentError, DependentPropertiesError,
|
AtLeastOnePropertyError, CustomContentError, DependentPropertiesError,
|
||||||
ExtraPropertiesError, ImmutableError, InvalidObjRefError,
|
ExtraPropertiesError, ImmutableError, InvalidObjRefError,
|
||||||
|
@ -309,6 +312,11 @@ class _Observable(_STIXBase):
|
||||||
self.__allow_custom = kwargs.get('allow_custom', False)
|
self.__allow_custom = kwargs.get('allow_custom', False)
|
||||||
self._properties['extensions'].allow_custom = kwargs.get('allow_custom', False)
|
self._properties['extensions'].allow_custom = kwargs.get('allow_custom', False)
|
||||||
|
|
||||||
|
if 'id' not in kwargs:
|
||||||
|
possible_id = self._generate_id(kwargs)
|
||||||
|
if possible_id is not None:
|
||||||
|
kwargs['id'] = possible_id
|
||||||
|
|
||||||
super(_Observable, self).__init__(**kwargs)
|
super(_Observable, self).__init__(**kwargs)
|
||||||
|
|
||||||
def _check_ref(self, ref, prop, prop_name):
|
def _check_ref(self, ref, prop, prop_name):
|
||||||
|
@ -347,6 +355,45 @@ class _Observable(_STIXBase):
|
||||||
for ref in kwargs[prop_name]:
|
for ref in kwargs[prop_name]:
|
||||||
self._check_ref(ref, prop, prop_name)
|
self._check_ref(ref, prop, prop_name)
|
||||||
|
|
||||||
|
def _generate_id(self, kwargs):
|
||||||
|
required_prefix = self._type + "--"
|
||||||
|
namespace = uuid.UUID("00abedb4-aa42-466c-9c01-fed23315a9b7")
|
||||||
|
|
||||||
|
properties_to_use = self._id_contributing_properties
|
||||||
|
if properties_to_use:
|
||||||
|
streamlined_object = {}
|
||||||
|
if "hashes" in kwargs and "hashes" in properties_to_use:
|
||||||
|
possible_hash = self._choose_one_hash(kwargs["hashes"])
|
||||||
|
if possible_hash:
|
||||||
|
streamlined_object["hashes"] = possible_hash
|
||||||
|
for key in kwargs.keys():
|
||||||
|
if key in properties_to_use and key != "hashes":
|
||||||
|
streamlined_object[key] = kwargs[key]
|
||||||
|
|
||||||
|
if streamlined_object:
|
||||||
|
data = canonicalize(streamlined_object)
|
||||||
|
else:
|
||||||
|
return None
|
||||||
|
|
||||||
|
return required_prefix + str(uuid.uuid5(namespace, str(data)))
|
||||||
|
else:
|
||||||
|
return None
|
||||||
|
|
||||||
|
def _choose_one_hash(self, hash_dict):
|
||||||
|
if "MD5" in hash_dict:
|
||||||
|
return {"MD5": hash_dict["MD5"]}
|
||||||
|
elif "SHA-1" in hash_dict:
|
||||||
|
return {"SHA-1": hash_dict["SHA-1"]}
|
||||||
|
elif "SHA-256" in hash_dict:
|
||||||
|
return {"SHA-256": hash_dict["SHA-256"]}
|
||||||
|
elif "SHA-512" in hash_dict:
|
||||||
|
return {"SHA-512": hash_dict["SHA-512"]}
|
||||||
|
else:
|
||||||
|
# Cheesy way to pick the first item in the dictionary, since its not indexable
|
||||||
|
for (k, v) in hash_dict.items():
|
||||||
|
break
|
||||||
|
return {k: v}
|
||||||
|
|
||||||
|
|
||||||
class _Extension(_STIXBase):
|
class _Extension(_STIXBase):
|
||||||
|
|
||||||
|
|
|
@ -0,0 +1,503 @@
|
||||||
|
##############################################################################
|
||||||
|
# #
|
||||||
|
# Copyright 2006-2019 WebPKI.org (http://webpki.org). #
|
||||||
|
# #
|
||||||
|
# Licensed under the Apache License, Version 2.0 (the "License"); #
|
||||||
|
# you may not use this file except in compliance with the License. #
|
||||||
|
# You may obtain a copy of the License at #
|
||||||
|
# #
|
||||||
|
# https://www.apache.org/licenses/LICENSE-2.0 #
|
||||||
|
# #
|
||||||
|
# Unless required by applicable law or agreed to in writing, software #
|
||||||
|
# distributed under the License is distributed on an "AS IS" BASIS, #
|
||||||
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. #
|
||||||
|
# See the License for the specific language governing permissions and #
|
||||||
|
# limitations under the License. #
|
||||||
|
# #
|
||||||
|
##############################################################################
|
||||||
|
|
||||||
|
#################################################
|
||||||
|
# JCS compatible JSON serializer for Python 3.x #
|
||||||
|
#################################################
|
||||||
|
|
||||||
|
# This file has been modified to be compatible with Python 2.x as well
|
||||||
|
|
||||||
|
import re
|
||||||
|
|
||||||
|
from stix2.org.webpki.json.NumberToJson import convert2Es6Format
|
||||||
|
|
||||||
|
try:
|
||||||
|
from _json import encode_basestring_ascii as c_encode_basestring_ascii
|
||||||
|
except ImportError:
|
||||||
|
c_encode_basestring_ascii = None
|
||||||
|
try:
|
||||||
|
from _json import encode_basestring as c_encode_basestring
|
||||||
|
except ImportError:
|
||||||
|
c_encode_basestring = None
|
||||||
|
try:
|
||||||
|
from _json import make_encoder as c_make_encoder
|
||||||
|
except ImportError:
|
||||||
|
c_make_encoder = None
|
||||||
|
|
||||||
|
ESCAPE = re.compile(r'[\x00-\x1f\\"\b\f\n\r\t]')
|
||||||
|
ESCAPE_ASCII = re.compile(r'([\\"]|[^\ -~])')
|
||||||
|
HAS_UTF8 = re.compile(b'[\x80-\xff]')
|
||||||
|
ESCAPE_DCT = {
|
||||||
|
'\\': '\\\\',
|
||||||
|
'"': '\\"',
|
||||||
|
'\b': '\\b',
|
||||||
|
'\f': '\\f',
|
||||||
|
'\n': '\\n',
|
||||||
|
'\r': '\\r',
|
||||||
|
'\t': '\\t',
|
||||||
|
}
|
||||||
|
for i in range(0x20):
|
||||||
|
ESCAPE_DCT.setdefault(chr(i), '\\u{0:04x}'.format(i))
|
||||||
|
|
||||||
|
INFINITY = float('inf')
|
||||||
|
|
||||||
|
|
||||||
|
def py_encode_basestring(s):
|
||||||
|
"""Return a JSON representation of a Python string
|
||||||
|
|
||||||
|
"""
|
||||||
|
def replace(match):
|
||||||
|
return ESCAPE_DCT[match.group(0)]
|
||||||
|
return '"' + ESCAPE.sub(replace, s) + '"'
|
||||||
|
|
||||||
|
|
||||||
|
encode_basestring = (c_encode_basestring or py_encode_basestring)
|
||||||
|
|
||||||
|
|
||||||
|
def py_encode_basestring_ascii(s):
|
||||||
|
"""Return an ASCII-only JSON representation of a Python string
|
||||||
|
|
||||||
|
"""
|
||||||
|
def replace(match):
|
||||||
|
s = match.group(0)
|
||||||
|
try:
|
||||||
|
return ESCAPE_DCT[s]
|
||||||
|
except KeyError:
|
||||||
|
n = ord(s)
|
||||||
|
if n < 0x10000:
|
||||||
|
return '\\u{0:04x}'.format(n)
|
||||||
|
else:
|
||||||
|
# surrogate pair
|
||||||
|
n -= 0x10000
|
||||||
|
s1 = 0xd800 | ((n >> 10) & 0x3ff)
|
||||||
|
s2 = 0xdc00 | (n & 0x3ff)
|
||||||
|
return '\\u{0:04x}\\u{1:04x}'.format(s1, s2)
|
||||||
|
return '"' + ESCAPE_ASCII.sub(replace, s) + '"'
|
||||||
|
|
||||||
|
|
||||||
|
encode_basestring_ascii = (
|
||||||
|
c_encode_basestring_ascii or py_encode_basestring_ascii
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class JSONEncoder(object):
|
||||||
|
"""Extensible JSON <http://json.org> encoder for Python data structures.
|
||||||
|
|
||||||
|
Supports the following objects and types by default:
|
||||||
|
|
||||||
|
+-------------------+---------------+
|
||||||
|
| Python | JSON |
|
||||||
|
+===================+===============+
|
||||||
|
| dict | object |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| list, tuple | array |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| str | string |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| int, float | number |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| True | true |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| False | false |
|
||||||
|
+-------------------+---------------+
|
||||||
|
| None | null |
|
||||||
|
+-------------------+---------------+
|
||||||
|
|
||||||
|
To extend this to recognize other objects, subclass and implement a
|
||||||
|
``.default()`` method with another method that returns a serializable
|
||||||
|
object for ``o`` if possible, otherwise it should call the superclass
|
||||||
|
implementation (to raise ``TypeError``).
|
||||||
|
|
||||||
|
"""
|
||||||
|
item_separator = ', '
|
||||||
|
key_separator = ': '
|
||||||
|
|
||||||
|
def __init__(
|
||||||
|
self, skipkeys=False, ensure_ascii=False,
|
||||||
|
check_circular=True, allow_nan=True, sort_keys=True,
|
||||||
|
indent=None, separators=(',', ':'), default=None,
|
||||||
|
):
|
||||||
|
"""Constructor for JSONEncoder, with sensible defaults.
|
||||||
|
|
||||||
|
If skipkeys is false, then it is a TypeError to attempt
|
||||||
|
encoding of keys that are not str, int, float or None. If
|
||||||
|
skipkeys is True, such items are simply skipped.
|
||||||
|
|
||||||
|
If ensure_ascii is true, the output is guaranteed to be str
|
||||||
|
objects with all incoming non-ASCII characters escaped. If
|
||||||
|
ensure_ascii is false, the output can contain non-ASCII characters.
|
||||||
|
|
||||||
|
If check_circular is true, then lists, dicts, and custom encoded
|
||||||
|
objects will be checked for circular references during encoding to
|
||||||
|
prevent an infinite recursion (which would cause an OverflowError).
|
||||||
|
Otherwise, no such check takes place.
|
||||||
|
|
||||||
|
If allow_nan is true, then NaN, Infinity, and -Infinity will be
|
||||||
|
encoded as such. This behavior is not JSON specification compliant,
|
||||||
|
but is consistent with most JavaScript based encoders and decoders.
|
||||||
|
Otherwise, it will be a ValueError to encode such floats.
|
||||||
|
|
||||||
|
If sort_keys is true, then the output of dictionaries will be
|
||||||
|
sorted by key; this is useful for regression tests to ensure
|
||||||
|
that JSON serializations can be compared on a day-to-day basis.
|
||||||
|
|
||||||
|
If indent is a non-negative integer, then JSON array
|
||||||
|
elements and object members will be pretty-printed with that
|
||||||
|
indent level. An indent level of 0 will only insert newlines.
|
||||||
|
None is the most compact representation.
|
||||||
|
|
||||||
|
If specified, separators should be an (item_separator, key_separator)
|
||||||
|
tuple. The default is (', ', ': ') if *indent* is ``None`` and
|
||||||
|
(',', ': ') otherwise. To get the most compact JSON representation,
|
||||||
|
you should specify (',', ':') to eliminate whitespace.
|
||||||
|
|
||||||
|
If specified, default is a function that gets called for objects
|
||||||
|
that can't otherwise be serialized. It should return a JSON encodable
|
||||||
|
version of the object or raise a ``TypeError``.
|
||||||
|
|
||||||
|
"""
|
||||||
|
|
||||||
|
self.skipkeys = skipkeys
|
||||||
|
self.ensure_ascii = ensure_ascii
|
||||||
|
self.check_circular = check_circular
|
||||||
|
self.allow_nan = allow_nan
|
||||||
|
self.sort_keys = sort_keys
|
||||||
|
self.indent = indent
|
||||||
|
if separators is not None:
|
||||||
|
self.item_separator, self.key_separator = separators
|
||||||
|
elif indent is not None:
|
||||||
|
self.item_separator = ','
|
||||||
|
if default is not None:
|
||||||
|
self.default = default
|
||||||
|
|
||||||
|
def default(self, o):
|
||||||
|
"""Implement this method in a subclass such that it returns
|
||||||
|
a serializable object for ``o``, or calls the base implementation
|
||||||
|
(to raise a ``TypeError``).
|
||||||
|
|
||||||
|
For example, to support arbitrary iterators, you could
|
||||||
|
implement default like this::
|
||||||
|
|
||||||
|
def default(self, o):
|
||||||
|
try:
|
||||||
|
iterable = iter(o)
|
||||||
|
except TypeError:
|
||||||
|
pass
|
||||||
|
else:
|
||||||
|
return list(iterable)
|
||||||
|
# Let the base class default method raise the TypeError
|
||||||
|
return JSONEncoder.default(self, o)
|
||||||
|
|
||||||
|
"""
|
||||||
|
raise TypeError(
|
||||||
|
"Object of type '%s' is not JSON serializable" %
|
||||||
|
o.__class__.__name__,
|
||||||
|
)
|
||||||
|
|
||||||
|
def encode(self, o):
|
||||||
|
"""Return a JSON string representation of a Python data structure.
|
||||||
|
|
||||||
|
>>> from json.encoder import JSONEncoder
|
||||||
|
>>> JSONEncoder().encode({"foo": ["bar", "baz"]})
|
||||||
|
'{"foo": ["bar", "baz"]}'
|
||||||
|
|
||||||
|
"""
|
||||||
|
# This is for extremely simple cases and benchmarks.
|
||||||
|
if isinstance(o, str):
|
||||||
|
if self.ensure_ascii:
|
||||||
|
return encode_basestring_ascii(o)
|
||||||
|
else:
|
||||||
|
return encode_basestring(o)
|
||||||
|
# This doesn't pass the iterator directly to ''.join() because the
|
||||||
|
# exceptions aren't as detailed. The list call should be roughly
|
||||||
|
# equivalent to the PySequence_Fast that ''.join() would do.
|
||||||
|
chunks = self.iterencode(o, _one_shot=False)
|
||||||
|
if not isinstance(chunks, (list, tuple)):
|
||||||
|
chunks = list(chunks)
|
||||||
|
return ''.join(chunks)
|
||||||
|
|
||||||
|
def iterencode(self, o, _one_shot=False):
|
||||||
|
"""Encode the given object and yield each string
|
||||||
|
representation as available.
|
||||||
|
|
||||||
|
For example::
|
||||||
|
|
||||||
|
for chunk in JSONEncoder().iterencode(bigobject):
|
||||||
|
mysocket.write(chunk)
|
||||||
|
|
||||||
|
"""
|
||||||
|
if self.check_circular:
|
||||||
|
markers = {}
|
||||||
|
else:
|
||||||
|
markers = None
|
||||||
|
if self.ensure_ascii:
|
||||||
|
_encoder = encode_basestring_ascii
|
||||||
|
else:
|
||||||
|
_encoder = encode_basestring
|
||||||
|
|
||||||
|
def floatstr(
|
||||||
|
o, allow_nan=self.allow_nan,
|
||||||
|
_repr=float.__repr__, _inf=INFINITY, _neginf=-INFINITY,
|
||||||
|
):
|
||||||
|
# Check for specials. Note that this type of test is processor
|
||||||
|
# and/or platform-specific, so do tests which don't depend on the
|
||||||
|
# internals.
|
||||||
|
|
||||||
|
if o != o:
|
||||||
|
text = 'NaN'
|
||||||
|
elif o == _inf:
|
||||||
|
text = 'Infinity'
|
||||||
|
elif o == _neginf:
|
||||||
|
text = '-Infinity'
|
||||||
|
else:
|
||||||
|
return _repr(o)
|
||||||
|
|
||||||
|
if not allow_nan:
|
||||||
|
raise ValueError(
|
||||||
|
"Out of range float values are not JSON compliant: " +
|
||||||
|
repr(o),
|
||||||
|
)
|
||||||
|
|
||||||
|
return text
|
||||||
|
|
||||||
|
if (
|
||||||
|
_one_shot and c_make_encoder is not None
|
||||||
|
and self.indent is None
|
||||||
|
):
|
||||||
|
_iterencode = c_make_encoder(
|
||||||
|
markers, self.default, _encoder, self.indent,
|
||||||
|
self.key_separator, self.item_separator, self.sort_keys,
|
||||||
|
self.skipkeys, self.allow_nan,
|
||||||
|
)
|
||||||
|
else:
|
||||||
|
_iterencode = _make_iterencode(
|
||||||
|
markers, self.default, _encoder, self.indent, floatstr,
|
||||||
|
self.key_separator, self.item_separator, self.sort_keys,
|
||||||
|
self.skipkeys, _one_shot,
|
||||||
|
)
|
||||||
|
return _iterencode(o, 0)
|
||||||
|
|
||||||
|
|
||||||
|
def _make_iterencode(
|
||||||
|
markers, _default, _encoder, _indent, _floatstr,
|
||||||
|
_key_separator, _item_separator, _sort_keys, _skipkeys, _one_shot,
|
||||||
|
# HACK: hand-optimized bytecode; turn globals into locals
|
||||||
|
ValueError=ValueError,
|
||||||
|
dict=dict,
|
||||||
|
float=float,
|
||||||
|
id=id,
|
||||||
|
int=int,
|
||||||
|
isinstance=isinstance,
|
||||||
|
list=list,
|
||||||
|
str=str,
|
||||||
|
tuple=tuple,
|
||||||
|
_intstr=int.__str__,
|
||||||
|
):
|
||||||
|
|
||||||
|
if _indent is not None and not isinstance(_indent, str):
|
||||||
|
_indent = ' ' * _indent
|
||||||
|
|
||||||
|
def _iterencode_list(lst, _current_indent_level):
|
||||||
|
if not lst:
|
||||||
|
yield '[]'
|
||||||
|
return
|
||||||
|
if markers is not None:
|
||||||
|
markerid = id(lst)
|
||||||
|
if markerid in markers:
|
||||||
|
raise ValueError("Circular reference detected")
|
||||||
|
markers[markerid] = lst
|
||||||
|
buf = '['
|
||||||
|
if _indent is not None:
|
||||||
|
_current_indent_level += 1
|
||||||
|
newline_indent = '\n' + _indent * _current_indent_level
|
||||||
|
separator = _item_separator + newline_indent
|
||||||
|
buf += newline_indent
|
||||||
|
else:
|
||||||
|
newline_indent = None
|
||||||
|
separator = _item_separator
|
||||||
|
first = True
|
||||||
|
for value in lst:
|
||||||
|
if first:
|
||||||
|
first = False
|
||||||
|
else:
|
||||||
|
buf = separator
|
||||||
|
if isinstance(value, str):
|
||||||
|
yield buf + _encoder(value)
|
||||||
|
elif value is None:
|
||||||
|
yield buf + 'null'
|
||||||
|
elif value is True:
|
||||||
|
yield buf + 'true'
|
||||||
|
elif value is False:
|
||||||
|
yield buf + 'false'
|
||||||
|
elif isinstance(value, int):
|
||||||
|
# Subclasses of int/float may override __str__, but we still
|
||||||
|
# want to encode them as integers/floats in JSON. One example
|
||||||
|
# within the standard library is IntEnum.
|
||||||
|
yield buf + convert2Es6Format(value)
|
||||||
|
elif isinstance(value, float):
|
||||||
|
# see comment above for int
|
||||||
|
yield buf + convert2Es6Format(value)
|
||||||
|
else:
|
||||||
|
yield buf
|
||||||
|
if isinstance(value, (list, tuple)):
|
||||||
|
chunks = _iterencode_list(value, _current_indent_level)
|
||||||
|
elif isinstance(value, dict):
|
||||||
|
chunks = _iterencode_dict(value, _current_indent_level)
|
||||||
|
else:
|
||||||
|
chunks = _iterencode(value, _current_indent_level)
|
||||||
|
# yield from chunks
|
||||||
|
for chunk in chunks:
|
||||||
|
yield chunk
|
||||||
|
if newline_indent is not None:
|
||||||
|
_current_indent_level -= 1
|
||||||
|
yield '\n' + _indent * _current_indent_level
|
||||||
|
yield ']'
|
||||||
|
if markers is not None:
|
||||||
|
del markers[markerid]
|
||||||
|
|
||||||
|
def _iterencode_dict(dct, _current_indent_level):
|
||||||
|
if not dct:
|
||||||
|
yield '{}'
|
||||||
|
return
|
||||||
|
if markers is not None:
|
||||||
|
markerid = id(dct)
|
||||||
|
if markerid in markers:
|
||||||
|
raise ValueError("Circular reference detected")
|
||||||
|
markers[markerid] = dct
|
||||||
|
yield '{'
|
||||||
|
if _indent is not None:
|
||||||
|
_current_indent_level += 1
|
||||||
|
newline_indent = '\n' + _indent * _current_indent_level
|
||||||
|
item_separator = _item_separator + newline_indent
|
||||||
|
yield newline_indent
|
||||||
|
else:
|
||||||
|
newline_indent = None
|
||||||
|
item_separator = _item_separator
|
||||||
|
first = True
|
||||||
|
if _sort_keys:
|
||||||
|
items = sorted(dct.items(), key=lambda kv: kv[0].encode('utf-16_be'))
|
||||||
|
else:
|
||||||
|
items = dct.items()
|
||||||
|
for key, value in items:
|
||||||
|
if isinstance(key, str):
|
||||||
|
pass
|
||||||
|
# JavaScript is weakly typed for these, so it makes sense to
|
||||||
|
# also allow them. Many encoders seem to do something like this.
|
||||||
|
elif isinstance(key, float):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
key = convert2Es6Format(key)
|
||||||
|
elif key is True:
|
||||||
|
key = 'true'
|
||||||
|
elif key is False:
|
||||||
|
key = 'false'
|
||||||
|
elif key is None:
|
||||||
|
key = 'null'
|
||||||
|
elif isinstance(key, int):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
key = convert2Es6Format(key)
|
||||||
|
elif _skipkeys:
|
||||||
|
continue
|
||||||
|
else:
|
||||||
|
raise TypeError("key " + repr(key) + " is not a string")
|
||||||
|
if first:
|
||||||
|
first = False
|
||||||
|
else:
|
||||||
|
yield item_separator
|
||||||
|
yield _encoder(key)
|
||||||
|
yield _key_separator
|
||||||
|
if isinstance(value, str):
|
||||||
|
yield _encoder(value)
|
||||||
|
elif value is None:
|
||||||
|
yield 'null'
|
||||||
|
elif value is True:
|
||||||
|
yield 'true'
|
||||||
|
elif value is False:
|
||||||
|
yield 'false'
|
||||||
|
elif isinstance(value, int):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
yield convert2Es6Format(value)
|
||||||
|
elif isinstance(value, float):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
yield convert2Es6Format(value)
|
||||||
|
else:
|
||||||
|
if isinstance(value, (list, tuple)):
|
||||||
|
chunks = _iterencode_list(value, _current_indent_level)
|
||||||
|
elif isinstance(value, dict):
|
||||||
|
chunks = _iterencode_dict(value, _current_indent_level)
|
||||||
|
else:
|
||||||
|
chunks = _iterencode(value, _current_indent_level)
|
||||||
|
# yield from chunks
|
||||||
|
for chunk in chunks:
|
||||||
|
yield chunk
|
||||||
|
if newline_indent is not None:
|
||||||
|
_current_indent_level -= 1
|
||||||
|
yield '\n' + _indent * _current_indent_level
|
||||||
|
yield '}'
|
||||||
|
if markers is not None:
|
||||||
|
del markers[markerid]
|
||||||
|
|
||||||
|
def _iterencode(o, _current_indent_level):
|
||||||
|
if isinstance(o, str):
|
||||||
|
yield _encoder(o)
|
||||||
|
elif o is None:
|
||||||
|
yield 'null'
|
||||||
|
elif o is True:
|
||||||
|
yield 'true'
|
||||||
|
elif o is False:
|
||||||
|
yield 'false'
|
||||||
|
elif isinstance(o, int):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
yield convert2Es6Format(o)
|
||||||
|
elif isinstance(o, float):
|
||||||
|
# see comment for int/float in _make_iterencode
|
||||||
|
yield convert2Es6Format(o)
|
||||||
|
elif isinstance(o, (list, tuple)):
|
||||||
|
# yield from _iterencode_list(o, _current_indent_level)
|
||||||
|
for thing in _iterencode_list(o, _current_indent_level):
|
||||||
|
yield thing
|
||||||
|
elif isinstance(o, dict):
|
||||||
|
# yield from _iterencode_dict(o, _current_indent_level)
|
||||||
|
for thing in _iterencode_dict(o, _current_indent_level):
|
||||||
|
yield thing
|
||||||
|
else:
|
||||||
|
if markers is not None:
|
||||||
|
markerid = id(o)
|
||||||
|
if markerid in markers:
|
||||||
|
raise ValueError("Circular reference detected")
|
||||||
|
markers[markerid] = o
|
||||||
|
o = _default(o)
|
||||||
|
# yield from _iterencode(o, _current_indent_level)
|
||||||
|
for thing in _iterencode(o, _current_indent_level):
|
||||||
|
yield thing
|
||||||
|
if markers is not None:
|
||||||
|
del markers[markerid]
|
||||||
|
return _iterencode
|
||||||
|
|
||||||
|
|
||||||
|
def canonicalize(obj, utf8=True):
|
||||||
|
textVal = JSONEncoder(sort_keys=True).encode(obj)
|
||||||
|
if utf8:
|
||||||
|
return textVal.encode()
|
||||||
|
return textVal
|
||||||
|
|
||||||
|
|
||||||
|
def serialize(obj, utf8=True):
|
||||||
|
textVal = JSONEncoder(sort_keys=False).encode(obj)
|
||||||
|
if utf8:
|
||||||
|
return textVal.encode()
|
||||||
|
return textVal
|
|
@ -0,0 +1,254 @@
|
||||||
|
A. HISTORY OF THE SOFTWARE
|
||||||
|
==========================
|
||||||
|
|
||||||
|
Python was created in the early 1990s by Guido van Rossum at Stichting
|
||||||
|
Mathematisch Centrum (CWI, see http://www.cwi.nl) in the Netherlands
|
||||||
|
as a successor of a language called ABC. Guido remains Python's
|
||||||
|
principal author, although it includes many contributions from others.
|
||||||
|
|
||||||
|
In 1995, Guido continued his work on Python at the Corporation for
|
||||||
|
National Research Initiatives (CNRI, see http://www.cnri.reston.va.us)
|
||||||
|
in Reston, Virginia where he released several versions of the
|
||||||
|
software.
|
||||||
|
|
||||||
|
In May 2000, Guido and the Python core development team moved to
|
||||||
|
BeOpen.com to form the BeOpen PythonLabs team. In October of the same
|
||||||
|
year, the PythonLabs team moved to Digital Creations, which became
|
||||||
|
Zope Corporation. In 2001, the Python Software Foundation (PSF, see
|
||||||
|
https://www.python.org/psf/) was formed, a non-profit organization
|
||||||
|
created specifically to own Python-related Intellectual Property.
|
||||||
|
Zope Corporation was a sponsoring member of the PSF.
|
||||||
|
|
||||||
|
All Python releases are Open Source (see http://www.opensource.org for
|
||||||
|
the Open Source Definition). Historically, most, but not all, Python
|
||||||
|
releases have also been GPL-compatible; the table below summarizes
|
||||||
|
the various releases.
|
||||||
|
|
||||||
|
Release Derived Year Owner GPL-
|
||||||
|
from compatible? (1)
|
||||||
|
|
||||||
|
0.9.0 thru 1.2 1991-1995 CWI yes
|
||||||
|
1.3 thru 1.5.2 1.2 1995-1999 CNRI yes
|
||||||
|
1.6 1.5.2 2000 CNRI no
|
||||||
|
2.0 1.6 2000 BeOpen.com no
|
||||||
|
1.6.1 1.6 2001 CNRI yes (2)
|
||||||
|
2.1 2.0+1.6.1 2001 PSF no
|
||||||
|
2.0.1 2.0+1.6.1 2001 PSF yes
|
||||||
|
2.1.1 2.1+2.0.1 2001 PSF yes
|
||||||
|
2.1.2 2.1.1 2002 PSF yes
|
||||||
|
2.1.3 2.1.2 2002 PSF yes
|
||||||
|
2.2 and above 2.1.1 2001-now PSF yes
|
||||||
|
|
||||||
|
Footnotes:
|
||||||
|
|
||||||
|
(1) GPL-compatible doesn't mean that we're distributing Python under
|
||||||
|
the GPL. All Python licenses, unlike the GPL, let you distribute
|
||||||
|
a modified version without making your changes open source. The
|
||||||
|
GPL-compatible licenses make it possible to combine Python with
|
||||||
|
other software that is released under the GPL; the others don't.
|
||||||
|
|
||||||
|
(2) According to Richard Stallman, 1.6.1 is not GPL-compatible,
|
||||||
|
because its license has a choice of law clause. According to
|
||||||
|
CNRI, however, Stallman's lawyer has told CNRI's lawyer that 1.6.1
|
||||||
|
is "not incompatible" with the GPL.
|
||||||
|
|
||||||
|
Thanks to the many outside volunteers who have worked under Guido's
|
||||||
|
direction to make these releases possible.
|
||||||
|
|
||||||
|
|
||||||
|
B. TERMS AND CONDITIONS FOR ACCESSING OR OTHERWISE USING PYTHON
|
||||||
|
===============================================================
|
||||||
|
|
||||||
|
PYTHON SOFTWARE FOUNDATION LICENSE VERSION 2
|
||||||
|
--------------------------------------------
|
||||||
|
|
||||||
|
1. This LICENSE AGREEMENT is between the Python Software Foundation
|
||||||
|
("PSF"), and the Individual or Organization ("Licensee") accessing and
|
||||||
|
otherwise using this software ("Python") in source or binary form and
|
||||||
|
its associated documentation.
|
||||||
|
|
||||||
|
2. Subject to the terms and conditions of this License Agreement, PSF hereby
|
||||||
|
grants Licensee a nonexclusive, royalty-free, world-wide license to reproduce,
|
||||||
|
analyze, test, perform and/or display publicly, prepare derivative works,
|
||||||
|
distribute, and otherwise use Python alone or in any derivative version,
|
||||||
|
provided, however, that PSF's License Agreement and PSF's notice of copyright,
|
||||||
|
i.e., "Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008, 2009, 2010,
|
||||||
|
2011, 2012, 2013, 2014, 2015, 2016, 2017, 2018 Python Software Foundation; All
|
||||||
|
Rights Reserved" are retained in Python alone or in any derivative version
|
||||||
|
prepared by Licensee.
|
||||||
|
|
||||||
|
3. In the event Licensee prepares a derivative work that is based on
|
||||||
|
or incorporates Python or any part thereof, and wants to make
|
||||||
|
the derivative work available to others as provided herein, then
|
||||||
|
Licensee hereby agrees to include in any such work a brief summary of
|
||||||
|
the changes made to Python.
|
||||||
|
|
||||||
|
4. PSF is making Python available to Licensee on an "AS IS"
|
||||||
|
basis. PSF MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
|
||||||
|
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, PSF MAKES NO AND
|
||||||
|
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
|
||||||
|
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF PYTHON WILL NOT
|
||||||
|
INFRINGE ANY THIRD PARTY RIGHTS.
|
||||||
|
|
||||||
|
5. PSF SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF PYTHON
|
||||||
|
FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS AS
|
||||||
|
A RESULT OF MODIFYING, DISTRIBUTING, OR OTHERWISE USING PYTHON,
|
||||||
|
OR ANY DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
|
||||||
|
|
||||||
|
6. This License Agreement will automatically terminate upon a material
|
||||||
|
breach of its terms and conditions.
|
||||||
|
|
||||||
|
7. Nothing in this License Agreement shall be deemed to create any
|
||||||
|
relationship of agency, partnership, or joint venture between PSF and
|
||||||
|
Licensee. This License Agreement does not grant permission to use PSF
|
||||||
|
trademarks or trade name in a trademark sense to endorse or promote
|
||||||
|
products or services of Licensee, or any third party.
|
||||||
|
|
||||||
|
8. By copying, installing or otherwise using Python, Licensee
|
||||||
|
agrees to be bound by the terms and conditions of this License
|
||||||
|
Agreement.
|
||||||
|
|
||||||
|
|
||||||
|
BEOPEN.COM LICENSE AGREEMENT FOR PYTHON 2.0
|
||||||
|
-------------------------------------------
|
||||||
|
|
||||||
|
BEOPEN PYTHON OPEN SOURCE LICENSE AGREEMENT VERSION 1
|
||||||
|
|
||||||
|
1. This LICENSE AGREEMENT is between BeOpen.com ("BeOpen"), having an
|
||||||
|
office at 160 Saratoga Avenue, Santa Clara, CA 95051, and the
|
||||||
|
Individual or Organization ("Licensee") accessing and otherwise using
|
||||||
|
this software in source or binary form and its associated
|
||||||
|
documentation ("the Software").
|
||||||
|
|
||||||
|
2. Subject to the terms and conditions of this BeOpen Python License
|
||||||
|
Agreement, BeOpen hereby grants Licensee a non-exclusive,
|
||||||
|
royalty-free, world-wide license to reproduce, analyze, test, perform
|
||||||
|
and/or display publicly, prepare derivative works, distribute, and
|
||||||
|
otherwise use the Software alone or in any derivative version,
|
||||||
|
provided, however, that the BeOpen Python License is retained in the
|
||||||
|
Software, alone or in any derivative version prepared by Licensee.
|
||||||
|
|
||||||
|
3. BeOpen is making the Software available to Licensee on an "AS IS"
|
||||||
|
basis. BEOPEN MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
|
||||||
|
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, BEOPEN MAKES NO AND
|
||||||
|
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
|
||||||
|
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF THE SOFTWARE WILL NOT
|
||||||
|
INFRINGE ANY THIRD PARTY RIGHTS.
|
||||||
|
|
||||||
|
4. BEOPEN SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF THE
|
||||||
|
SOFTWARE FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS
|
||||||
|
AS A RESULT OF USING, MODIFYING OR DISTRIBUTING THE SOFTWARE, OR ANY
|
||||||
|
DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
|
||||||
|
|
||||||
|
5. This License Agreement will automatically terminate upon a material
|
||||||
|
breach of its terms and conditions.
|
||||||
|
|
||||||
|
6. This License Agreement shall be governed by and interpreted in all
|
||||||
|
respects by the law of the State of California, excluding conflict of
|
||||||
|
law provisions. Nothing in this License Agreement shall be deemed to
|
||||||
|
create any relationship of agency, partnership, or joint venture
|
||||||
|
between BeOpen and Licensee. This License Agreement does not grant
|
||||||
|
permission to use BeOpen trademarks or trade names in a trademark
|
||||||
|
sense to endorse or promote products or services of Licensee, or any
|
||||||
|
third party. As an exception, the "BeOpen Python" logos available at
|
||||||
|
http://www.pythonlabs.com/logos.html may be used according to the
|
||||||
|
permissions granted on that web page.
|
||||||
|
|
||||||
|
7. By copying, installing or otherwise using the software, Licensee
|
||||||
|
agrees to be bound by the terms and conditions of this License
|
||||||
|
Agreement.
|
||||||
|
|
||||||
|
|
||||||
|
CNRI LICENSE AGREEMENT FOR PYTHON 1.6.1
|
||||||
|
---------------------------------------
|
||||||
|
|
||||||
|
1. This LICENSE AGREEMENT is between the Corporation for National
|
||||||
|
Research Initiatives, having an office at 1895 Preston White Drive,
|
||||||
|
Reston, VA 20191 ("CNRI"), and the Individual or Organization
|
||||||
|
("Licensee") accessing and otherwise using Python 1.6.1 software in
|
||||||
|
source or binary form and its associated documentation.
|
||||||
|
|
||||||
|
2. Subject to the terms and conditions of this License Agreement, CNRI
|
||||||
|
hereby grants Licensee a nonexclusive, royalty-free, world-wide
|
||||||
|
license to reproduce, analyze, test, perform and/or display publicly,
|
||||||
|
prepare derivative works, distribute, and otherwise use Python 1.6.1
|
||||||
|
alone or in any derivative version, provided, however, that CNRI's
|
||||||
|
License Agreement and CNRI's notice of copyright, i.e., "Copyright (c)
|
||||||
|
1995-2001 Corporation for National Research Initiatives; All Rights
|
||||||
|
Reserved" are retained in Python 1.6.1 alone or in any derivative
|
||||||
|
version prepared by Licensee. Alternately, in lieu of CNRI's License
|
||||||
|
Agreement, Licensee may substitute the following text (omitting the
|
||||||
|
quotes): "Python 1.6.1 is made available subject to the terms and
|
||||||
|
conditions in CNRI's License Agreement. This Agreement together with
|
||||||
|
Python 1.6.1 may be located on the Internet using the following
|
||||||
|
unique, persistent identifier (known as a handle): 1895.22/1013. This
|
||||||
|
Agreement may also be obtained from a proxy server on the Internet
|
||||||
|
using the following URL: http://hdl.handle.net/1895.22/1013".
|
||||||
|
|
||||||
|
3. In the event Licensee prepares a derivative work that is based on
|
||||||
|
or incorporates Python 1.6.1 or any part thereof, and wants to make
|
||||||
|
the derivative work available to others as provided herein, then
|
||||||
|
Licensee hereby agrees to include in any such work a brief summary of
|
||||||
|
the changes made to Python 1.6.1.
|
||||||
|
|
||||||
|
4. CNRI is making Python 1.6.1 available to Licensee on an "AS IS"
|
||||||
|
basis. CNRI MAKES NO REPRESENTATIONS OR WARRANTIES, EXPRESS OR
|
||||||
|
IMPLIED. BY WAY OF EXAMPLE, BUT NOT LIMITATION, CNRI MAKES NO AND
|
||||||
|
DISCLAIMS ANY REPRESENTATION OR WARRANTY OF MERCHANTABILITY OR FITNESS
|
||||||
|
FOR ANY PARTICULAR PURPOSE OR THAT THE USE OF PYTHON 1.6.1 WILL NOT
|
||||||
|
INFRINGE ANY THIRD PARTY RIGHTS.
|
||||||
|
|
||||||
|
5. CNRI SHALL NOT BE LIABLE TO LICENSEE OR ANY OTHER USERS OF PYTHON
|
||||||
|
1.6.1 FOR ANY INCIDENTAL, SPECIAL, OR CONSEQUENTIAL DAMAGES OR LOSS AS
|
||||||
|
A RESULT OF MODIFYING, DISTRIBUTING, OR OTHERWISE USING PYTHON 1.6.1,
|
||||||
|
OR ANY DERIVATIVE THEREOF, EVEN IF ADVISED OF THE POSSIBILITY THEREOF.
|
||||||
|
|
||||||
|
6. This License Agreement will automatically terminate upon a material
|
||||||
|
breach of its terms and conditions.
|
||||||
|
|
||||||
|
7. This License Agreement shall be governed by the federal
|
||||||
|
intellectual property law of the United States, including without
|
||||||
|
limitation the federal copyright law, and, to the extent such
|
||||||
|
U.S. federal law does not apply, by the law of the Commonwealth of
|
||||||
|
Virginia, excluding Virginia's conflict of law provisions.
|
||||||
|
Notwithstanding the foregoing, with regard to derivative works based
|
||||||
|
on Python 1.6.1 that incorporate non-separable material that was
|
||||||
|
previously distributed under the GNU General Public License (GPL), the
|
||||||
|
law of the Commonwealth of Virginia shall govern this License
|
||||||
|
Agreement only as to issues arising under or with respect to
|
||||||
|
Paragraphs 4, 5, and 7 of this License Agreement. Nothing in this
|
||||||
|
License Agreement shall be deemed to create any relationship of
|
||||||
|
agency, partnership, or joint venture between CNRI and Licensee. This
|
||||||
|
License Agreement does not grant permission to use CNRI trademarks or
|
||||||
|
trade name in a trademark sense to endorse or promote products or
|
||||||
|
services of Licensee, or any third party.
|
||||||
|
|
||||||
|
8. By clicking on the "ACCEPT" button where indicated, or by copying,
|
||||||
|
installing or otherwise using Python 1.6.1, Licensee agrees to be
|
||||||
|
bound by the terms and conditions of this License Agreement.
|
||||||
|
|
||||||
|
ACCEPT
|
||||||
|
|
||||||
|
|
||||||
|
CWI LICENSE AGREEMENT FOR PYTHON 0.9.0 THROUGH 1.2
|
||||||
|
--------------------------------------------------
|
||||||
|
|
||||||
|
Copyright (c) 1991 - 1995, Stichting Mathematisch Centrum Amsterdam,
|
||||||
|
The Netherlands. All rights reserved.
|
||||||
|
|
||||||
|
Permission to use, copy, modify, and distribute this software and its
|
||||||
|
documentation for any purpose and without fee is hereby granted,
|
||||||
|
provided that the above copyright notice appear in all copies and that
|
||||||
|
both that copyright notice and this permission notice appear in
|
||||||
|
supporting documentation, and that the name of Stichting Mathematisch
|
||||||
|
Centrum or CWI not be used in advertising or publicity pertaining to
|
||||||
|
distribution of the software without specific, written prior
|
||||||
|
permission.
|
||||||
|
|
||||||
|
STICHTING MATHEMATISCH CENTRUM DISCLAIMS ALL WARRANTIES WITH REGARD TO
|
||||||
|
THIS SOFTWARE, INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND
|
||||||
|
FITNESS, IN NO EVENT SHALL STICHTING MATHEMATISCH CENTRUM BE LIABLE
|
||||||
|
FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
|
||||||
|
WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
|
||||||
|
ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT
|
||||||
|
OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
|
|
@ -0,0 +1,95 @@
|
||||||
|
##############################################################################
|
||||||
|
# #
|
||||||
|
# Copyright 2006-2019 WebPKI.org (http://webpki.org). #
|
||||||
|
# #
|
||||||
|
# Licensed under the Apache License, Version 2.0 (the "License"); #
|
||||||
|
# you may not use this file except in compliance with the License. #
|
||||||
|
# You may obtain a copy of the License at #
|
||||||
|
# #
|
||||||
|
# https://www.apache.org/licenses/LICENSE-2.0 #
|
||||||
|
# #
|
||||||
|
# Unless required by applicable law or agreed to in writing, software #
|
||||||
|
# distributed under the License is distributed on an "AS IS" BASIS, #
|
||||||
|
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. #
|
||||||
|
# See the License for the specific language governing permissions and #
|
||||||
|
# limitations under the License. #
|
||||||
|
# #
|
||||||
|
##############################################################################
|
||||||
|
|
||||||
|
|
||||||
|
##################################################################
|
||||||
|
# Convert a Python double/float into an ES6/V8 compatible string #
|
||||||
|
##################################################################
|
||||||
|
def convert2Es6Format(value):
|
||||||
|
# Convert double/float to str using the native Python formatter
|
||||||
|
fvalue = float(value)
|
||||||
|
|
||||||
|
# Zero is a special case. The following line takes "-0" case as well
|
||||||
|
if fvalue == 0:
|
||||||
|
return '0'
|
||||||
|
|
||||||
|
# The rest of the algorithm works on the textual representation only
|
||||||
|
pyDouble = str(fvalue)
|
||||||
|
|
||||||
|
# The following line catches the "inf" and "nan" values returned by str(fvalue)
|
||||||
|
if pyDouble.find('n') >= 0:
|
||||||
|
raise ValueError("Invalid JSON number: " + pyDouble)
|
||||||
|
|
||||||
|
# Save sign separately, it doesn't have any role in the algorithm
|
||||||
|
pySign = ''
|
||||||
|
if pyDouble.find('-') == 0:
|
||||||
|
pySign = '-'
|
||||||
|
pyDouble = pyDouble[1:]
|
||||||
|
|
||||||
|
# Now we should only have valid non-zero values
|
||||||
|
pyExpStr = ''
|
||||||
|
pyExpVal = 0
|
||||||
|
q = pyDouble.find('e')
|
||||||
|
if q > 0:
|
||||||
|
# Grab the exponent and remove it from the number
|
||||||
|
pyExpStr = pyDouble[q:]
|
||||||
|
if pyExpStr[2:3] == '0':
|
||||||
|
# Supress leading zero on exponents
|
||||||
|
pyExpStr = pyExpStr[:2] + pyExpStr[3:]
|
||||||
|
pyDouble = pyDouble[0:q]
|
||||||
|
pyExpVal = int(pyExpStr[1:])
|
||||||
|
|
||||||
|
# Split number in pyFirst + pyDot + pyLast
|
||||||
|
pyFirst = pyDouble
|
||||||
|
pyDot = ''
|
||||||
|
pyLast = ''
|
||||||
|
q = pyDouble.find('.')
|
||||||
|
if q > 0:
|
||||||
|
pyDot = '.'
|
||||||
|
pyFirst = pyDouble[:q]
|
||||||
|
pyLast = pyDouble[q + 1:]
|
||||||
|
|
||||||
|
# Now the string is split into: pySign + pyFirst + pyDot + pyLast + pyExpStr
|
||||||
|
if pyLast == '0':
|
||||||
|
# Always remove trailing .0
|
||||||
|
pyDot = ''
|
||||||
|
pyLast = ''
|
||||||
|
|
||||||
|
if pyExpVal > 0 and pyExpVal < 21:
|
||||||
|
# Integers are shown as is with up to 21 digits
|
||||||
|
pyFirst += pyLast
|
||||||
|
pyLast = ''
|
||||||
|
pyDot = ''
|
||||||
|
pyExpStr = ''
|
||||||
|
q = pyExpVal - len(pyFirst)
|
||||||
|
while q >= 0:
|
||||||
|
q -= 1
|
||||||
|
pyFirst += '0'
|
||||||
|
elif pyExpVal < 0 and pyExpVal > -7:
|
||||||
|
# Small numbers are shown as 0.etc with e-6 as lower limit
|
||||||
|
pyLast = pyFirst + pyLast
|
||||||
|
pyFirst = '0'
|
||||||
|
pyDot = '.'
|
||||||
|
pyExpStr = ''
|
||||||
|
q = pyExpVal
|
||||||
|
while q < -1:
|
||||||
|
q += 1
|
||||||
|
pyLast = '0' + pyLast
|
||||||
|
|
||||||
|
# The resulting sub-strings are concatenated
|
||||||
|
return pySign + pyFirst + pyDot + pyLast + pyExpStr
|
|
@ -28,7 +28,7 @@ class Artifact(_Observable):
|
||||||
_type = 'artifact'
|
_type = 'artifact'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('mime_type', StringProperty()),
|
('mime_type', StringProperty()),
|
||||||
('payload_bin', BinaryProperty()),
|
('payload_bin', BinaryProperty()),
|
||||||
('url', StringProperty()),
|
('url', StringProperty()),
|
||||||
|
@ -37,6 +37,7 @@ class Artifact(_Observable):
|
||||||
('decryption_key', StringProperty()),
|
('decryption_key', StringProperty()),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["hashes", "payload_bin"]
|
||||||
|
|
||||||
def _check_object_constraints(self):
|
def _check_object_constraints(self):
|
||||||
super(Artifact, self)._check_object_constraints()
|
super(Artifact, self)._check_object_constraints()
|
||||||
|
@ -53,12 +54,13 @@ class AutonomousSystem(_Observable):
|
||||||
_type = 'autonomous-system'
|
_type = 'autonomous-system'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('number', IntegerProperty(required=True)),
|
('number', IntegerProperty(required=True)),
|
||||||
('name', StringProperty()),
|
('name', StringProperty()),
|
||||||
('rir', StringProperty()),
|
('rir', StringProperty()),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["number"]
|
||||||
|
|
||||||
|
|
||||||
class Directory(_Observable):
|
class Directory(_Observable):
|
||||||
|
@ -70,7 +72,7 @@ class Directory(_Observable):
|
||||||
_type = 'directory'
|
_type = 'directory'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('path', StringProperty(required=True)),
|
('path', StringProperty(required=True)),
|
||||||
('path_enc', StringProperty()),
|
('path_enc', StringProperty()),
|
||||||
# these are not the created/modified timestamps of the object itself
|
# these are not the created/modified timestamps of the object itself
|
||||||
|
@ -80,6 +82,7 @@ class Directory(_Observable):
|
||||||
('contains_refs', ListProperty(ObjectReferenceProperty(valid_types=['file', 'directory']))),
|
('contains_refs', ListProperty(ObjectReferenceProperty(valid_types=['file', 'directory']))),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["path"]
|
||||||
|
|
||||||
|
|
||||||
class DomainName(_Observable):
|
class DomainName(_Observable):
|
||||||
|
@ -91,11 +94,12 @@ class DomainName(_Observable):
|
||||||
_type = 'domain-name'
|
_type = 'domain-name'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types=['ipv4-addr', 'ipv6-addr', 'domain-name']))),
|
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types=['ipv4-addr', 'ipv6-addr', 'domain-name']))),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class EmailAddress(_Observable):
|
class EmailAddress(_Observable):
|
||||||
|
@ -107,12 +111,13 @@ class EmailAddress(_Observable):
|
||||||
_type = 'email-addr'
|
_type = 'email-addr'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('display_name', StringProperty()),
|
('display_name', StringProperty()),
|
||||||
('belongs_to_ref', ObjectReferenceProperty(valid_types='user-account')),
|
('belongs_to_ref', ObjectReferenceProperty(valid_types='user-account')),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class EmailMIMEComponent(_STIXBase):
|
class EmailMIMEComponent(_STIXBase):
|
||||||
|
@ -142,7 +147,7 @@ class EmailMessage(_Observable):
|
||||||
_type = 'email-message'
|
_type = 'email-message'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('is_multipart', BooleanProperty(required=True)),
|
('is_multipart', BooleanProperty(required=True)),
|
||||||
('date', TimestampProperty()),
|
('date', TimestampProperty()),
|
||||||
('content_type', StringProperty()),
|
('content_type', StringProperty()),
|
||||||
|
@ -159,6 +164,7 @@ class EmailMessage(_Observable):
|
||||||
('raw_email_ref', ObjectReferenceProperty(valid_types='artifact')),
|
('raw_email_ref', ObjectReferenceProperty(valid_types='artifact')),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["from_ref", "subject", "body"]
|
||||||
|
|
||||||
def _check_object_constraints(self):
|
def _check_object_constraints(self):
|
||||||
super(EmailMessage, self)._check_object_constraints()
|
super(EmailMessage, self)._check_object_constraints()
|
||||||
|
@ -329,7 +335,7 @@ class File(_Observable):
|
||||||
_type = 'file'
|
_type = 'file'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('hashes', HashesProperty(spec_version='2.1')),
|
('hashes', HashesProperty(spec_version='2.1')),
|
||||||
('size', IntegerProperty(min=0)),
|
('size', IntegerProperty(min=0)),
|
||||||
('name', StringProperty()),
|
('name', StringProperty()),
|
||||||
|
@ -345,6 +351,7 @@ class File(_Observable):
|
||||||
('content_ref', ObjectReferenceProperty(valid_types='artifact')),
|
('content_ref', ObjectReferenceProperty(valid_types='artifact')),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["hashes", "name", "extensions"]
|
||||||
|
|
||||||
def _check_object_constraints(self):
|
def _check_object_constraints(self):
|
||||||
super(File, self)._check_object_constraints()
|
super(File, self)._check_object_constraints()
|
||||||
|
@ -360,12 +367,13 @@ class IPv4Address(_Observable):
|
||||||
_type = 'ipv4-addr'
|
_type = 'ipv4-addr'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types='mac-addr'))),
|
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types='mac-addr'))),
|
||||||
('belongs_to_refs', ListProperty(ObjectReferenceProperty(valid_types='autonomous-system'))),
|
('belongs_to_refs', ListProperty(ObjectReferenceProperty(valid_types='autonomous-system'))),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class IPv6Address(_Observable):
|
class IPv6Address(_Observable):
|
||||||
|
@ -377,12 +385,13 @@ class IPv6Address(_Observable):
|
||||||
_type = 'ipv6-addr'
|
_type = 'ipv6-addr'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types='mac-addr'))),
|
('resolves_to_refs', ListProperty(ObjectReferenceProperty(valid_types='mac-addr'))),
|
||||||
('belongs_to_refs', ListProperty(ObjectReferenceProperty(valid_types='autonomous-system'))),
|
('belongs_to_refs', ListProperty(ObjectReferenceProperty(valid_types='autonomous-system'))),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class MACAddress(_Observable):
|
class MACAddress(_Observable):
|
||||||
|
@ -394,10 +403,11 @@ class MACAddress(_Observable):
|
||||||
_type = 'mac-addr'
|
_type = 'mac-addr'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class Mutex(_Observable):
|
class Mutex(_Observable):
|
||||||
|
@ -409,10 +419,11 @@ class Mutex(_Observable):
|
||||||
_type = 'mutex'
|
_type = 'mutex'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('name', StringProperty(required=True)),
|
('name', StringProperty(required=True)),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["name"]
|
||||||
|
|
||||||
|
|
||||||
class HTTPRequestExt(_Extension):
|
class HTTPRequestExt(_Extension):
|
||||||
|
@ -516,7 +527,7 @@ class NetworkTraffic(_Observable):
|
||||||
_type = 'network-traffic'
|
_type = 'network-traffic'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('start', TimestampProperty()),
|
('start', TimestampProperty()),
|
||||||
('end', TimestampProperty()),
|
('end', TimestampProperty()),
|
||||||
('is_active', BooleanProperty()),
|
('is_active', BooleanProperty()),
|
||||||
|
@ -536,6 +547,7 @@ class NetworkTraffic(_Observable):
|
||||||
('encapsulates_by_ref', ObjectReferenceProperty(valid_types='network-traffic')),
|
('encapsulates_by_ref', ObjectReferenceProperty(valid_types='network-traffic')),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["start", "src_ref", "dst_ref", "src_port", "dst_port", "protocols"]
|
||||||
|
|
||||||
def _check_object_constraints(self):
|
def _check_object_constraints(self):
|
||||||
super(NetworkTraffic, self)._check_object_constraints()
|
super(NetworkTraffic, self)._check_object_constraints()
|
||||||
|
@ -651,6 +663,7 @@ class Process(_Observable):
|
||||||
('child_refs', ListProperty(ObjectReferenceProperty('process'))),
|
('child_refs', ListProperty(ObjectReferenceProperty('process'))),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = []
|
||||||
|
|
||||||
def _check_object_constraints(self):
|
def _check_object_constraints(self):
|
||||||
# no need to check windows-service-ext, since it has a required property
|
# no need to check windows-service-ext, since it has a required property
|
||||||
|
@ -676,7 +689,7 @@ class Software(_Observable):
|
||||||
_type = 'software'
|
_type = 'software'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('name', StringProperty(required=True)),
|
('name', StringProperty(required=True)),
|
||||||
('cpe', StringProperty()),
|
('cpe', StringProperty()),
|
||||||
('languages', ListProperty(StringProperty)),
|
('languages', ListProperty(StringProperty)),
|
||||||
|
@ -684,6 +697,7 @@ class Software(_Observable):
|
||||||
('version', StringProperty()),
|
('version', StringProperty()),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["name", "cpe", "vendor", "version"]
|
||||||
|
|
||||||
|
|
||||||
class URL(_Observable):
|
class URL(_Observable):
|
||||||
|
@ -695,10 +709,11 @@ class URL(_Observable):
|
||||||
_type = 'url'
|
_type = 'url'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('value', StringProperty(required=True)),
|
('value', StringProperty(required=True)),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["value"]
|
||||||
|
|
||||||
|
|
||||||
class UNIXAccountExt(_Extension):
|
class UNIXAccountExt(_Extension):
|
||||||
|
@ -725,7 +740,7 @@ class UserAccount(_Observable):
|
||||||
_type = 'user-account'
|
_type = 'user-account'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('user_id', StringProperty()),
|
('user_id', StringProperty()),
|
||||||
('credential', StringProperty()),
|
('credential', StringProperty()),
|
||||||
('account_login', StringProperty()),
|
('account_login', StringProperty()),
|
||||||
|
@ -742,6 +757,7 @@ class UserAccount(_Observable):
|
||||||
('account_last_login', TimestampProperty()),
|
('account_last_login', TimestampProperty()),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["account_type", "user_id", "account_login"]
|
||||||
|
|
||||||
|
|
||||||
class WindowsRegistryValueType(_STIXBase):
|
class WindowsRegistryValueType(_STIXBase):
|
||||||
|
@ -783,7 +799,7 @@ class WindowsRegistryKey(_Observable):
|
||||||
_type = 'windows-registry-key'
|
_type = 'windows-registry-key'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('key', StringProperty()),
|
('key', StringProperty()),
|
||||||
('values', ListProperty(EmbeddedObjectProperty(type=WindowsRegistryValueType))),
|
('values', ListProperty(EmbeddedObjectProperty(type=WindowsRegistryValueType))),
|
||||||
# this is not the modified timestamps of the object itself
|
# this is not the modified timestamps of the object itself
|
||||||
|
@ -792,6 +808,7 @@ class WindowsRegistryKey(_Observable):
|
||||||
('number_of_subkeys', IntegerProperty()),
|
('number_of_subkeys', IntegerProperty()),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["key", "values"]
|
||||||
|
|
||||||
@property
|
@property
|
||||||
def values(self):
|
def values(self):
|
||||||
|
@ -835,7 +852,7 @@ class X509Certificate(_Observable):
|
||||||
_type = 'x509-certificate'
|
_type = 'x509-certificate'
|
||||||
_properties = OrderedDict([
|
_properties = OrderedDict([
|
||||||
('type', TypeProperty(_type)),
|
('type', TypeProperty(_type)),
|
||||||
('id', IDProperty(_type)),
|
('id', IDProperty(_type, spec_version='2.1')),
|
||||||
('is_self_signed', BooleanProperty()),
|
('is_self_signed', BooleanProperty()),
|
||||||
('hashes', HashesProperty(spec_version='2.1')),
|
('hashes', HashesProperty(spec_version='2.1')),
|
||||||
('version', StringProperty()),
|
('version', StringProperty()),
|
||||||
|
@ -851,6 +868,7 @@ class X509Certificate(_Observable):
|
||||||
('x509_v3_extensions', EmbeddedObjectProperty(type=X509V3ExtenstionsType)),
|
('x509_v3_extensions', EmbeddedObjectProperty(type=X509V3ExtenstionsType)),
|
||||||
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
('extensions', ExtensionsProperty(spec_version='2.1', enclosing_type=_type)),
|
||||||
])
|
])
|
||||||
|
_id_contributing_properties = ["hashes", "serial_number"]
|
||||||
|
|
||||||
|
|
||||||
def CustomObservable(type='x-custom-observable', properties=None):
|
def CustomObservable(type='x-custom-observable', properties=None):
|
||||||
|
|
Loading…
Reference in New Issue