| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788 | # -*- coding: utf-8 -*-"""    celery.utils.text    ~~~~~~~~~~~~~~~~~    Text formatting utilities"""from __future__ import absolute_importfrom itertools import ifilter, imapfrom textwrap import fillfrom pprint import pformatfrom kombu.utils.encoding import safe_reprdef dedent_initial(s, n=4):    return s[n:] if s[:n] == ' ' * n else sdef dedent(s, n=4):    return '\n'.join(imap(dedent_initial, s.splitlines()))def fill_paragraphs(s, width):    return '\n'.join(fill(p, width) for p in s.split('\n'))def join(l):    return '\n'.join(ifilter(None, l))def ensure_2lines(s):    if len(s.splitlines()) <= 2:        return s + '\n'    return sdef abbr(S, max, ellipsis='...'):    if S is None:        return '???'    if len(S) > max:        return ellipsis and (S[:max - len(ellipsis)] + ellipsis) or S[:max]    return Sdef abbrtask(S, max):    if S is None:        return '???'    if len(S) > max:        module, _, cls = S.rpartition('.')        module = abbr(module, max - len(cls) - 3, False)        return module + '[.]' + cls    return Sdef indent(t, indent=0):    """Indent text."""    return '\n'.join(' ' * indent + p for p in t.split('\n'))def truncate(text, maxlen=128, suffix='...'):    """Truncates text to a maximum number of characters."""    if len(text) >= maxlen:        return text[:maxlen].rsplit(' ', 1)[0] + suffix    return textdef pluralize(n, text, suffix='s'):    if n > 1:        return text + suffix    return textdef pretty(value, width=80, nl_width=80, **kw):    if isinstance(value, dict):        return '{{\n {0}'.format(pformat(value, 4, nl_width)[1:])    elif isinstance(value, tuple):        return '\n{0}{1}'.format(' ' * 4, pformat(value, width=nl_width, **kw))    else:        return pformat(value, width=width, **kw)def dump_body(m, body):    return '{0} ({1}b)'.format(truncate(safe_repr(body), 1024),                               len(m.body))
 |