Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up

Multi-channel signed distance field generator fork that offers a C API

License

NotificationsYou must be signed in to change notification settings

karmakrafts/msdfgen

 
 

Repository files navigation

Also make sure to check outthe original msdfgen project which this project is based on

This is a utility for generating signed distance fields from vector shapes and font glyphs,which serve as a texture representation that can be used in real-time graphics to efficiently reproduce said shapes.Although it can also be used to generate conventional signed distance fields best known fromthis Valve paperand perpendicular distance fields, its primary purpose is to generate multi-channel distance fields,using a method I have developed. Unlike monochrome distance fields, they have the abilityto reproduce sharp corners almost perfectly by utilizing all three color channels.

The following comparison demonstrates the improvement in image quality.

demo-msdf16demo-sdf16demo-sdf32

Library API

If you choose to use this utility inside your own program, there are a few simple steps you need to performin order to generate a distance field. Please note that all classes and functions are in themsdfgen namespace.

  • Acquire aShape object. You can either load it vialoadGlyph orloadSvgShape, or construct it manually.It consists of closed contours, which in turn consist of edges. An edge is represented by aLinearEdge,QuadraticEdge,orCubicEdge. You can construct them from two endpoints and 0 to 2 Bézier control points.
  • Normalize the shape using itsnormalize method and assign colors to edges if you need a multi-channel SDF.This can be performed automatically using theedgeColoringSimple (or other) heuristic, or manually by setting each edge'scolor member. Keep in mind that at least two color channels must be turned on in each edge.
  • CallgenerateSDF,generatePSDF,generateMSDF, orgenerateMTSDF to generate a distance field into a floating pointBitmap object. This can then be worked with further or saved to a file usingsaveBmp,savePng, orsaveTiff.
  • You may also render an image from the distance field usingrenderSDF. Consider callingsimulate8biton the distance field beforehand to simulate the standard 8 bits/channel image format.

Example using the C++ API:

#include<msdfgen.h>#include<msdfgen-ext.h>usingnamespacemsdfgen;intmain() {    FreetypeHandle *ft =initializeFreetype();if (ft) {        FontHandle *font =loadFont(ft,"C:\\Windows\\Fonts\\arialbd.ttf");if (font) {            Shape shape;if (loadGlyph(shape, font,'A')) {                shape.normalize();//                      max. angleedgeColoringSimple(shape,3.0);//          output width, height                Bitmap<float,3>msdf(32,32);//                           scale, translation                SDFTransformationt(Projection(1.0,Vector2(4.0,4.0)),Range(4.0));generateMSDF(msdf, shape, t);savePng(msdf,"output.png");            }destroyFont(font);        }deinitializeFreetype(ft);    }return0;}

Example using the C API:

#include<msdfgen_c.h>intmain(int num_args,char** args) {msdf_bitmap_t bitmap;if(msdf_bitmap_alloc(MSDF_BITMAP_TYPE_MSDF,16,16, &bitmap) != MSDF_SUCCESS) {return1;    }    msdf_shape_handle shape =NULL;if(msdf_shape_alloc(&shape) != MSDF_SUCCESS) {return;// Handle error accordingly    }// Create shape data from font using FreeType, STB etc here..msdf_transform_t transform;    transform.scale.x =1.0;    transform.scale.y =1.0;    transform.translation.x =4.0;    transform.translation.y =4.0;    transform.distance_mapping.lower =4.0;    transform.distance_mapping.upper =4.0;if(msdf_generate_msdf(&bitmap, shape, &transform) != MSDF_SUCCESS) {return1;    }// DO SOMETHING WITH THE GENERATED GLYPH BITMAP HERE..// Make sure to free heap allocated resources when we're donemsdf_shape_free(shape);msdf_bitmap_free(&bitmap);return0;}

Using a multi-channel distance field

Using a multi-channel distance field generated by this program is similarly simple to how a monochrome distance field is used.The only additional operation is computing themedian of the three channels inside the fragment shader,right after sampling the distance field. This signed distance value can then be used the same way as usual.

The following is an example GLSL fragment shader with anti-aliasing:

invec2 texCoord;outvec4 color;uniformsampler2D msdf;uniformvec4 bgColor;uniformvec4 fgColor;float median(float r,float g,float b) {returnmax(min(r, g),min(max(r, g), b));}void main() {vec3 msd= texture(msdf, texCoord).rgb;float sd= median(msd.r, msd.g, msd.b);float screenPxDistance= screenPxRange()*(sd-0.5);float opacity=clamp(screenPxDistance+0.5,0.0,1.0);    color=mix(bgColor, fgColor, opacity);}

Here,screenPxRange() represents the distance field range in output screen pixels. For example, if the pixel range was set to 2when generating a 32x32 distance field, and it is used to draw a quad that is 72x72 pixels on the screen,it should return 4.5 (because 72/32 * 2 = 4.5).For 2D rendering, this can generally be replaced by a precomputed uniform value.

For rendering in a3D perspective only, where the texture scale varies across the screen,you may want to implement this function with fragment derivatives in the following way.I would suggest precomputingunitRange as a uniform variable instead ofpxRange for better performance.

uniformfloat pxRange;// set to distance field's pixel rangefloat screenPxRange() {vec2 unitRange=vec2(pxRange)/vec2(textureSize(msdf,0));vec2 screenTexSize=vec2(1.0)/fwidth(texCoord);returnmax(0.5*dot(unitRange, screenTexSize),1.0);}

screenPxRange() must never be lower than 1. If it is lower than 2, there is a high probability that the anti-aliasing will failand you may want to re-generate your distance field with a wider range.

Shape description syntax

The text shape description has the following syntax.

  • Each closed contour is enclosed by braces:{ <contour 1> } { <contour 2> }
  • Each point (and control point) is written as two real numbers separated by a comma.
  • Points in a contour are separated with semicolons.
  • The last point of each contour must be equal to the first, or the symbol# can be used, which represents the first point.
  • There can be an edge segment specification between any two points, also separated by semicolons.This can include the edge's color (c,m,y orw) and/or one or two Bézier curve control points inside parentheses.

For example,

{ -1, -1; m; -1, +1; y; +1, +1; m; +1, -1; y; # }

would represent a square with magenta and yellow edges,

{ 0, 1; (+1.6, -0.8; -1.6, -0.8); # }

is a teardrop shape formed by a single cubic Bézier curve.

Releases

No releases published

Packages

No packages published

Languages

  • C++87.9%
  • C8.3%
  • CMake3.8%

[8]ページ先頭

©2009-2025 Movatter.jp