Three Things You Can Do with Luatex That Would Be Extremely Painful Otherwise Paul Isambert Introduction Luatex Has Made Some Ty

Total Page:16

File Type:pdf, Size:1020Kb

Three Things You Can Do with Luatex That Would Be Extremely Painful Otherwise Paul Isambert Introduction Luatex Has Made Some Ty 184 TUGboat, Volume 31 (2010), No. 3 Three things you can do with LuaTEX that a horizontal list, what you get is the first node of would be extremely painful otherwise that list; you access the rest by sliding from next to next. Paul Isambert Nodes also have several other fields, depending on their types. These types are recorded as a Introduction number in their id field, a numeric value. For LuaTEX has made some typographic operations so instance, a glue node has id 10, whereas a glyph easy one might wonder why it wasn't invented thirty node has id 37. As long as LuaTEX hasn't reached years ago (probably because Lua didn't exist then). version 1, though, such values might change. So, in Here I'm going to describe three simple features order for our code to last, we must use the following that would require advanced wizardry to do the workaround: the node.id() function, when fed a same with any other engine. LuaTEX allows you to string denoting a node type, returns the associated explore some of TEX's most intimate parts with a id number. For instance, node.id("glue") returns rather easy programming language, and the result 10. Thus, when using symbolic names, we can is you can quite readily access things that were get the right id value, regardless of changes in unreachable before. The three issues I'm going to versions of LuaTEX. Another important field for address are: nodes is subtype, which distinguishes between nodes with the same id. It's a numeric value, and for • Turning lines into rules whose color depends on whatsits (which are numerous), one should use the line's original stretch or shrink. node.subtype() like node.id(). • Underlining. Symbolic names won't change; they are listed • Margin notes that align properly with the text. in the LuaTEX reference manual, in the chap- I'll try to explain some of LuaTEX's basic ter called Nodes, available from the LuaTEX web functionality as we encounter these issues, but two site; they're also listed in the tables returned by of them are worth mentioning right now: callbacks node.types() and node.whatsits(). It's simpler to and nodes. define variables beforehand rather than call node.id First, we can control TEX's operations at and node.subtype each time we need them. That's various stages thanks to callbacks. These are points what we'll do here: the following declarations should at which we can insert Lua code to modify or start any file containing our code; it can also be enhance TEX's processing. Callbacks range from made global by removing the local prefix and thus processing TEX's input buffer (e.g. to accommodate used anywhere once declared, but local variables a special encoding) to rewriting the paragraph are faster and safer. I use uppercase to mark their builder and loading OpenType fonts. status. Second, we can manipulate lists of nodes. To local HLIST = node.id("hlist") put it simply, nodes are the atoms that TEX local RULE = node.id("rule") uses to create pages: boxes, glyphs, glues, but also local GLUE = node.id("glue") penalties, whatsits, etc. A list of nodes is a sequence local KERN = node.id("kern") of such atoms linked together. A simple paragraph, local WHAT = node.id("whatsit") for instance, is a list made of horizontal boxes (the local COL = node.subtype("pdf_colorstack") lines), penalties and glues. The boxes themselves are lists containing mostly glyph and glue nodes. The color of a page Nodes are linked together like beads on a string, and Typographers speak of a page's color. While the the prev field of a node points to the preceding node color itself depends on several factors, its evenness in the list, whereas the next field returns the one depends on how lines are justified: loose lines make that follows (there is an understandable exception the page uneven in color, because large interword for the first and last nodes of a list, whose prev and space creates holes in the overall greyness. last fields respectively return nil). An important The code that follows takes the metaphor point to keep in mind is that when you query the literally: it turns a page's color into a real color content of, say, an \hbox, which in TEX's internal is pattern. The idea is to replace each line with a rule of the same height and width, and whose color Author's note: I'm not a member of the LuaTEX team and this paper has no kind of official authority | it's just the depends on the line's badness. If we take 0 as black result of experimentation by a LuaTEX user. Any error or and 1 as white, then a good line gets .5, tight lines misconception is mine. approach 0 (which represents an overfull line) and TUGboat, Volume 31 (2010), No. 3 185 loose lines tend to 1 (an underfull line). Now we don't allow more than 1 in order to remain in the have paragraphs and pages made of grey bars; the color range). less contrast between them, the better the page. The last line sets the color of the line as the To do this, we retrieve the horizontal boxes code to color_push, i.e. `n g', where n is a number created by the paragraph builder, check the badness between 0 and 1 and g a PDF operator setting the of each, then replace the box with the desired color in the grey model. In the rest of the loop we rule. This is easy to do in LuaTEX: we register replace the line's content with a sequence of three a function in the post_linebreak_filter callback. nodes: color_push, a rule, and color_pop: This callback accesses the list of nodes output local rule = node.new(RULE) by the paragraph builder, i.e. the lines of text rule.width = line.width interspersed with interline penalties and glues, plus local p = line.list perhaps other things (whatsits, inserts, :::) that line.list = node.copy(color_push) we'll ignore. Among these nodes we retrieve the node.flush_list(p) ones we want, namely the lines of text, and replace node.insert_after(line.list, them as described. line.list, rule) The code that follows, as all Lua code, should node.insert_after(line.list, node.tail(line.list), be fed to \directlua or stored in a .lua file. node.copy(color_pop)) local color_push = node.new(WHAT, COL) end local color_pop = node.new(WHAT, COL) color_push.stack = 0 What is done here is: first, we create a rule whose color_pop.stack = 0 width is the same as the original line's (we could color_push.cmd = 1 have created this rule beforehand with a width color_pop.cmd = 2 equal to \hsize, but this way we accommodate Here we have created two new whatsit nodes iden- changing line widths). Then we set the line's list as tified by their subtype as the Lua equivalents of a copy of color_push (we use a copy since we need \pdfcolorstack. They both modify stack 0 and that node for each line), and then we insert the rule color_push adds code to the stack while color_pop node and a copy of color_pop. The first argument removes it. We'll use them to set the color of each to node.insert_after is the list (denoted by its first line, with the exact content of the code added by node!) where we perform the insertion, the second color_push to be specified each time. one is the node in that list after which the insertion textcolor = function (head) is performed, and the last one is the inserted node; for line in node.traverse_id(HLIST, head) do node.tail returns the last node of its argument, so local glue_ratio = 0 the third node.insert_after inserts at the end of if line.glue_order == 0 then the list. if line.glue_sign == 1 then The story with p is this: we retrieve the line's glue_ratio = .5 * math.min(line.glue_set, content before replacing it, so we can erase it from 1) T X's memory; it has no effect on the output. else E glue_ratio = -.5 * line.glue_set Finally, and most importantly, we return the end mutated list for TEX to continue its operations, and end close the function. color_push.data = .5 + glue_ratio .. " g" return head Here's the beginning of our main function. It takes a end node as its argument: it will be the first node of the Now, to use the function, we register it in the list returned by the paragraph builder. That node, post_linebreak_filter callback: remember, denotes the entire list. We retrieve each line of text in this list, i.e. each node with id HLIST, \directlua{% and check its glue_order field; if it is 0, then the callback.register("post_linebreak_filter", line has been justified with finite glue and we want textcolor)} to know how bad it is (if the line uses infinite glue Note that we could improve this code for the then it is good by definition, as far as glue setting is first and last lines of a paragraph, taking the concerned). We access glue_sign to know whether indent and \parfillskip into account to create stretching or shrinking was used and glue_set to more faithful images of those lines. I leave it as an know the ratio (1 means the stretch/shrink was exercise to the reader, as is customary. fully used; glues can also be overstretched, but we 186 TUGboat, Volume 31 (2010), No.
Recommended publications
  • The Luacode Package
    The luacode package Manuel Pégourié-Gonnard <[email protected]> v1.2a 2012/01/23 Abstract Executing Lua code from within TEX with \directlua can sometimes be tricky: there is no easy way to use the percent character, counting backslashes may be hard, and Lua comments don’t work the way you expect. This package provides the \luaexec command and the luacode(*) environments to help with these problems, as well as helper macros and a debugging mode. Contents 1 Documentation1 1.1 Lua code in LATEX...................................1 1.2 Helper macros......................................3 1.3 Debugging........................................3 2 Implementation3 2.1 Preliminaries......................................4 2.2 Internal code......................................5 2.3 Public macros and environments...........................7 3 Test file 8 1 Documentation 1.1 Lua code in LATEX For an introduction to the most important gotchas of \directlua, see lualatex-doc.pdf. Before presenting the tools in this package, let me insist that the best way to manage a non- trivial piece of Lua code is probably to use an external file and source it from Lua, as explained in the cited document. \luadirect First, the exact syntax of \directlua has changed along version of LuaTEX, so this package provides a \luadirect command which is an exact synonym of \directlua except that it doesn’t have the funny, changing parts of its syntax, and benefits from the debugging facilities described below (1.3).1 The problems with \directlua (or \luadirect) are mainly with TEX special characters. Actually, things are not that bad, since most special characters do work, namely: _, ^, &, $, {, }. Three are a bit tricky but they can be managed with \string: \, # and ~.
    [Show full text]
  • Luatex Reference Manual
    LuaTEX Reference Manual stable July 2021 Version 1.10 LuaTEX Reference Manual copyright : LuaTEX development team more info : www.luatex.org version : July 23, 2021 Contents Introduction 13 1 Preamble 17 2 Basic TEX enhancements 19 2.1 Introduction 19 2.1.1 Primitive behaviour 19 2.1.2 Version information 19 2.2 UNICODE text support 20 2.2.1 Extended ranges 20 2.2.2 \Uchar 21 2.2.3 Extended tables 21 2.3 Attributes 21 2.3.1 Nodes 21 2.3.2 Attribute registers 22 2.3.3 Box attributes 22 2.4 LUA related primitives 23 2.4.1 \directlua 23 2.4.2 \latelua and \lateluafunction 25 2.4.3 \luaescapestring 25 2.4.4 \luafunction, \luafunctioncall and \luadef 25 2.4.5 \luabytecode and \luabytecodecall 26 2.5 Catcode tables 27 2.5.1 Catcodes 27 2.5.2 \catcodetable 27 2.5.3 \initcatcodetable 27 2.5.4 \savecatcodetable 27 2.6 Suppressing errors 28 2.6.1 \suppressfontnotfounderror 28 2.6.2 \suppresslongerror 28 2.6.3 \suppressifcsnameerror 28 2.6.4 \suppressoutererror 28 2.6.5 \suppressmathparerror 28 2.6.6 \suppressprimitiveerror 29 2.7 Fonts 29 2.7.1 Font syntax 29 2.7.2 \fontid and \setfontid 29 2.7.3 \noligs and \nokerns 29 2.7.4 \nospaces 30 2.8 Tokens, commands and strings 30 2.8.1 \scantextokens 30 2.8.2 \toksapp, \tokspre, \etoksapp, \etokspre, \gtoksapp, \gtokspre, \xtoksapp, \xtokspre 30 2.8.3 \csstring, \begincsname and \lastnamedcs 31 1 2.8.4 \clearmarks 31 2.8.5 \alignmark and \aligntab 31 2.8.6 \letcharcode 31 2.8.7 \glet 32 2.8.8 \expanded, \immediateassignment and \immediateassigned 32 2.8.9 \ifcondition 33 2.9 Boxes, rules and leaders
    [Show full text]
  • A Guide to Lualatex
    A guide to LuaLATEX Manuel Pégourié-Gonnard <[email protected]> May 5, 2013 1 吀his document is a map, or touristic guide, for the new worldAT ofLuaL EX. 吀he intended audience ranges from complete newcomers (with a working knowledge of conventional LATEX) to package developers. 吀his guide is intended to be compre- hensive in the following sense: it contains pointers to all relevant sources, gathers information that is otherwise sca琀tered, and adds introductory material. Feedback and suggestions for improvement are most welcome. 吀his document is work in progress; thanks for your comprehension and patience. 1 Introduction 2 1.1 Just what is LuaLATEX? ................................ 2 1.2 Switching from LATEX to LuaLATEX ......................... 3 1.3 A Lua-in-TEX primer ................................ 4 1.4 Other things you should know ........................... 6 2 Essential packages and practices 7 2.1 User-level ...................................... 7 2.2 Developer-level ................................... 7 3 Other packages 10 3.1 User-level ...................................... 10 3.2 Developer-level ................................... 10 4 吀he luatex and lualatex formats 11 5 吀hings that just work, partially work, or don't work (yet) 13 5.1 Just working ..................................... 13 5.2 Partially working .................................. 13 5.3 Not working (yet) .................................. 14 1 吀hough focusing on LuaLATEX, it includes relevant information about LuaTEX with the Plain format, too. 1 1 Introduction 1.1 Just what is LuaLATEX? To answer this question, we need to mention a few details about the TEX world that you may usually ignore: the difference between an engine and a format. An engine is an actual computer program, while a format is a set of macros executed by an engine, usually preloaded when the engine is invoked with a particular name.
    [Show full text]
  • LUATEX 0.60 P Taco Hoekwater, Hartmut Henkel Cahiers Gutenberg, N 56 (2011), P
    Cahiers O m LUATEX 0.60 P Taco Hoekwater, Hartmut Henkel Cahiers GUTenberg, nO 56 (2011), p. 127-133. <http://cahiers.gutenberg.eu.org/fitem?id=CG_2011___56_127_0> © Association GUTenberg, 2011, tous droits réservés. L’accès aux articles des Cahiers GUTenberg (http://cahiers.gutenberg.eu.org/), implique l’accord avec les conditions générales d’utilisation (http://cahiers.gutenberg.eu.org/legal.html). Toute utilisation commerciale ou impression systématique est constitutive d’une infraction pénale. Toute copie ou impression de ce fichier doit contenir la présente mention de copyright. LuaTEX 0.60 Taco Hoekwater, Hartmut Henkel Abstract:TEXLive 2010 will contain LuaTEX 0.60. This article gives an overview of the changes between this version and the version on last year’s TEXLive. Highlights of this release: cweb code base, dynamic loading of lua modules, various font subsystem improvements including support for Apple .dfont, font collection files, braced input file names, extended pdf Lua table, and access to the line breaking algorithm from Lua code. Key words: Lua, LuaTEX, verze 0.60 Abstrakt: Článek představuje změny a novinky ve verzi LuaTEXu 0.60. Klíčová slova: programovací jazyk Lua, LuaTEX, verze 0.60 References [1] LuaTEX Available at URL: http://www.luatex.org/ [2] The Programming Language Lua. Home page. Available at URL: http://www.lua.org/ taco (at) elvenkind (dot) com Elvenkind BV, Spuiboulevard 269, 3311 GP Dordrecht, The Netherlands doi: 10.5300/2011-2-4/127 127 72 72 72 General changes Some of the changes can be organised into sections, but not all. So first, here are the changes that are more or less standalone.
    [Show full text]
  • Using Plain TEX TUG 2009 Although We Use Context for Testing We Also Need to Check Basic Behaviour with a Minimal Macro Set and Bare Definitions
    LuaTEX using plain TEX TUG 2009 Although we use ConTEXt for testing we also need to check basic behaviour with a minimal macro set and bare definitions. Most tests with plain TEX are done with no additional code loaded (like running the TEXbook). It can be handy to check at least basic OpenType font support in plain TEX. And using mplib in its simple form also makes sense. Why We don't touch the plain TEX format. Format generation happens via luatex-plain.tex. There some code is hooked into \everyjob so that a few extra files are loaded. Additional font support uses files from the ConTEXt distribution but fancy features are not available. Also MetaPost library support is loaded, but again with no fancy extensions. In order not to get burdened by ConTEXt beta versions, all font related code can be loaded from a merge file. Principles As there is no high level font interface, the input method is similar to X TE EX but we also support location prefixes (file: and name:) and have a few more keys. Fonts can be loaded in base mode in which case TEX's traditional mechanisms for ligature building and kerning are used. We can also use node mode where we use Lua instead. This is needed when we use more complex OpenType features. We do support OpenType math fonts but keep in mind that plain has its own font model and math setup as it's not an all-purpose macro package. Fonts The extensions are loaded as follows: \input plain \directlua {tex.enableprimitives('', tex.extraprimitives())} \pdfoutput=1 \everyjob \expandafter {% \the\everyjob \input luatex-basics\relax \input luatex-fonts\relax \input luatex-mplib\relax } \edef\fmtversion{\fmtversion+luatex} The basics provide a \newattribute macro.
    [Show full text]
  • Connecting Luatex to Mongodb (Arstexnica, Numero 26, 2018)
    Connecting LuaTEX to MongoDB Roberto Giacomelli Abstract primary and foreign key constraint, the not null clause and so on. This paper describes in details a way to connect Secondly, the valuable advantage is that avoiding LuaT X to a MongoDB database server. As a con- E intermediate layer between data and T X means sequence, the Lua-powered typesetting engine be- E speeding up modifications. comes a candidate, along with other tools, to gen- I have frequently adapted project entity- erate beautiful reports. relationship diagrams whenever improvements From local-wide project to large web ap- were (e.g., the addition of a complex set of eco- plications, MongoDB—the popular NoSQL nomic information). So, I learned a lot about how database—creates a new point of view on datasets to translate real world entities into conceptual SQL also adopted by LuaT X. This could extend the E models, trying to keep minimalism in mind as much development perspectives. as possible. Changes were easy to apply but, after six years Sommario of development, things are no longer so easy to Questo articolo descrive in dettaglio un modo per keep up-to-date despite the success of the project. connettere LuaTEX a un database server Mon- After all, the world is constantly changing. And goDB, dimostrando come il motore di composi- I consider more important finding out database zione dotato dell’interprete Lua possa candidarsi, systems to allow a better data representation than insieme ad altri strumenti, a generare bellissimi incrementing data bandwidth as fast as hardware report. potentially could do. In other words, I’m looking Dal piccolo progetto alle grandi applicazioni web, for more natural criteria to model a reality in rapid MongoDB — il noto database di tipo NoSQL — and unpredictable evolution.
    [Show full text]
  • Luatex Reference Manual
    LuaTEX Reference Manual stable April 2021 Version 1.13 LuaTEX Reference Manual copyright : LuaTEX development team more info : www.luatex.org version : April 11, 2021 Contents Introduction 13 1 Preamble 17 2 Basic TEX enhancements 19 2.1 Introduction 19 2.1.1 Primitive behaviour 19 2.1.2 Version information 19 2.2 UNICODE text support 20 2.2.1 Extended ranges 20 2.2.2 \Uchar 21 2.2.3 Extended tables 21 2.3 Attributes 21 2.3.1 Nodes 21 2.3.2 Attribute registers 22 2.3.3 Box attributes 22 2.4 LUA related primitives 23 2.4.1 \directlua 23 2.4.2 \latelua and \lateluafunction 25 2.4.3 \luaescapestring 25 2.4.4 \luafunction, \luafunctioncall and \luadef 25 2.4.5 \luabytecode and \luabytecodecall 26 2.5 Catcode tables 27 2.5.1 Catcodes 27 2.5.2 \catcodetable 27 2.5.3 \initcatcodetable 27 2.5.4 \savecatcodetable 27 2.6 Suppressing errors 28 2.6.1 \suppressfontnotfounderror 28 2.6.2 \suppresslongerror 28 2.6.3 \suppressifcsnameerror 28 2.6.4 \suppressoutererror 28 2.6.5 \suppressmathparerror 28 2.6.6 \suppressprimitiveerror 29 2.7 Fonts 29 2.7.1 Font syntax 29 2.7.2 \fontid and \setfontid 29 2.7.3 \noligs and \nokerns 29 2.7.4 \nospaces 30 2.8 Tokens, commands and strings 30 2.8.1 \scantextokens 30 2.8.2 \toksapp, \tokspre, \etoksapp, \etokspre, \gtoksapp, \gtokspre, \xtoksapp, \xtokspre 30 2.8.3 \csstring, \begincsname and \lastnamedcs 31 1 2.8.4 \clearmarks 31 2.8.5 \alignmark and \aligntab 31 2.8.6 \letcharcode 31 2.8.7 \glet 32 2.8.8 \expanded, \immediateassignment and \immediateassigned 32 2.8.9 \ifcondition 33 2.9 Boxes, rules and leaders
    [Show full text]
  • TEX: a Branch in Desktop Publishing Evolution, Part 2
    HISTORY OF DESKTOP PUBLISHING: BUILDING THE INDUSTRY THEME ARTICLE: HISTORY OF DESKTOP PUBLISHING: BUILDING THE INDUSTRY TEX: A Branch in Desktop Publishing Evolution, Part 2 Donald Knuth began the development of TEX in 1977 and had an initial version running in 1978, with the Barbara Beeton American Mathematical Society aim of typesetting mathematical documents with the Karl Berry highest quality, and with archival reproducibility far TEX Users Group into the future. Its usage spread, and today the TEX David Walden system remains in use by a vibrant user community. However, the world of TEX has always been somewhat out of sync with the commercial desktop publishing systems that began to come out in the mid-1980s and are now ubiquitous in the worlds of publishing and printing. Part 1 of this history (Annals vol. 40, no. 3) was about the creation of TEX at Stanford and how it began to spread. This part is about (a) the expansion of TEX-based and TEX-related technology, and development of a worldwide community of TEX users and developers following the lead of Knuth’s original collaboration model, and (b) the impact TEX has had on the broader world. In Part 1 we were primarily talking about TEX as developed by Knuth. In Part 2 we sometimes speak of (LA)TEX, meaning TEX or LATEX but mostly LATEX. We also often say TEX when we mean TEX and everything that has been built on top of and around TEX; we hope the distinction between the TEX program itself and these extended meanings is clear from the context.
    [Show full text]
  • The Ucharcat Package∗
    The ucharcat Package∗ David Carlisle November 19, 2015 1 Introduction The 2015 release of XeTEX introduced a new command \Ucharcat, this is an extension of the \Uchar comand that has been available in XeTEX and luaTEX for some time. It takes a second integer value, that specifies the category code of the token to be produced. This allows character tokens to be constructed via expansion, which has many potential uses in producing expandable case changing, numeric counter represntations, etc. \Uchar 65 12 produces a catcode 12 A for example. This package provides a lua implementation of \Ucharcat for use with luatex, it silently accepts XeTEX and does nothing in that case if \Ucharcat is defined. The main difference between the lua implementation and the XeTEX primitive is that the lua implementation takes two expansions to produce the token. \edef\tmp{\Uchar 65 11 } is the same as \def\tmp{A} with both systems but \expandafter\def\expandafter\tmp\expandafter{\Uchar 65 11 } the same as \def\tmp{A} with XeTEX, but in luaTEX it is equivalent to \def\tmp{\directlua{UcharcatLua() 65 11 } 2 Examples This section will be omitted if this document is not processed with a suitable format. ∗This file has version number v0.03, last revised 2015/11/19. Please report any issues at https://github.com/davidcarlisle/dpctex/issues 1 • \Ucharcat 65 11 A is a capital A. • \Ucharcat 65 12 This is a catcode 12 A: yes. • \Ucharcat 65 1 and \Ucharcat 65 2 Bold is grouped by catcode 1 and 2 A. 3 Implementation Note that the current implementation uses \directlua and a dedicated lu- atex catcode array.
    [Show full text]
  • Latex2e News Issue 31
    LATEX News Issue 31, February 2020 Contents The current release has been tested by a number of people, and we have had valuable feedback on a range Experiences with the LATEX -dev formats 1 of the new ideas. This has allowed us to fix issues in several of the new features, as described below. A Concerning this release . (LuaLTEX engine) 1 We wish to thank all the dedicated users who have been trying out the development formats, and we Improved load-times for expl3 1 encourage others to do so. Pre-testing in this way does mean that, for the vast majority of users, problems are Improvements to LATEX font selection: NFSS 2 Extending the shape management in NFSS . 2 solved before they even appear! Extending the font series management in NFSS 2 Concerning this release . (LuaLATEX engine) Font series defaults per document family . 3 Handling of nested emphasis . 3 The new LuaHBTEX engine is LuaTEX with an Providing font family substitutions . 3 embedded HarfBuzz library. HarfBuzz can be used by Providing all text companion symbols by default 3 setting a suitable renderer in the font declaration. A New alias size function for use in .fd files . 4 basic interface for that is provided by fontspec. This Suppress unnecessary font substitution warnings 4 additional font renderer will greatly improve the shaping of various scripts when using LuaLATEX, many of which Other changes to the LATEX kernel 4 are currently handled correctly only by X TE EX, which UTF-8 characters in package descriptions . 4 always uses HarfBuzz. Fix inconsistent hook setting when To simplify testing of the new engine, binaries have loading packages .
    [Show full text]
  • Pdftex Users Manual
    %PDF-1.4 4 0 obj %ÐÔÅØ << 3 0 obj /Type /Font << /Subtype /Type1 /Length 119 /BaseFont /Times-Roman >> /FontDescriptor 8 0 R stream /FirstChar 33 BT /LastChar 116 /F1 9.9626 Tf 72 713.245 Td /Widths 7 0 R [(W)80(elcome)-250(to)-250(pdfT)]TJ /Encoding 6 0 R 67.818 -2.241 Td [(E)]TJ 4.842 >> 2.241 Td [(X!)]TJ endobj ET 5 0 obj endstream << endobj /Type /Pages 2 0 obj /Count 1 << /Kids [2 0 R] /Type /Page >> /Contents 3 0 R endobj /Resources 1 0 R 9 0 obj /MediaBox [0 0 612 792] << /Parent 5 0 R /Type /Catalog >> /Pages 5 0 R endobj >> 1 0 obj endobj << 10 0 obj /Font << /F1 4 0 R >> << /ProcSet [ /PDF /Text ] /Producer (pdfTeX-1.40.22) >> /Creator (TeX) endobj /CreationDate 7 0 obj (D:20210227094347-08’00’) [333 408 500 500 833 778 333 333 /ModDate (D:20210227094347-08’00’) 333 500 564 250 333 250 278 500 /Trapped /False 500 500 500 500 500 500 500 500 /PTEX.Fullbanner (This is pdfTeX, 500 278 278 564 564 564 444 921 Version 3.141592653-2.6-1.40.22 722 667 667 722 611 556 722 722 (TeX Live 2021) kpathsea version 333 389 722 611 889 722 722 556 722 6.3.3) 667 556 611 722 722 944 722 722 611 >> X user manual 333 278 333 469 500 333 444 500 444 endobj 500 444 333 500 500 278 278 500 278 xref 778 500 500 500 500 333 389 278] 0 11 E endobj 0000000000 65535 f 8 0 obj 0000000296 00000 n << 0000000192 00000 n /Type /FontDescriptor 0000000015 00000 n /FontName /Times-Roman 0000001010 00000 n /Flags 2 0000001162 00000 n /FontBBox [0 -216 1000 678] 0000000898 00000 n /Ascent 678 0000000363 00000 n /CapHeight 651 0000000716 00000 n /Descent -216 0000001219 00000 n /ItalicAngle 0 0000001268 00000 n /StemV 83 trailer /XHeight 450 << /Size 11 >> /Root 9 0 R endobj /Info 10 0 R 6 0 obj /ID << [<AFF1F3A60D0EC01BEC9335B601213F77> /Type /Encoding <AFF1F3A60D0EC01BEC9335B601213F77>] /Differences [33/exclam 69/E 84/T >> 87/W/X 99/c/d/e/f 108/l/m 111/o/p startxref 116/t] 1529 >> %%EOF endobj The pdfT The pdfTEX user manual Hàn Thê´ Thành Sebastian Rahtz Hans Hagen Hartmut Henkel Paweł Jackowski Martin Schröder Karl Berry February 18, 2021 Rev.
    [Show full text]
  • The Fontspec Package Font Selection for X LE ATEX and Lualatex
    The fontspec package Font selection for X LE ATEX and LuaLATEX WILL ROBERTSON With contributions by Khaled Hosny, Philipp Gesang, Joseph Wright, and others. http://wspr.io/fontspec/ 2020/02/21 v2.7i Contents I Getting started 5 1 History 5 2 Introduction 5 2.1 Acknowledgements ............................... 5 3 Package loading and options 6 3.1 Font encodings .................................. 6 3.2 Maths fonts adjustments ............................ 6 3.3 Configuration .................................. 6 3.4 Warnings ..................................... 6 4 Interaction with LATEX 2ε and other packages 7 4.1 Commands for old-style and lining numbers ................. 7 4.2 Italic small caps ................................. 7 4.3 Emphasis and nested emphasis ......................... 7 4.4 Strong emphasis ................................. 7 II General font selection 8 1 Main commands 8 2 Font selection 9 2.1 By font name ................................... 9 2.2 By file name ................................... 10 2.3 By custom file name using a .fontspec file . 11 2.4 Querying whether a font ‘exists’ ........................ 12 1 3 Commands to select font families 13 4 Commands to select single font faces 13 4.1 More control over font shape selection ..................... 14 4.2 Specifically choosing the NFSS family ...................... 15 4.3 Choosing additional NFSS font faces ....................... 16 4.4 Math(s) fonts ................................... 17 5 Miscellaneous font selecting details 18 III Selecting font features 19 1 Default settings 19 2 Working with the currently selected features 20 2.1 Priority of feature selection ........................... 21 3 Different features for different font shapes 21 4 Selecting fonts from TrueType Collections (TTC files) 23 5 Different features for different font sizes 23 6 Font independent options 24 6.1 Colour .....................................
    [Show full text]