-
| When on Processing I would go to Ricard Marxer's Geomerative for polygon operations (like clipping, union and intersection) and to pick vertex points ("contours") from text rendered in a particular font in order to play with it. Now on py5 I can clumsily use shapely for some stuff, but I'm struggling to get from text to shapes... I made some desperate attempts at using fontforge as Python module (when you install fontforge you get a hidden Python module) to get some glyph contours but it was horrible. I've tried so much stuff, even python-skia... and I always stumble. Can someone please show me something sensible, maybe with freetype (Marcelo Prates's tip)? | 
Beta Was this translation helpful? Give feedback.
Replies: 2 comments 11 replies
-
| Processing does have the ability to get a PShape object from PFont instances but it is not documented. py5 does document it in the reference docs: http://py5coding.org/reference/py5font_get_shape.html Once you have the Py5Shape objects you can get the shape's vertices. http://py5coding.org/reference/py5shape_get_vertex.html Does this help? An alternative is to work in two phases. You can create a Sketch with just the text you want and render it as an SVG file. That SVG file can then be read back into py5 in a new Sketch because Processing seems to be good at reading the SVG files it creates with  | 
Beta Was this translation helpful? Give feedback.
-
| Thanks for the help @hx2A, wonderful that py5 exposes Processing's hidden  Comments and improvement suggestions are welcome, folks! I think I should add some font size handling, maybe. import py5
from shapely.geometry import Polygon, MultiPolygon, GeometryCollection, LineString, Point
# Experiment to extract poly shapes from a text rendered in a specific font
# Demo sketch for poly_from_text() and draw_shapely_objs()
def setup():
    global shapes
    py5.size(1200, 400)
    py5.color_mode(py5.HSB)
    py5.stroke(255)
    font = py5.create_font('Inconsolata Bold', 100)
    shapes = polys_from_text(
        'Oi B008!\né o gnumundo®...\nviva a ciberlândia!',
        font)
def draw():
    py5.background(100)
    py5.translate(100, 100)
    py5.fill(255, 100)
    for i, shp in enumerate(shapes):
        py5.fill((i * 8) % 256, 255, 255, 100)
        draw_shapely_objs(shp)
        
def polys_from_text(words, font, alternate_spacing=False):
    """
    Produce a list of shapely Polygons (with holes!) from a string.
    New-line chars will try to move text to a new line.
    
    The alternate_spacing option will pick the glyph
    spacing from py5.text_width() for each glyph, it can be
    too spaced, but good for monospaced font alignment.
    """
    py5.text_font(font)
    space_width = py5.text_width(' ')
    results = []
    x_offset = y_offset = 0
    for c in words:
        if c == '\n':
            y_offset += font.get_size()
            x_offset = 0  # assuming left aligned text...
            continue
        glyph_pt_lists = [[]]
        c_shp = font.get_shape(c, 1)
        vs3 = [c_shp.get_vertex(i) for i in range(c_shp.get_vertex_count())]
        vs = set()
        for vx, vy, _ in vs3:
            x = vx + x_offset
            y = vy + y_offset
            glyph_pt_lists[-1].append((x, y))
            if (x, y) not in vs:
                vs.add((x, y))
            else:
                glyph_pt_lists.append([])  # will leave a trailling empty list
        if alternate_spacing:
            w = py5.text_width(c)
        else:
            w = c_shp.get_width() if vs3 else space_width
        x_offset += w
        # filter out elements with less than 3 points 
        # and stop before the trailling empty list
        glyph_polys = [Polygon(p) for p in glyph_pt_lists[:-1] if len(p) > 2]
        if glyph_polys:  # there are still empty glyphs at this point.
            glyph_shapes = process_glyphs(glyph_polys)
            results.extend(glyph_shapes)
    return results
def process_glyphs(polys):
    """
    Try to subtract the shapely Polygons representing a glyph
    in order to produce appropriate looking glyphs!
    """
    polys = sorted(polys, key=lambda p: p.area, reverse=True)
    results = [polys[0]]
    for p in polys[1:]:
        # works on edge cases like â and ®
        for i, earlier in enumerate(results):
            if earlier.contains(p):
                results[i] = results[i].difference(p)
                break
        else:   # the for-loop's else only executes after unbroken loops 
            results.append(p)
    return results
def draw_shapely_objs(element):
    """
    With py5, draw some shapely object (or a list of objects).
    """
    if isinstance(element, (MultiPolygon, GeometryCollection)):
        for p in element.geoms:
            draw_shapely_objs(p)
    elif isinstance(element, Polygon):
        with py5.begin_closed_shape():
            if element.exterior.coords:
                py5.vertices(element.exterior.coords)
            for hole in element.interiors:
                with py5.begin_contour():
                    py5.vertices(hole.coords)
    elif isinstance(element, list):
        for i, p in enumerate(element):
            draw_shapely_objs(p)
    elif isinstance(element, LineString):
        (xa, ya), (xb, yb) = element.coords
        py5.line(xa, ya, xb, yb)
    elif isinstance(element, Point):
        with py5.push_style():
            x, y = element.coords[0]
            py5.point(x, y)
    else:
        print(f"I can't draw {element}.")
py5.run_sketch()PS: I'm getting a "Need to call beginShape() first" warning from Processing I can't figure why... It is not from the drawing part it is from the glyph extracting part! | 
Beta Was this translation helpful? Give feedback.



Thanks for the help @hx2A, wonderful that py5 exposes Processing's hidden
PFont.get_shape()!Comments and improvement suggestions are welcome, folks!
I think I should add some font size handling, maybe.