2017-09-22 16:01:00 +02:00
|
|
|
"""Classes for representing properties of STIX Objects and Cyber Observables.
|
|
|
|
"""
|
2017-05-03 20:10:10 +02:00
|
|
|
import base64
|
|
|
|
import binascii
|
2017-04-25 00:29:56 +02:00
|
|
|
import collections
|
|
|
|
import inspect
|
2017-03-22 00:44:01 +01:00
|
|
|
import re
|
2017-02-24 16:28:53 +01:00
|
|
|
import uuid
|
2017-05-10 00:03:46 +02:00
|
|
|
|
2017-07-17 20:56:13 +02:00
|
|
|
from six import string_types, text_type
|
2017-08-18 20:22:57 +02:00
|
|
|
from stix2patterns.validator import run_validator
|
2017-05-10 00:03:46 +02:00
|
|
|
|
2017-07-14 20:55:57 +02:00
|
|
|
from .base import _STIXBase
|
2017-05-03 20:10:10 +02:00
|
|
|
from .exceptions import DictionaryKeyError
|
2018-04-13 17:08:03 +02:00
|
|
|
from .utils import _get_dict, parse_into_datetime
|
2017-02-24 16:28:53 +01:00
|
|
|
|
|
|
|
|
|
|
|
class Property(object):
|
|
|
|
"""Represent a property of STIX data type.
|
|
|
|
|
|
|
|
Subclasses can define the following attributes as keyword arguments to
|
2017-09-22 17:03:25 +02:00
|
|
|
``__init__()``.
|
|
|
|
|
|
|
|
Args:
|
|
|
|
required (bool): If ``True``, the property must be provided when creating an
|
|
|
|
object with that property. No default value exists for these properties.
|
|
|
|
(Default: ``False``)
|
|
|
|
fixed: This provides a constant default value. Users are free to
|
|
|
|
provide this value explicity when constructing an object (which allows
|
|
|
|
you to copy **all** values from an existing object to a new object), but
|
|
|
|
if the user provides a value other than the ``fixed`` value, it will raise
|
|
|
|
an error. This is semantically equivalent to defining both:
|
|
|
|
|
|
|
|
- a ``clean()`` function that checks if the value matches the fixed
|
|
|
|
value, and
|
|
|
|
- a ``default()`` function that returns the fixed value.
|
|
|
|
|
|
|
|
Subclasses can also define the following functions:
|
|
|
|
|
|
|
|
- ``def clean(self, value) -> any:``
|
|
|
|
- Return a value that is valid for this property. If ``value`` is not
|
2017-04-17 21:13:11 +02:00
|
|
|
valid for this property, this will attempt to transform it first. If
|
2017-09-22 17:03:25 +02:00
|
|
|
``value`` is not valid and no such transformation is possible, it should
|
2017-04-17 21:13:11 +02:00
|
|
|
raise a ValueError.
|
2017-09-22 17:03:25 +02:00
|
|
|
- ``def default(self):``
|
2017-02-24 16:28:53 +01:00
|
|
|
- provide a default value for this property.
|
2017-09-22 17:03:25 +02:00
|
|
|
- ``default()`` can return the special value ``NOW`` to use the current
|
2017-02-24 16:28:53 +01:00
|
|
|
time. This is useful when several timestamps in the same object need
|
2017-05-16 18:27:30 +02:00
|
|
|
to use the same default value, so calling now() for each property--
|
2017-02-24 16:28:53 +01:00
|
|
|
likely several microseconds apart-- does not work.
|
|
|
|
|
2017-09-22 17:03:25 +02:00
|
|
|
Subclasses can instead provide a lambda function for ``default`` as a keyword
|
|
|
|
argument. ``clean`` should not be provided as a lambda since lambdas cannot
|
2017-04-17 21:13:11 +02:00
|
|
|
raise their own exceptions.
|
2017-04-24 22:33:59 +02:00
|
|
|
|
2017-09-22 17:03:25 +02:00
|
|
|
When instantiating Properties, ``required`` and ``default`` should not be used
|
|
|
|
together. ``default`` implies that the property is required in the specification
|
2017-04-24 22:33:59 +02:00
|
|
|
so this function will be used to supply a value if none is provided.
|
2017-09-22 17:03:25 +02:00
|
|
|
``required`` means that the user must provide this; it is required in the
|
2017-04-24 22:33:59 +02:00
|
|
|
specification and we can't or don't want to create a default value.
|
2017-02-24 16:28:53 +01:00
|
|
|
"""
|
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def _default_clean(self, value):
|
2017-02-24 17:46:21 +01:00
|
|
|
if value != self._fixed_value:
|
|
|
|
raise ValueError("must equal '{0}'.".format(self._fixed_value))
|
|
|
|
return value
|
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def __init__(self, required=False, fixed=None, default=None, type=None):
|
2017-02-24 16:28:53 +01:00
|
|
|
self.required = required
|
2017-03-31 21:52:27 +02:00
|
|
|
self.type = type
|
2017-02-24 16:28:53 +01:00
|
|
|
if fixed:
|
2017-02-24 17:46:21 +01:00
|
|
|
self._fixed_value = fixed
|
2017-04-17 21:13:11 +02:00
|
|
|
self.clean = self._default_clean
|
2017-02-24 16:28:53 +01:00
|
|
|
self.default = lambda: fixed
|
|
|
|
if default:
|
|
|
|
self.default = default
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
return value
|
|
|
|
|
2017-04-14 16:42:17 +02:00
|
|
|
def __call__(self, value=None):
|
2017-04-24 22:33:59 +02:00
|
|
|
"""Used by ListProperty to handle lists that have been defined with
|
|
|
|
either a class or an instance.
|
|
|
|
"""
|
|
|
|
return value
|
2017-04-14 16:42:17 +02:00
|
|
|
|
2017-02-24 16:28:53 +01:00
|
|
|
|
2017-04-07 01:17:32 +02:00
|
|
|
class ListProperty(Property):
|
2017-02-24 16:28:53 +01:00
|
|
|
|
2017-04-14 16:42:17 +02:00
|
|
|
def __init__(self, contained, **kwargs):
|
2017-02-24 16:28:53 +01:00
|
|
|
"""
|
2017-09-22 17:03:25 +02:00
|
|
|
``contained`` should be a function which returns an object from the value.
|
2017-02-24 16:28:53 +01:00
|
|
|
"""
|
2017-04-24 22:33:59 +02:00
|
|
|
if inspect.isclass(contained) and issubclass(contained, Property):
|
2017-04-14 16:42:17 +02:00
|
|
|
# If it's a class and not an instance, instantiate it so that
|
2017-04-17 21:13:11 +02:00
|
|
|
# clean() can be called on it, and ListProperty.clean() will
|
2017-04-14 16:42:17 +02:00
|
|
|
# use __call__ when it appends the item.
|
|
|
|
self.contained = contained()
|
2017-04-07 01:17:32 +02:00
|
|
|
else:
|
|
|
|
self.contained = contained
|
2017-04-07 20:53:40 +02:00
|
|
|
super(ListProperty, self).__init__(**kwargs)
|
2017-02-24 16:28:53 +01:00
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def clean(self, value):
|
2017-04-10 16:18:54 +02:00
|
|
|
try:
|
|
|
|
iter(value)
|
|
|
|
except TypeError:
|
|
|
|
raise ValueError("must be an iterable.")
|
2017-07-17 20:56:13 +02:00
|
|
|
|
|
|
|
if isinstance(value, (_STIXBase, string_types)):
|
|
|
|
value = [value]
|
2017-04-10 16:18:54 +02:00
|
|
|
|
2017-03-31 21:52:27 +02:00
|
|
|
result = []
|
2017-02-24 16:28:53 +01:00
|
|
|
for item in value:
|
2017-04-11 21:05:22 +02:00
|
|
|
try:
|
2017-04-17 21:13:11 +02:00
|
|
|
valid = self.contained.clean(item)
|
2017-04-14 16:42:17 +02:00
|
|
|
except ValueError:
|
|
|
|
raise
|
|
|
|
except AttributeError:
|
2017-04-17 21:13:11 +02:00
|
|
|
# type of list has no clean() function (eg. built in Python types)
|
2017-04-14 16:42:17 +02:00
|
|
|
# TODO Should we raise an error here?
|
|
|
|
valid = item
|
|
|
|
|
2017-05-09 17:03:19 +02:00
|
|
|
if type(self.contained) is EmbeddedObjectProperty:
|
|
|
|
obj_type = self.contained.type
|
2017-08-11 22:18:20 +02:00
|
|
|
elif type(self.contained).__name__ is 'STIXObjectProperty':
|
|
|
|
# ^ this way of checking doesn't require a circular import
|
2017-10-09 23:33:12 +02:00
|
|
|
# valid is already an instance of a python-stix2 class; no need
|
|
|
|
# to turn it into a dictionary and then pass it to the class
|
|
|
|
# constructor again
|
|
|
|
result.append(valid)
|
|
|
|
continue
|
2018-04-13 03:26:48 +02:00
|
|
|
elif type(self.contained) is DictionaryProperty:
|
|
|
|
obj_type = dict
|
2017-05-09 17:03:19 +02:00
|
|
|
else:
|
|
|
|
obj_type = self.contained
|
|
|
|
|
2017-04-19 20:32:56 +02:00
|
|
|
if isinstance(valid, collections.Mapping):
|
2017-05-09 17:03:19 +02:00
|
|
|
result.append(obj_type(**valid))
|
2017-04-14 16:42:17 +02:00
|
|
|
else:
|
2017-05-09 17:03:19 +02:00
|
|
|
result.append(obj_type(valid))
|
2017-04-14 16:42:17 +02:00
|
|
|
|
|
|
|
# STIX spec forbids empty lists
|
|
|
|
if len(result) < 1:
|
|
|
|
raise ValueError("must not be empty.")
|
|
|
|
|
2017-03-31 21:52:27 +02:00
|
|
|
return result
|
2017-04-07 01:17:32 +02:00
|
|
|
|
|
|
|
|
|
|
|
class StringProperty(Property):
|
|
|
|
|
2017-04-07 20:53:40 +02:00
|
|
|
def __init__(self, **kwargs):
|
2017-04-17 19:16:14 +02:00
|
|
|
self.string_type = text_type
|
2017-04-07 20:53:40 +02:00
|
|
|
super(StringProperty, self).__init__(**kwargs)
|
2017-04-07 01:17:32 +02:00
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
return self.string_type(value)
|
|
|
|
|
2017-02-24 16:28:53 +01:00
|
|
|
|
2017-02-24 17:46:21 +01:00
|
|
|
class TypeProperty(Property):
|
2017-05-10 17:52:59 +02:00
|
|
|
|
2017-02-24 17:46:21 +01:00
|
|
|
def __init__(self, type):
|
|
|
|
super(TypeProperty, self).__init__(fixed=type)
|
|
|
|
|
|
|
|
|
2017-02-24 16:28:53 +01:00
|
|
|
class IDProperty(Property):
|
|
|
|
|
|
|
|
def __init__(self, type):
|
2017-02-24 17:20:24 +01:00
|
|
|
self.required_prefix = type + "--"
|
|
|
|
super(IDProperty, self).__init__()
|
2017-02-24 16:28:53 +01:00
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def clean(self, value):
|
2017-02-24 17:20:24 +01:00
|
|
|
if not value.startswith(self.required_prefix):
|
|
|
|
raise ValueError("must start with '{0}'.".format(self.required_prefix))
|
2017-04-06 19:08:48 +02:00
|
|
|
try:
|
2017-04-25 16:03:37 +02:00
|
|
|
uuid.UUID(value.split('--', 1)[1])
|
2017-04-06 19:08:48 +02:00
|
|
|
except Exception:
|
2017-04-25 16:03:37 +02:00
|
|
|
raise ValueError("must have a valid UUID after the prefix.")
|
2017-02-24 17:20:24 +01:00
|
|
|
return value
|
2017-02-24 16:28:53 +01:00
|
|
|
|
|
|
|
def default(self):
|
2017-02-24 17:20:24 +01:00
|
|
|
return self.required_prefix + str(uuid.uuid4())
|
2017-03-22 00:33:43 +01:00
|
|
|
|
|
|
|
|
2017-04-18 15:19:38 +02:00
|
|
|
class IntegerProperty(Property):
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
try:
|
|
|
|
return int(value)
|
|
|
|
except Exception:
|
|
|
|
raise ValueError("must be an integer.")
|
|
|
|
|
|
|
|
|
2017-05-15 19:48:41 +02:00
|
|
|
class FloatProperty(Property):
|
|
|
|
def clean(self, value):
|
|
|
|
try:
|
|
|
|
return float(value)
|
|
|
|
except Exception:
|
2017-05-16 15:25:08 +02:00
|
|
|
raise ValueError("must be a float.")
|
2017-05-15 19:48:41 +02:00
|
|
|
|
|
|
|
|
2017-03-22 00:33:43 +01:00
|
|
|
class BooleanProperty(Property):
|
2017-04-06 22:08:36 +02:00
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
if isinstance(value, bool):
|
|
|
|
return value
|
|
|
|
|
|
|
|
trues = ['true', 't']
|
|
|
|
falses = ['false', 'f']
|
|
|
|
try:
|
|
|
|
if value.lower() in trues:
|
|
|
|
return True
|
|
|
|
if value.lower() in falses:
|
|
|
|
return False
|
|
|
|
except AttributeError:
|
|
|
|
if value == 1:
|
|
|
|
return True
|
|
|
|
if value == 0:
|
|
|
|
return False
|
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
raise ValueError("must be a boolean value.")
|
2017-03-22 00:44:01 +01:00
|
|
|
|
|
|
|
|
2017-04-11 18:10:55 +02:00
|
|
|
class TimestampProperty(Property):
|
|
|
|
|
2017-06-23 00:47:35 +02:00
|
|
|
def __init__(self, precision=None, **kwargs):
|
|
|
|
self.precision = precision
|
|
|
|
super(TimestampProperty, self).__init__(**kwargs)
|
2017-04-11 18:10:55 +02:00
|
|
|
|
2017-06-23 00:47:35 +02:00
|
|
|
def clean(self, value):
|
2017-06-28 21:55:23 +02:00
|
|
|
return parse_into_datetime(value, self.precision)
|
2017-04-11 18:10:55 +02:00
|
|
|
|
|
|
|
|
2017-05-03 20:10:10 +02:00
|
|
|
class DictionaryProperty(Property):
|
|
|
|
|
|
|
|
def clean(self, value):
|
2017-05-16 15:25:08 +02:00
|
|
|
try:
|
2018-04-13 17:08:03 +02:00
|
|
|
dictified = _get_dict(value)
|
2017-05-16 15:25:08 +02:00
|
|
|
except ValueError:
|
|
|
|
raise ValueError("The dictionary property must contain a dictionary")
|
2017-06-07 17:06:20 +02:00
|
|
|
if dictified == {}:
|
|
|
|
raise ValueError("The dictionary property must contain a non-empty dictionary")
|
2017-05-16 15:25:08 +02:00
|
|
|
|
2017-05-03 20:10:10 +02:00
|
|
|
for k in dictified.keys():
|
|
|
|
if len(k) < 3:
|
|
|
|
raise DictionaryKeyError(k, "shorter than 3 characters")
|
|
|
|
elif len(k) > 256:
|
|
|
|
raise DictionaryKeyError(k, "longer than 256 characters")
|
|
|
|
if not re.match('^[a-zA-Z0-9_-]+$', k):
|
|
|
|
raise DictionaryKeyError(k, "contains characters other than"
|
|
|
|
"lowercase a-z, uppercase A-Z, "
|
|
|
|
"numerals 0-9, hyphen (-), or "
|
|
|
|
"underscore (_)")
|
|
|
|
return dictified
|
|
|
|
|
|
|
|
|
|
|
|
HASHES_REGEX = {
|
|
|
|
"MD5": ("^[a-fA-F0-9]{32}$", "MD5"),
|
|
|
|
"MD6": ("^[a-fA-F0-9]{32}|[a-fA-F0-9]{40}|[a-fA-F0-9]{56}|[a-fA-F0-9]{64}|[a-fA-F0-9]{96}|[a-fA-F0-9]{128}$", "MD6"),
|
|
|
|
"RIPEMD160": ("^[a-fA-F0-9]{40}$", "RIPEMD-160"),
|
|
|
|
"SHA1": ("^[a-fA-F0-9]{40}$", "SHA-1"),
|
|
|
|
"SHA224": ("^[a-fA-F0-9]{56}$", "SHA-224"),
|
|
|
|
"SHA256": ("^[a-fA-F0-9]{64}$", "SHA-256"),
|
|
|
|
"SHA384": ("^[a-fA-F0-9]{96}$", "SHA-384"),
|
|
|
|
"SHA512": ("^[a-fA-F0-9]{128}$", "SHA-512"),
|
|
|
|
"SHA3224": ("^[a-fA-F0-9]{56}$", "SHA3-224"),
|
|
|
|
"SHA3256": ("^[a-fA-F0-9]{64}$", "SHA3-256"),
|
|
|
|
"SHA3384": ("^[a-fA-F0-9]{96}$", "SHA3-384"),
|
|
|
|
"SHA3512": ("^[a-fA-F0-9]{128}$", "SHA3-512"),
|
|
|
|
"SSDEEP": ("^[a-zA-Z0-9/+:.]{1,128}$", "ssdeep"),
|
|
|
|
"WHIRLPOOL": ("^[a-fA-F0-9]{128}$", "WHIRLPOOL"),
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
class HashesProperty(DictionaryProperty):
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
clean_dict = super(HashesProperty, self).clean(value)
|
|
|
|
for k, v in clean_dict.items():
|
|
|
|
key = k.upper().replace('-', '')
|
|
|
|
if key in HASHES_REGEX:
|
|
|
|
vocab_key = HASHES_REGEX[key][1]
|
|
|
|
if not re.match(HASHES_REGEX[key][0], v):
|
|
|
|
raise ValueError("'%s' is not a valid %s hash" % (v, vocab_key))
|
|
|
|
if k != vocab_key:
|
|
|
|
clean_dict[vocab_key] = clean_dict[k]
|
|
|
|
del clean_dict[k]
|
|
|
|
return clean_dict
|
|
|
|
|
|
|
|
|
|
|
|
class BinaryProperty(Property):
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
try:
|
|
|
|
base64.b64decode(value)
|
|
|
|
except (binascii.Error, TypeError):
|
|
|
|
raise ValueError("must contain a base64 encoded string")
|
|
|
|
return value
|
|
|
|
|
|
|
|
|
|
|
|
class HexProperty(Property):
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
if not re.match('^([a-fA-F0-9]{2})+$', value):
|
|
|
|
raise ValueError("must contain an even number of hexadecimal characters")
|
|
|
|
return value
|
|
|
|
|
|
|
|
|
2017-03-22 00:44:01 +01:00
|
|
|
REF_REGEX = re.compile("^[a-z][a-z-]+[a-z]--[0-9a-fA-F]{8}-[0-9a-fA-F]{4}"
|
|
|
|
"-[0-9a-fA-F]{4}-[0-9a-fA-F]{4}-[0-9a-fA-F]{12}$")
|
|
|
|
|
|
|
|
|
|
|
|
class ReferenceProperty(Property):
|
2017-05-10 17:52:59 +02:00
|
|
|
|
2017-03-31 21:52:27 +02:00
|
|
|
def __init__(self, required=False, type=None):
|
|
|
|
"""
|
|
|
|
references sometimes must be to a specific object type
|
|
|
|
"""
|
|
|
|
self.type = type
|
|
|
|
super(ReferenceProperty, self).__init__(required, type=type)
|
2017-03-22 00:44:01 +01:00
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def clean(self, value):
|
2017-03-31 21:52:27 +02:00
|
|
|
if isinstance(value, _STIXBase):
|
|
|
|
value = value.id
|
2017-08-21 19:57:01 +02:00
|
|
|
value = str(value)
|
2017-03-31 21:52:27 +02:00
|
|
|
if self.type:
|
|
|
|
if not value.startswith(self.type):
|
|
|
|
raise ValueError("must start with '{0}'.".format(self.type))
|
2017-03-22 00:44:01 +01:00
|
|
|
if not REF_REGEX.match(value):
|
|
|
|
raise ValueError("must match <object-type>--<guid>.")
|
|
|
|
return value
|
2017-03-31 21:52:27 +02:00
|
|
|
|
|
|
|
|
|
|
|
SELECTOR_REGEX = re.compile("^[a-z0-9_-]{3,250}(\\.(\\[\\d+\\]|[a-z0-9_-]{1,250}))*$")
|
|
|
|
|
|
|
|
|
|
|
|
class SelectorProperty(Property):
|
2017-05-10 17:52:59 +02:00
|
|
|
|
2017-03-31 21:52:27 +02:00
|
|
|
def __init__(self, type=None):
|
|
|
|
# ignore type
|
|
|
|
super(SelectorProperty, self).__init__()
|
|
|
|
|
2017-04-17 21:13:11 +02:00
|
|
|
def clean(self, value):
|
2017-03-31 21:52:27 +02:00
|
|
|
if not SELECTOR_REGEX.match(value):
|
2017-04-18 21:19:16 +02:00
|
|
|
raise ValueError("must adhere to selector syntax.")
|
2017-03-31 21:52:27 +02:00
|
|
|
return value
|
2017-05-04 00:19:30 +02:00
|
|
|
|
|
|
|
|
2017-05-05 18:32:02 +02:00
|
|
|
class ObjectReferenceProperty(StringProperty):
|
2017-05-17 21:21:02 +02:00
|
|
|
|
|
|
|
def __init__(self, valid_types=None, **kwargs):
|
|
|
|
if valid_types and type(valid_types) is not list:
|
|
|
|
valid_types = [valid_types]
|
|
|
|
self.valid_types = valid_types
|
|
|
|
super(ObjectReferenceProperty, self).__init__(**kwargs)
|
2017-05-09 17:03:19 +02:00
|
|
|
|
|
|
|
|
|
|
|
class EmbeddedObjectProperty(Property):
|
2017-05-10 17:52:59 +02:00
|
|
|
|
2017-05-09 17:03:19 +02:00
|
|
|
def __init__(self, type, required=False):
|
|
|
|
self.type = type
|
|
|
|
super(EmbeddedObjectProperty, self).__init__(required, type=type)
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
if type(value) is dict:
|
|
|
|
value = self.type(**value)
|
|
|
|
elif not isinstance(value, self.type):
|
|
|
|
raise ValueError("must be of type %s." % self.type.__name__)
|
|
|
|
return value
|
2017-05-10 17:52:59 +02:00
|
|
|
|
|
|
|
|
|
|
|
class EnumProperty(StringProperty):
|
|
|
|
|
|
|
|
def __init__(self, allowed, **kwargs):
|
|
|
|
if type(allowed) is not list:
|
|
|
|
allowed = list(allowed)
|
|
|
|
self.allowed = allowed
|
|
|
|
super(EnumProperty, self).__init__(**kwargs)
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
value = super(EnumProperty, self).clean(value)
|
|
|
|
if value not in self.allowed:
|
|
|
|
raise ValueError("value '%s' is not valid for this enumeration." % value)
|
|
|
|
return self.string_type(value)
|
2017-08-18 20:22:57 +02:00
|
|
|
|
|
|
|
|
|
|
|
class PatternProperty(StringProperty):
|
|
|
|
|
|
|
|
def __init__(self, **kwargs):
|
|
|
|
super(PatternProperty, self).__init__(**kwargs)
|
|
|
|
|
|
|
|
def clean(self, value):
|
|
|
|
str_value = super(PatternProperty, self).clean(value)
|
|
|
|
errors = run_validator(str_value)
|
|
|
|
if errors:
|
|
|
|
raise ValueError(str(errors[0]))
|
|
|
|
|
|
|
|
return self.string_type(value)
|