سؤال

كنت أتصفح رمز مصدر Django ورأيت هذه الوظيفة:

def colorize(text='', opts=(), **kwargs):
    """
    Returns your text, enclosed in ANSI graphics codes.

    Depends on the keyword arguments 'fg' and 'bg', and the contents of
    the opts tuple/list.

    Returns the RESET code if no parameters are given.

    Valid colors:
    'black', 'red', 'green', 'yellow', 'blue', 'magenta', 'cyan', 'white'

    Valid options:
    'bold'
    'underscore'
    'blink'
    'reverse'
    'conceal'
    'noreset' - string will not be auto-terminated with the RESET code

    Examples:
    colorize('hello', fg='red', bg='blue', opts=('blink',))
    colorize()
    colorize('goodbye', opts=('underscore',))
    print colorize('first line', fg='red', opts=('noreset',))
    print 'this should be red too'
    print colorize('and so should this')
    print 'this should not be red'
    """
    code_list = []
    if text == '' and len(opts) == 1 and opts[0] == 'reset':
        return '\x1b[%sm' % RESET       
    for k, v in kwargs.iteritems(): 
        if k == 'fg':
            code_list.append(foreground[v]) 
        elif k == 'bg':
            code_list.append(background[v]) 
    for o in opts:
        if o in opt_dict:
            code_list.append(opt_dict[o])   
    if 'noreset' not in opts:
        text = text + '\x1b[%sm' % RESET
    return ('\x1b[%sm' % ';'.join(code_list)) + text

لقد أزلته خارج السياق ووضعته في ملف آخر لمجرد تجربته ، والشيء هو أنه لا يبدو أنه يلون النص الذي أعمره. قد لا أفهم ذلك بشكل صحيح ، لكن ليس من المفترض أن أعيد النص المحاط برموز رسومات ANSI التي سيتم تحويلها إلى الألوان الفعلية.

جربت جميع الأمثلة المعطاة لدعوته ، لكنها أعادت للتو الوسيطة التي حددتها كنص.

أنا أستخدم Ubuntu لذلك أعتقد أن المحطة يجب أن تدعم الألوان.

هل كانت مفيدة؟

المحلول

إنه لديك العديد من المصطلحات غير المحددة ، لأنها تعتمد على عدة متغيرات محددة خارج الوظيفة.

بدلا من ذلك فقط

import django.utils.termcolors as termcolors
red_hello = termcolors.colorize("Hello", fg='red') # '\x1b[31mHello\x1b[0m'
print red_hello

أو فقط قم بنسخ الأسطر القليلة الأولى من Django/utils/termcolors.py على وجه التحديد:

color_names = ('black', 'red', 'green', 'yellow', 'blue', 'magenta', 'cyan', 'white')
foreground = dict([(color_names[x], '3%s' % x) for x in range(8)])
background = dict([(color_names[x], '4%s' % x) for x in range(8)])
RESET = '0'

def colorize( ... ):
    ...
print colorize("Hello", fg='red') # '\x1b[31mHello\x1b[0m'

ملاحظة أيضا:

>>> from django.utils.termcolors import colorize
>>> red_hello = colorize("Hello", fg="red")
>>> red_hello # by not printing; it will not appear red; special characters are escaped
'\x1b[31mHello\x1b[0m'
>>> print red_hello # by print it will appear red; special characters are not escaped
Hello
مرخصة بموجب: CC-BY-SA مع الإسناد
لا تنتمي إلى StackOverflow
scroll top