web-dev-qa-db-fra.com

Comment imprimer facilement du texte ascii-art?

J'ai un programme qui décharge beaucoup de sortie, et je veux qu'une partie de cette sortie se démarque vraiment . Une façon pourrait être de rendre le texte important avec l'art ascii , comme ce service Web fait par exemple:

 #    #   ##   #####  #    # # #    #  ####  
 #    #  #  #  #    # ##   # # ##   # #    # 
 #    # #    # #    # # #  # # # #  # #      
 # ## # ###### #####  #  # # # #  # # #  ### 
 ##  ## #    # #   #  #   ## # #   ## #    # 
 #    # #    # #    # #    # # #    #  ####  

d'autres solutions peuvent être colorées ou en gras . Alors, comment faire ce genre de choses facilement en Python?

43
static_rtti
  • pyfiglet - pure Python implémentation de http://www.figlet.org

    pip install pyfiglet
    
  • termcolor - fonctions d'assistance pour la mise en forme des couleurs ANSI

    pip install termcolor
    
  • colorama - prise en charge multiplateforme (Windows)

    pip install colorama
    
import sys

from colorama import init
init(strip=not sys.stdout.isatty()) # strip colors if stdout is redirected
from termcolor import cprint 
from pyfiglet import figlet_format

cprint(figlet_format('missile!', font='starwars'),
       'yellow', 'on_red', attrs=['bold'])

Exemple

$ python print-warning.py 

missile

 $ python print-warning.py | cat 
 .___ ___. __ _______. _______. __ __ _______ __ 
 | \/| | |/|/|| | | | | ____ || | 
 | \/| | | | (---- `| (----` | | | | | | | __ | | 
 | | \/| | | |\\\\ | | | | | __ | | | 
 | | | | | | .----) | .----) | | | | `----. | | ____ | __ | 
 | __ | | __ | | __ | | _______/| _______/| __ | | _______ || _______ || _______ | (__) 
81
jfs

PIL donne un moyen cool de faire cela très simple. Vous pouvez rendre le texte sur une image n/b et convertir ce bitmap en un flux de chaîne en remplaçant les pixels noir et blanc en caractères.

import Image, ImageFont, ImageDraw

ShowText = 'Python PIL'

font = ImageFont.truetype('arialbd.ttf', 15) #load the font
size = font.getsize(ShowText)  #calc the size of text in pixels
image = Image.new('1', size, 1)  #create a b/w image
draw = ImageDraw.Draw(image)
draw.text((0, 0), ShowText, font=font) #render the text to the bitmap
for rownum in range(size[1]): 
#scan the bitmap:
# print ' ' for black pixel and 
# print '#' for white one
    line = []
    for colnum in range(size[0]):
        if image.getpixel((colnum, rownum)): line.append(' '),
        else: line.append('#'),
    print ''.join(line)

Il rend le résultat suivant:

 #######                 ##                              #######   ##  ##
 ##   ###           ##   ##                              ##   ###  ##  ##
 ##    ##           ##   ##                              ##    ##  ##  ##
 ##    ## ##    ## ####  ######     ####    ######       ##    ##  ##  ##
 ##    ##  ##  ###  ##   ###  ##   ##  ##   ###  ##      ##    ##  ##  ##
 ##   ##   ##  ##   ##   ##   ##  ##    ##  ##   ##      ##   ##   ##  ##
 ######    ##  ##   ##   ##   ##  ##    ##  ##   ##      ######    ##  ##
 ##         ## #    ##   ##   ##  ##    ##  ##   ##      ##        ##  ##
 ##         ####    ##   ##   ##  ##    ##  ##   ##      ##        ##  ##
 ##         ####    ##   ##   ##   ##  ##   ##   ##      ##        ##  ##
 ##          ##     ###  ##   ##    ####    ##   ##      ##        ##  ########
             ##
             ##
           ###             
         ##
       ###

J'ai fait un exemple un peu plus complet avec un style fonctionnel.

import Image, ImageFont, ImageDraw

ShowText = 'Python PIL'


font = ImageFont.truetype('arialbd.ttf', 15) #load the font
size = font.getsize(ShowText)  #calc the size of text in pixels
image = Image.new('1', size, 1)  #create a b/w image
draw = ImageDraw.Draw(image)
draw.text((0, 0), ShowText, font=font) #render the text to the bitmap

def mapBitToChar(im, col, row):
    if im.getpixel((col, row)): return ' '
    else: return '#'

for r in range(size[1]):
    print ''.join([mapBitToChar(image, c, r) for c in range(size[0])])
25
jshepherd

C'est marrant! J'ai compris comment utiliser PIL (la fourche "Pillow", bien sûr) et Numpy pour le faire entièrement "vectorisé", c'est-à-dire sans boucles:

text = "Hi there"
from PIL import Image, ImageDraw, ImageFont
import numpy as np
myfont = ImageFont.truetype("verdanab.ttf", 12)
size = myfont.getsize(text)
img = Image.new("1",size,"black")
draw = ImageDraw.Draw(img)
draw.text((0, 0), text, "white", font=myfont)
pixels = np.array(img, dtype=np.uint8)
chars = np.array([' ','#'], dtype="U1")[pixels]
strings = chars.view('U' + str(chars.shape[1])).flatten()
print( "\n".join(strings))
           ##           ##                            
 ##    ##  ##      ##   ##                            
 ##    ##          ##   ##                            
 ##    ##  ##     ##### #####    ####   ## ##  ####   
 ##    ##  ##      ##   ##  ##  ##  ##  ##### ##  ##  
 ########  ##      ##   ##  ##  ##  ##  ##    ##  ##  
 ##    ##  ##      ##   ##  ##  ######  ##    ######  
 ##    ##  ##      ##   ##  ##  ##      ##    ##      
 ##    ##  ##      ##   ##  ##  ##   #  ##    ##   #  
 ##    ##  ##       ### ##  ##   ####   ##     ####   
5
Dave Rove