Commit graph

9134 commits

Author SHA1 Message Date
tnn
91a21ebdc7 pdflib-lite: master site is gone 2022-04-23 23:47:08 +00:00
mef
21ec930513 (print/R-knitr) Update DEPENDS version for R-evaluate>=0.15 2022-04-23 14:31:10 +00:00
mef
7ab9124b83 (print/R-knitr) Adding TEST_DEPENDS+, but still missing some 2022-04-23 11:42:58 +00:00
mef
8c6fbcae7c (print/R-knitr) Updated 1.34 to 1.38
knitr 1.38
-------------------------------------------------------
NEW FEATURES

  * The chunk option file can take a vector of file paths now, i.e., this
    option can be used to read more than one file (e.g., file = c("foo.R",
    "bar.R").

  * Added a new engine named exec (#2073) to execute an arbitrary command on
    the code chunk, e.g.,

    ```{exec, command='Rscript'}
    1 + 1
    ```

    The above code chunk executes the Rscript command with the chunk body as
    its input (which basically means executing the R code in a new R session).
    See the example #124 in the repo https://github.com/yihui/knitr-examples
    for more info.

    There exists several command-based engines in knitr, such as awk, bash,
    perl, go, and dot, etc. This new exec engine provides a general mechanism
    to execute any command that users provide. For example, the code chunk

    ```{bash}
    echo 'Hello world!'
    ```

    is equivalent to the chunk using the exec engine and the bash command:

    ```{exec, command='bash'}
    echo 'Hello world!'
    ```

    With this new engine, we no longer need to provide or maintain other simple
    command-based engines. For example, to support TypeScript (#1833), we only
    need to specify command = 'ts-node' with the exec engine.

    If the command has significant side-effects (e.g., compile source code to
    an executable and run the executable, or generate plots to be included in
    the output), it is also possible to create a new engine based on the exec
    engine. The example #124 in the knitr-examples repo has provided a gcc
    example.

    We'd like to thank @TianyiShi2001 for the inspiration (#1829 #1823 #1833).

  * Added a new engine ditaa based on the exec engine to convert ASCII art
    diagrams to bitmaps via the ditaa command (thanks, @kondziu, #2092).

  * Added two new chunk options, class.chunk and attr.chunk, for R Markdown
    output. These options can enclose the whole chunk output (source and
    results) in a fenced Div. Their syntax follows other chunk options with the
    similar names class.* and attr.* (e.g., class.source and attr.source). For
    example, class.chunk = "foo" would wrap the chunk output inside ::: {.foo}
    and ::: (thanks, @atusy, #2099).

  * Added a new chunk option lang to set the language name of a code chunk. By
    default, the language name is the engine name. This is primarily useful for
    syntax highlighting the source chunks in Markdown-based output. Previously
    the lang option was only available to a few engines such as verbatim and
    embed. Now it is available to all engines.

  * Added a new wrapper function rnw2pdf(). It allows users to specify an
    arbitrary output file path, clean the intermediate files, and stop when any
    error occurs in knitting (thanks, @shrektan, #2113).

  * New calling.handlers option for opts_chunk$set() to register calling
    handlers within chunks. See ?evaluate::new_output_handler for details.

MAJOR CHANGES

  * The minimal required version of R was bumped from 3.2.3 to 3.3.0 (thanks,
    @essemenoff, #2100).

  * The working directory under which chunk options are evaluated has been
    changed to the directory of the source document by default. If the package
    option root.dir is set to a different directory, that directory will be
    used as the working directory (#2081).

  * include_graphics() will expand ~ in the image paths now and also warn
    against absolute paths (thanks, @kcarnold, #2063).

  * opts_chunk$set() returns values of old chunk options after setting new
    chunk options now, instead of returning NULL, which can make it a little
    simpler to reset chunk options, e.g., you can temporarily change a few
    chunk options and save them with old = opts_chunk$set(error = FALSE,
    fig.height = 3), and reset them later with opts_chunk$set(old). This works
    for any other objects in knitr that have the $set() methods, such as
    opts_knit, opts_hooks, knit_hooks, knit_engines, and so on.

MINOR CHANGES

  * The chunk option fig.scap has been added to eval.after in opts_knit
    (thanks, @knokknok, #2061).

BUG FIXES

  * Chunk options defined in the #| style are not recognized when the code
    chunk is indented or quoted (thanks, @mine-cetinkaya-rundel, #2086).

  * Fixed a bug in Sweave2knitr() #2097 (thanks, @chroetz).

knitr 1.37
----------------------------------------------------------------
NEW FEATURES

  * Added a new chunk option named file so that the chunk content can be read
    from an external file. Setting the chunk option file = "test.R" is
    equivalent to using the chunk option code = xfun::read_utf8("test.R").

  * For R Markdown documents, code chunks can be embedded in a parent code
    chunk with more backticks now. For example, a code chunk with four
    backticks can contain code chunks with three backticks. One application is
    to conditionally include some verbatim content that contains code chunks
    via the asis engine, e.g.,

    ````{asis, echo=format(Sys.Date(), "%w") == 1}
    Some conditional content only included when report is built on a Monday

    ```{r}
    1 + 1
    ```

    On another day, this content won't be included.
    ````

    Note that the embedded child code chunks (e.g., in the asis chunk above)
    are not parsed or evaluated by knitr, and only the top-level code chunk is
    parsed and evaluated.

  * Added a new engine named comment to comment out content, e.g.,

    ````{comment}
    Arbitrary content to be commented out.

    ```{r}
    1 + 1
    ```

    The above code chunk will not be executed.
    Inline code like `r pi * 5^2` will be ignored, too.
    ````

    Note that if any line of the content to be commented out contains N
    backticks, you will have to use at least N + 1 backticks in the chunk
    header and footer of the comment chunk.

  * Added a new engine named verbatim mainly for R Markdown documents to output
    verbatim content that contains code chunks and/or inline expressions, e.g.,

    ````{verbatim}
    We can output arbitrary content verbatim.

    ```{r}
    1 + 1
    ```

    The content can contain inline code like
    `r pi * 5^2`, too.
    ````

    By default, the verbatim content is placed in a fenced default code block:

    ````default
    We can output arbitrary content verbatim.

    ```{r}
    1 + 1
    ```

    The content can contain inline code like
    `r pi * 5^2`, too.
    ````

    You can change the default language name of the block via the chunk option
    lang, e.g., lang = 'markdown' will output a code block like this:

    ````markdown
    We can output arbitrary content verbatim.

    ```{r}
    1 + 1
    ```

    The content can contain inline code like
    `r pi * 5^2`, too.
    ````

    To disable the language name on the block, use an empty string lang = ''.

    The difference between the verbatim and asis engine is that the former will
    put the content in a fenced code block, and the latter just output the
    content as-is.

    You can also display a file verbatim by using the chunk option file, e.g.,

    ```{verbatim, file="test.Rmd"}
    ```

    This engine also works for other types of documents (e.g., Rnw) but it will
    not allow for nested code chunks within the verbatim code chunk.

  * Added a new engine named embed to embed external plain-text files. It is
    essentially a simple wrapper based on the verbatim engine, with the chunk
    content read from an external file and default language guessed from file
    extension. That is,

    ```{embed, file="foo.R"}
    ```

    is equivalent to

    ```{verbatim, file="foo.R", lang="r"}
    ```

    If you provide the chunk option file to the embed engine, it will read the
    file and show its content verbatim in the output document. Alternatively,
    you can specify the file path in the chunk body, e.g.,

    ```{embed}
    "foo.txt"
    ```

    The quotes are optional but can be helpful for editors (e.g., RStudio IDE)
    to autocomplete the file paths.

    The syntax highlighting language name is from the filename extension by
    default, and you can override it with the chunk option lang (e.g., file =
    "foo.sh", lang = "bash") which is then identical to the verbatim engine.

BUG FIXES

  * The chunk option child also respects the package option root.dir now
    (thanks, @salim-b, https://community.rstudio.com/t/117563).

  * Fixed a LaTeX error "Package xcolor Error: Undefined color `fgcolor'" with
    .Rnw documents (thanks, Kurt Hornik).

MINOR CHANGES

  * Improved the (warning) message when unbalanced chunk delimiters are
    detected in R Markdown documents, to make it easier for users to fix the
    problem. The message now contains the line numbers of the opening fence and
    closing fence, as well as the opening and closing backticks. For example,
    the opening fence may be "````{r}" (four backticks) but the closing fence
    is "```" (three backticks---should also be four to match the opening
    fence), or the opening fence is indented " ```{r}" but the closing fence is
    not "```". Note that this warning message may become an error in the
    future, i.e., unbalanced chunk delimiters will no longer be allowed.

knitr 1.36
-----------------------------------------------
MAJOR CHANGES

  * In knitr 1.35, if the indentation of the closing backticks does not match
    the indentation of the chunk header in an Rmd document, the closing
    backticks would not be treated as closing fence of a code chunk. This
    behavior has been reverted because we have discovered several cases in
    which the indentation was accidental. A warning message will be issued
    instead, and you are still recommended to fix the improper indentation if
    discovered.

BUG FIXES

  * Fixed a regression in knitr 1.31 that caused package vignettes to generate
    (tangle) invalid R scripts (thanks, @t-kalinowski @halldc, #2052).

knitr 1.35
-------------------------------------------------
NEW FEATURES

  * Chunk options can also be written inside a code chunk now after the special
    comment #|, e.g.,

    ```{r}
    #| echo = FALSE, fig.width = 10,
    #| fig.cap = "This is a long caption."

    plot(cars)
    ```

    The main differences between this new syntax and traditional syntax (i.e.,
    chunk options in the chunk header) are: 1) the chunk options can be freely
    wrapped, i.e., you can write them on as many lines as you prefer; 2) you
    can also use the YAML syntax instead of the comma-separated syntax if you
    like, e.g.,

    ```{r}
    #| echo: false
    #| fig.width: 10
    ```

    Chunk options provided inside a code chunk will override options with the
    same names in the chunk header if chunk options are provided in both
    places, e.g.,

    ```{r, echo = TRUE}
    #| echo = FALSE, fig.width = 10
    ```

    The effective chunk options for the above chunk are echo = FALSE and
    fig.width = 10.

MAJOR CHANGES

  * For R Markdown documents, if the chunk header is indented, the closing
    backticks (usually ```) of the chunk must be indented with the same amount
    of spaces (thanks, @atusy, #2047). For example, the following is no longer
    a valid code chunk because the chunk header is indented but the closing
    backticks are not:

     ```{r}
    1 + 1
    ```

    If you see an error "attempt to use zero-length variable name" when
    knitting an Rmd document, it may be because of this change, and you may
    have indented the chunk header by accident. If that is the case, you need
    to remove the extra white spaces before the chunk header.

    The same problem applies to blockquotes, i.e., > before ```. If you quote
    the chunk header, you have to quote the footer as well, e.g.,

    > ```{r}
    1 + 1
    ```

    The above unbalanced code chunk needs to be corrected to:

    > ```{r}
    > 1 + 1
    > ```

    Quoting the chunk body is optional but recommended.

BUG FIXES

  * Fixed a regression in v1.34: now blank lines in code chunks are stripped
    only when collapse = FALSE but no longer stripped by default when collapse
    = TRUE. If you prefer blank lines to be always stripped, set strip.white =
    TRUE globally or on the per chunk basis (thanks, @IndrajeetPatil, rstudio/
    rmarkdown#2220, #2046).

  * In knitr::combine_words(), when words is length 2 and and = "", sep will
    now be used (thanks, @eitsupi, #2044).

  * For R Markdown documents, if the chunk output contains N backticks, the
    output hook will use N + 1 backticks to wrap the output, so that the N
    verbatim backticks can be correctly preserved (thanks, @atusy, #2047).
2022-04-23 02:07:00 +00:00
micha
825ea446ba print/tex-regexpatch-doc: Fix package version
Documentation is for version 0.2f of tex-regexpatch.
2022-04-20 16:24:07 +00:00
markd
28d68044e3 tex-tex4ht{,-doc}: update to 2022
changes unknown
2022-04-19 04:31:53 +00:00
markd
b2b5c5dffa tex-bxorigcapt{,-doc}: update to 1.0
changes unknown
2022-04-19 04:29:08 +00:00
markd
3fd402d98e tex-termcal-de{,-doc}: Add version 2.0
This package provides a German localization to the termcal
package written by Bill Mitchell, which is intended to print a
term calendar for use in planning a class.
2022-04-19 03:11:48 +00:00
markd
d935b86880 tex-termcal{,-doc}: Add version 1.8
This package is intended to print a term calendar for use in
planning a class. It has a flexible mechanism for specifying
which days of the week are to be included and for inserting
text either regularly on the same day each week, or on selected
days, or for a series of consecutive days. It also has a
flexible mechanism for specifing class and nonclass days. Text
may be inserted into consecutive days so that it automatically
flows around nonclass days.
2022-04-19 03:07:31 +00:00
markd
dc19739de5 tex-schulmathematik{,-doc}: Add version 1.2
The schulmathematik bundle provides two LaTeX packages and six
document classes for German-speaking teachers of mathematics
and physics.
2022-04-19 03:04:19 +00:00
markd
3f5b3837c4 tex-quran-de{,-doc}: Add version 0.2
The package is prepared for typesetting some German
translations of the Holy Quran. It adds three more German
translations to the quran package.
2022-04-19 03:01:32 +00:00
markd
b0321cf63c tex-quran{,-doc}: Add version 1.81
This package offers the user an easy way to typeset The Holy
Quran. It has been inspired by the lipsum and ptext packages
and provides several macros for typesetting the whole or any
part of the Quran based on its popular division, including
surah, ayah, juz, hizb, quarter, and page. Besides the Arabic
original, translations to English, German, French, and Persian
are provided, as well as an English transliteration.
2022-04-19 02:57:16 +00:00
markd
b0c14102ab tex-bidi{,-doc}: Add version 36.7
A convenient interface for typesetting bidirectional texts with
plain TeX and LaTeX. The package includes adaptations for use
with many other commonly-used packages.
2022-04-19 02:53:13 +00:00
markd
ca11ecacaa tex-apalike-german{,-doc}: Add version 2022
A copy of apalike.bst (which is part of the base BibTeX
distribution) with German localization.
2022-04-19 02:50:25 +00:00
markd
deba8097fa tex-kpathsea-doc: restore TEXLIVE_IGNORE_PATTERNS to install info file. 2022-04-18 22:42:10 +00:00
adam
f5e35d538b revbump for textproc/icu update 2022-04-18 19:09:40 +00:00
markd
b80d624b7f tex-pmhanguljamo{,-doc}: Add version 0.4
This package provides a Hangul transliteration input method
that allows to typeset Korean letters (Hangul) using the proper
fonts. The name is derived from "Poor man's Hangul Jamo Input
Method". The use of XeLaTeX is recommended. pdfTeX is not
supported.
2022-04-18 05:03:03 +00:00
markd
a381336a92 tex-bredzenie{,-doc}: Add version 1.0
This is a polish version of the classic pseudo-Latin "lorem
ipsum dolor sit amet...". It provides access to several
paragraphs of pseudo-Polish generated with Hidden Markov Models
and Recurrent Neural Networks trained on a corpus of Polish.
2022-04-18 05:00:16 +00:00
markd
f5a8432c77 tex-context-layout{,-doc}: Add versio 20070627
Draws a representation of the layout of the current page and
displays the sizes of the widths and heights of the margins,
header, footer and text body.
2022-04-18 04:33:20 +00:00
markd
48a8339031 tex-context-inifile{,-doc}: Add version 20080715
The module parses an ini-file and prints the contents with a
user-defined layout. The entries of the file may be sorted by
up to three sort keys. The format of a simple ini-file would
be: [key1] symbol1 = value1 symbol2 = value2 [key2] symbol1 =
value3 symbol2 = value4 The module only works with ConTeXt
MkIV, and uses Lua to help process the input.
2022-04-18 04:30:24 +00:00
markd
708bd1d73a tex-context-handlecsv{,-doc}: Add version 20190527
The package handles csv data merging for automatic document
creation.
2022-04-18 04:27:38 +00:00
markd
323e9dae16 tex-context-cmttbf{,-doc}: Add version 20060912
The module makes provision for bold typewriter CM fonts, in
ConTeXt. Such a font may be found in the Computer Modern 'extra
bold' font set.
2022-04-18 04:24:09 +00:00
markd
9fe03ddcb6 tex-context-cmscbf{,-doc}: Add version 20060912
The module makes provision for bold caps and small caps CM
fonts, in ConTeXt. Such a font may be found in the Computer
Modern 'extra bold' font set.
2022-04-18 04:21:04 +00:00
markd
f4fadd0511 tex-classicthesis{,-doc}: Add version 4.6
This package provides an elegant layout designed in homage to
Bringhurst's "The Elements of Typographic Style". It makes use
of a range of techniques to get the best results achievable
using TeX. Included in the bundle are templates to make thesis
writing easier.
2022-04-18 03:44:59 +00:00
markd
67a5b4c3b1 tex-autonum{,-doc}: Add version 0.3.11
The package arranges that equation numbers are applied only to
those equations that are referenced. This operation is similar
to the showonlyrefs option of the package mathtools.
2022-04-18 03:42:00 +00:00
markd
88a5348f8b tex-testhyphens{,-doc}: Add version 0.7
The package may be used for testing hyphenation patterns or for
controlling that specific words are hyphenated as expected.
This package implements some old TUGboat code to adapt it to
LaTeX with some enhancements. It differs form \showhyphens,
because it typesets its output on the document's output file.
It also works with xelatex, where \showhyphens requires a
workaround.
2022-04-18 03:38:28 +00:00
markd
24e59575e1 tex-sidenotes{,-doc}: Add version 1.00a
The package allows typesetting of texts with notes, figures,
citations, captions and tables in the margin. This is common
(for example) in science text books.
2022-04-18 03:35:47 +00:00
markd
e1be0e502c tex-scalerel{,-doc}: Add version 1.8
The package provides four commands for vertically scaling and
stretching objects. Its primary function is the ability to
scale/stretch and shift one object to conform to the size of a
specified second object. This feature can be useful in both
equations and schematic diagrams. Additionally, the scaling and
stretching commands offer constraints on maximum width and/or
minimum aspect ratio, which are often used to preserve
legibility or for the sake of general appearance.
2022-04-18 03:33:09 +00:00
markd
3191c9acac tex-prelim2e{,-doc}: Add version 2.00
Puts text below the normal page content (the default text marks
the document as draft and puts a timestamp on it). Can be used
together with e.g. the vrsion, rcs and rcsinfo packages. Uses
the everyshi package and can use the scrtime package from the
koma-script bundle.
2022-04-18 03:30:14 +00:00
markd
33b7ead22c tex-morewrites{,-doc}: Add version 20181229
The package aims to solve the error "No room for a new \write",
which occurs when the user, or when the user's packages have
'allocated too many streams' using \newwrite (TeX has a fixed
maximum number - 16 - such streams built-in to its code). The
package hooks into TeX primitive commands associated with
writing to files; it should be loaded near the beginning of the
sequence of loading packages for a document.
2022-04-18 03:26:44 +00:00
markd
3bd0a53674 tex-morefloats{,-doc}: Add version 1.0h
LaTeX can, by default, only cope with 18 outstanding floats;
any more, and you get the error "too many unprocessed floats".
This package releases the limit; TeX itself imposes limits
(which are independent of the help offered by e-TeX). However,
if your floats can't be placed anywhere, extending the number
of floats merely delays the arrival of the inevitable error
message.
2022-04-18 03:23:24 +00:00
markd
63378d1c1b tex-marginfix{,-doc}: Add version 1.2
Authors using LaTeX to typeset books with significant margin
material often run into the problem of long notes running off
the bottom of the page. A typical workaround is to insert
\vshift commands by hand, but this is a tedious process that is
invalidated when pagination changes. Another workaround is
memoir's \sidebar function, but this can be unsatisfying for
short textual notes, and standard marginpars cannot be mixed
with sidebars. This package implements a solution to make
marginpars "just work" by keeping a list of floating inserts
and arranging them intelligently in the output routine.
2022-04-18 03:20:55 +00:00
markd
04b45d22f1 tex-imakeidx{,-doc}: Add version 1.3e
The package enables the user to produce and typeset one or more
indexes simultaneously with a document. The package is known to
work in LaTeX documents processed with pdfLaTeX, XeLaTeX and
LuaLaTeX. If makeindex is used for processing the index
entries, no particular setting up is needed when TeX Live is
used. Using xindy or other programs it is necessary to enable
shell escape; shell escape is also needed if splitindex is
used.
2022-04-18 03:18:01 +00:00
markd
600c402262 tex-hardwrap{,-doc}: Add version 0.2
The package facilitates wrapping text to a specific character
width, breaking lines by words rather than, as done by TeX, by
characters. The primary use for these facilities is to aid the
generation of messages sent to the log file or console output
to display messages to the user. Package authors may also find
this useful when writing out arbitary text to an external file.
2022-04-18 03:15:08 +00:00
markd
1e65ef7d15 tex-footnotebackref{,-doc}: Added version 1.0
The package provides the means of creating hyperlinks, from a
footnote at the bottom of the page, back to the occurence of
the footnote in the main text.
2022-04-18 03:12:39 +00:00
markd
0a33717c66 tex-floatrow{,-doc}: Add version 0.3b
The floatrow package provides many ways to customize layouts of
floating environments and has code to cooperate with the
caption 3.x package. The package offers mechanisms to put
floats side by side, and to put the caption beside its float.
The floatrow settings could be expanded to the floats created
by packages rotating, wrapfig, subfig (in the case of rows of
subfloats), and longtable.
2022-04-18 03:09:25 +00:00
markd
968860b72c tex-etextools{,-doc}: Add version 3.1415926
The package provides many (purely expandable) tools for LaTeX:
Extensive list management (csv lists, lists of single
tokens/characters, etoolbox lists); purely expandable loops
(csvloop, forcsvloop, etc.); conversion (csvtolist, etc.));
addition/deletion (csvadd, listdel, etc.); Expansion and group
control: \expandnext, \ExpandAfterCmds, \AfterGroup...; Tests
on tokens, characters and control sequences (\iffirstchar,
\ifiscs, \ifdefcount, \@ifchar...); Tests on strings
(\ifstrnum, \ifuppercase, \DeclareStringFilter...); Purely
expandable macros with options (\FE@testopt, \FE@ifstar) or
modifiers (\FE@modifiers); Some purely expandable numerics
(\interval, \locinterplin).
2022-04-18 03:06:43 +00:00
markd
ebaec23d2f tex-doi{,-doc}: Add version 20180909
You can hyperlink DOI numbers to doi.org. However, some
publishers have elected to use nasty characters in their DOI
numbering scheme ('<', '>', '_' and ';' have all been spotted).
This will either upset (La)TeX, or your PDF reader. This
package contains a single user-level command \doi{}, which
takes a DOI number, and creates a correct hyperlink to the
target of the DOI.
2022-04-18 03:03:01 +00:00
markd
29ebd2db4d tex-graphics-def{,-doc}: update to 2022
changes unknown
2022-04-18 00:19:14 +00:00
markd
75df19d54d tex-pxjahyper{,-doc}: update to 1.0a
changes unknown
2022-04-18 00:12:45 +00:00
markd
34bb0cbee3 tex-hitex{,-doc}: Add version 2022
An extension of TeX which generates HINT output. The HINT file
format is an alternative to the DVI and PDF formats which was
designed specifically for on-screen reading of documents.
Especially on mobile devices, reading DVI or PDF documents can
be cumbersome. Mobile devices are available in a large variety
of sizes but typically are not large enough to display
documents formated for a4/letter-size paper. To compensate for
the limitations of a small screen, users are used to
alternating between landscape (few long lines) and portrait
(more short lines) mode. The HINT format supports variable and
varying screen sizes, leveraging the ability of TeX to format a
document for nearly-arbitrary values of \hsize and \vsize.
2022-04-17 11:06:40 +00:00
markd
3cfb5da451 xpdfopen: update to 0.86nb8 - texlive 2022 version 2022-04-17 10:49:44 +00:00
markd
5257c29e7d xetex: update to 0.999994 - texlive 2022 version
New wrapper scripts xetex-unsafe and xelatex-unsafe for simpler invocation
of documents requiring both XeTeX and PSTricks transparency operators, which
is inherently unsafe (until and unless reimplementation in Ghostscript
happens). For safety, use Lua(LA )TeX.
2022-04-17 10:48:58 +00:00
markd
dc126ac7ce xdvik: update to 22.87.06 - texlive 2022 version 2022-04-17 10:47:39 +00:00
markd
d4221bfbcd web2c: update to 2022 - texlive 2022 version
* New engine hitex, which outputs its own HINT format, designed especially
  for reading technical documents on mobile devices. HINT viewers for GNU/Linux,
  Windows, and Android are available separately from TeX Live.
* tangle, weave: support optional third argument to specify output file.
* Knuth’s program twill for making mini-indexes for original WEB programs now
  included.

Cross-engine extensions (except in original TeX, Aleph, and hiTeX):
* New primitive \showstream to redirect \show output to a file.
* New primitives \partokenname and \partokencontext allow overriding the name
  of the \par token emitted at blank lines, the end of vboxes, etc.
2022-04-17 10:46:46 +00:00
markd
7a90af0c71 vlna: update to 1.5nb8 - texlive 2022 version 2022-04-17 10:44:04 +00:00
markd
a0e8cba314 tex4ht: update to 20180703nb1 - texlive 2022 version 2022-04-17 10:43:25 +00:00
markd
92b935a5e6 seetexk: update to 20200908nb1 - texlive 2022 version 2022-04-17 10:42:52 +00:00
markd
133ac71276 ptexenc: update to 1.4.0 - texlive 2022 version 2022-04-17 10:42:18 +00:00
markd
2f1a4aa9cc luatex: update to 1.15.0 - texlive 2022 version
* Support structured destinations from PDF 2.0.
* PNG /Smask for PDF 2.0.
* Variable font interface for luahbtex.
* Different radical style defaults in mathdefaultsmode.
* Optionally block selected discretionary creation.
* Improvements for TrueType fonts implementation.
* More efficient \fontdimen allocation.
* Ignore paragraphs with only a local par node followed by direction
  synchronization nodes.
2022-04-17 10:41:27 +00:00
markd
ffc1081d5f lacheck: update to 1.29nb2 - texlive 2022 version 2022-04-17 10:39:25 +00:00
markd
ca9d88bf67 kpathsea: update to 6.3.4 - texlive 2022 version
First path returned from kpsewhich -all is now the same as a regular
(non-all) search.
2022-04-17 10:38:38 +00:00
markd
313f517c31 dvipsk: update to 2022.1 - texlive 2022 version
By default, do not attempt automatic media adjustment for rotated paper
sizes; the new option –landscaperotate re-enables.
2022-04-17 10:37:45 +00:00
markd
0c31f4594a dvipdfmx: update to 20211117 - texlive 2022 version
Support for PSTricks without requiring -dNOSAFER, except for transparency.
The -r option to set bitmap font resolution works again.
2022-04-17 10:36:43 +00:00
markd
8a7a588b9b dviljk: update to 2.6.5nb13 - texlive 2022 version 2022-04-17 10:35:41 +00:00
markd
922e0caaf4 dvidvi: update to 1.1nb6 - texlive 2022 version 2022-04-17 10:34:54 +00:00
markd
1cba6fce98 cjkutils: update to 4.8.5 - texlive 2022 version 2022-04-17 10:34:18 +00:00
markd
0b2d001062 texlive: update to texlive 2022 2022-04-17 10:26:12 +00:00
markd
2516d94282 tex-texlive.infra: update to 2022
texlive 2022 version
2022-04-17 10:24:32 +00:00
markd
aa60735d62 tex-texlive-scripts{,-doc}: update to 2022
texlive 2022 version
2022-04-17 10:23:51 +00:00
markd
f8b17efe1e tex-luatex{,-doc}: update to 1.15.0
texlive 2022 version
2022-04-17 10:22:58 +00:00
markd
77bfa36138 tex-kpathsea{,-doc}: update to 2022
texlive 2022 version
2022-04-17 10:22:02 +00:00
markd
d6f0160a12 tex-pdfmanagement-testphase{,-doc}: update to 0.95n
### Fixed
- l3pdffield-radiobutton: handling of Opt array.

### Added
- l3pdffield-radiobutton: inunison key.
2022-04-17 10:20:14 +00:00
markd
512af2daf6 tex-dvipdfmx{,-doc}: update to 2021
chnages unknown
2022-04-17 10:18:56 +00:00
markd
2d3df35779 tex-dehyph-exptl{,-doc}: update to 0.8
Approx. 6100 words added.
2022-04-16 02:45:30 +00:00
markd
c337c62100 tex-ctex{,-doc}: Add version 2.5.8
ctex is a collection of macro packages and document classes for
LaTeX Chinese typesetting.
2022-04-16 02:10:06 +00:00
markd
240f5b12c4 tex-everyhook{,-doc}: Add version 1.2
The package takes control of the six TeX token registers
\everypar, \everymath, \everydisplay, \everyhbox, \everyvbox
and \everycr. Real hooks for each of the registers may be
installed using a stack like interface. For backwards
compatibility, each of the \everyX token lists can be set
without interfering with the hooks.
2022-04-16 02:06:05 +00:00
markd
0babfe0490 tex-svn-prov{,-doc}: Add version 3.1862
The package introduces Subversion variants of the standard
LaTeX macros \ProvidesPackage, \ProvidesClass and \ProvidesFile
where the file name and date is extracted from Subversion Id
keywords. The file name may also be given explicitly as an
optional argument.
2022-04-16 02:02:46 +00:00
markd
42cc4f6471 tex-ieejtran{,-doc}: Add version 0.18
This package provides an unofficial BibTeX style for authors of
the Institute of Electrical Engineers of Japan (IEEJ)
transactions journals and conferences.
2022-04-16 01:58:45 +00:00
markd
c5c2525273 tex-jieeetran{,-doc}: Add version 0.18
This package provides an unofficial BibTeX style for authors
trying to cite Japanese articles in the Institute of Electrical
and Electronics Engineers (IEEE) format.
2022-04-16 01:55:24 +00:00
markd
26d3b4017b tex-kanbun{,-doc}: Add version 1.2
This package allows users to manually input macros for elements
in a kanbun-kundoku (Han Wen Xun Du ) paragraph. More
importantly, it accepts plain text input in the "kanbun
annotation" form when used with LuaLaTeX, which allows
typesetting kanbun-kundoku paragraphs efficiently.
2022-04-16 01:50:22 +00:00
markd
7fcf540fd5 tex-xecjk{,-doc}: Add version 3.8.8
A LaTeX package for typesetting CJK documents in the way users
have become used to, in the CJK package. The package requires a
current version of xtemplate (and hence of the current LaTeX3
development environment).
2022-04-16 01:47:13 +00:00
markd
491ea9e217 tex-xpinyin{,-doc}: Add version 2.9
The package is written to simplify the input of Hanyu Pinyin.
Macros are provided that automatically add pinyin to Chinese
characters.
2022-04-16 01:43:19 +00:00
markd
7964cba8b1 tex-zitie{,-doc}: Add version 1.4.0
This is a LaTeX package for creating CJK character calligraphy
practicing sheets (copybooks). Currently, only XeTeX is
supported.
2022-04-16 01:15:37 +00:00
markd
45b4fd845d tex-fancyvrb{,-doc}: update to 4.2
- change option file_ext to fileext
2022-04-16 00:40:49 +00:00
markd
fb44feb59b tex-xetex{,-doc}: update to 2021
addition of xetex-unsafe and xelatex-unsafe commands
2022-04-16 00:38:00 +00:00
markd
a3458e3875 tex-lua-uni-algos{,-doc}: Add version 0.4.1
Lua code working with Unicode data has to deal with quite some
challenges. For example there are many canonically equivalent
sequences which should be treated in the same way, and even
identifying a single character becomes quite different once you
have to deal with all kinds of combining characters, emoji
sequences and syllables in different scripts. Therefore
lua-uni-algos wants to build a collection of small libraries
implementing algorithms to deal with lots of the details in
Unicode, such that authors of LuaTeX packages can focus on
their actual functionality instead of having to fight against
the peculiarities of Unicode. Given that this package provides
Lua modules, it is only useful in Lua(HB)TeX. Additionally, it
expects an up-to-date version of the unicode-data package to be
present. This package is intended for package authors only; no
user-level functionality provided.
2022-04-15 05:54:51 +00:00
markd
10f5e2de4f tex-vntex{,-doc}: update to 3.2.2
This update fixes severe rounding errors in VNR Type 1 fonts.
2022-04-15 05:04:02 +00:00
markd
c3cd010362 tex-uptex-base{,-doc}: update to 2021
Update upTeX documents and samples based on upTeX version 1.28.
2022-04-15 04:59:07 +00:00
markd
51c858390d tex-uplatex{,-doc}: update to 2021.62387
changes unknown
2022-04-15 04:55:51 +00:00
markd
5f456464c6 tex-tools{,-doc}: update to 2021
changes unknown
2022-04-15 04:53:13 +00:00
markd
00cf19c349 tex-texinfo: update to 6.8
changes unknown
2022-04-15 04:49:55 +00:00
markd
0304453538 tex-texdoctk{,-doc}: update to 0.6.0.62186
changes unknown
2022-04-15 04:47:34 +00:00
markd
cde6176555 tex-texdoc{,-doc}: update to 3.4.1
- Make Data.tlpdb.lua reproducible
- Better locale handling in scoring
- Alias adjustments
2022-04-15 04:45:41 +00:00
markd
b2a238bb34 tex-tex4ht{,-doc}: update to 2021.63021
changes unknown
2022-04-15 04:43:09 +00:00
markd
9957361026 tex-tex4ebook{,-doc}: update to 0.3h
0.3h
- fixed issues with the validity and formatting of Epub 3 tables of contents
- fixed support for appendix chapters

0.3g
- the previous version introduced spurious "0" character in the
  metadata file, resulting in a validation error. This version fixes
  this issue.

0.3f
- fixed spurious numbers in Epub Table of Contents
- fixed support for \author command in Amsart class

0.3e
- TeX4ebook will use Calibre's `ebook-convert` command to create ebooks
  in Mobi and Azw formats if `kindlegen` is not available
- fixed cross-referencing error
2022-04-15 04:40:01 +00:00
markd
a26cc694a8 tex-pxjahyper{,-doc}: update to 1.0
- Experimental support for use with hyperref’s 'unicode' option on pLaTeX
- The already obsolete option 'none' is abolished. (Use 'nodvidriver' instead.)
- The option 'auto' is renamed to 'autodvidriver'.
2022-04-15 04:33:53 +00:00
markd
a99c5cabac tex-ptex-base{,-doc}: update to 2021
Corrected the \inhibitxspcode setting.
2022-04-15 04:26:32 +00:00
markd
8c9170bc3c tex-polyglossia{,-doc}: update to 1.55a
1.55a
This is an emergency release that fixes a critical bug introduced in v. 1.54.

1.55
This is a maintenance release which adds a file that has been
 forgotten in v. 1.54 (gloss-latex-lde).

Furthermore, it introduces new features for Polish (splithyphens,
vlna, babelshorthands).

1.54
New features
* New option 'splithyphens' for Serbian and Portuguese.
* Add babelshorthands to Portuguese.
* Add 'schoolhyphens' option to Finnish.

Interface and defaults changes
* Rename 'disableligatures' to 'disabledigraphs' for Croatian.
* Fix output with 'numerals=cyrillic-alph'.
* Standardize February and November in Indonesian according to the Great
  Dictionary of the Indonesian Language of the Language Center (Kamus Besar
  Bahasa Indonesia)

Bug fixes
* Fix robustification of font family switches.
* Preserve font family switches across languages.
* Fix TeX dash ligatures with splithyphens.
* Prevent missing hyphenmins value LaTeX error with unknown languages.
* Fix global babelshorthands, localmarks and verbose options.
* Fix Latin shorthands.
* Remove spurious space in Bosnian date.
* Fix \languagevariant and \mainlanguagevariant macros.
* Make \iflanguageloaded and friends work in preamble.
* Fix deactivation of shorthands.
* Fix deactivation of numerals.
* Update deprecated LaTeX hooks.
* Fix luatexrenderer option which was not considered appropriately.
* Turn warning about totalhyphenmin to info, which is more appropriate.
2022-04-15 04:23:42 +00:00
markd
c280e637ee tex-platex-tools{,-doc}: update to 2021.61272
changes unknown
2022-04-15 04:17:15 +00:00
markd
ce00eedbd8 tex-platex{,-doc}: update to 2021.62387
changes unknown
2022-04-15 04:15:15 +00:00
markd
5d10d3ea7e tex-make4ht{,-doc}: update to 0.3l
0.3l
- fixed issues with filenames on Windows.
- use `rmarkdown` package to process `.rmd` files in the `preprocess_input`
  extension (thanks to James Clawson).

0.3k
- fixed support for filenames that contain () characters
- fixed issues with some fonts in the ODT output
- fixed a lot of issues in the MathML post-processing
- fixed handling of parameters in the `staticsite` extension
- prevented multiple executions of filters
- current log level is now available as `logging.show_level`

0.3j
- fixed fatal error introduced in the previous release - graphics
  handling in the ODT format could end in Lua runtime error
- fixed post-processing of MathML files in the ODT format
- introduced new fix for MathML in "mathmlfixes" DOM filter - it
  adds "<mrow>" elements when necessary
2022-04-15 04:12:42 +00:00
markd
22a696ba02 tex-luatexja{,-doc}: update to 20220411.0
* Spaces around commas and equals in  "JFM feature" specification
  are now ignored.
* Japanese fonts which are automatically loaded by LuaTeX-ja,
  ltjclasses and ltjsclasses are now loaded with  the "kern"
  feature disabled.
* Fixed a patch for the footmisc package.
* Fix and change: \ltjghostjachar (introduced in LuaTeX-ja 20220207.0)
  is divided to \ltjghostbeforejachar and \ltjghostafterjachar.
* Fixed: "\vadjust pre" didn't work with LuaTeX-ja.
* Fixed: LuaTeX-ja didn't take "implicit=false" option
  of the hyperref package into account.
* luatexja-adjust: added "\ltjghostjachar" for "Japanese ghost"
  (invisible and zero-width Japanese character).
2022-04-15 03:59:24 +00:00
markd
6864689dc0 tex-latex-firstaid-dev{,-doc}: update to 1.0r
changes unknown
2022-04-15 03:50:30 +00:00
markd
584dc7ad89 tex-latex-base-dev{,-doc}: update to 20220601pre3
changes unknown
2022-04-15 03:48:27 +00:00
markd
e8c1b470a7 tex-latex{,-doc}: update to 20211115.1
changes unknown
2022-04-15 03:45:24 +00:00
markd
680521e77b tex-hyperref{,doc}: update to 7.00n
This version removes a number of now unneeded patches from hyperref.
New is a key to set the next anchor name. This can be useful to create
manual bookmarks.
2022-04-15 03:42:39 +00:00
markd
e0b32a5aa7 tex-graphics-def{,-doc}: update to 2021.63019
- Use color stacks with (x)dvipdfmx
- Update to fix bounding box for included bitmap images with the dvisvgm driver
- Update to dvisvgm.def to improve pstricks support
- Update to graphics-def with a minor update to dvisvgm.def
  adding .pdf to the list of default extensions.
2022-04-15 03:36:41 +00:00
markd
cf31e8ed43 tex-graphics{,-doc}: update to 1.4d
changes unknown
2022-04-15 03:32:42 +00:00
markd
0a9fedb81d tex-cweb: update to 4.3
changes unknown
2022-04-15 03:28:44 +00:00
markd
8bd24dec65 tex-csplain: update to 202203
changes unknown
2022-04-15 03:24:19 +00:00
markd
b502ceb279 p5-biblatex-biber: update to 2.17
to match biblatex version
2022-04-15 00:53:07 +00:00
markd
5e39805b15 tex-biblatex-ieee{,-doc}: update to 1.3f
changes unknown
2022-04-15 00:50:47 +00:00
markd
cc8346c71e tex-biblatex-apa{,-doc}: update to 9.15
changes unknown
2022-04-15 00:48:56 +00:00
markd
b2a1d07f20 tex-biblatex{,-doc}: update to 3.17
changes unknown
2022-04-15 00:46:49 +00:00
markd
d68c8c33fb tex-babel-spanish: update to 5.0q
* Decimal separator was missing when shorthands=off was set.
* Bad cell alignment with percentage symbol.
* shorthands=off broke non-break space.
2022-04-15 00:43:58 +00:00
markd
74382f2bca tex-babel-sorbian: update to 1.0j
changes unknown
2022-04-15 00:42:28 +00:00
markd
294f5bc5fc tex-babel-serbianc: update to 3.2
changes unknown
2022-04-15 00:41:06 +00:00
markd
8ebbd24343 tex-babel-serbian: update to 2.2
changes unknown
2022-04-15 00:39:59 +00:00
markd
9932709e37 tex-babel-portuges: update to 1.2t
changes unknown
2022-04-15 00:38:41 +00:00
markd
a6b09340e6 tex-babel-polish: update to 1.3
This version updates the module to the new babel syntax and removes some
old code.

The changes may break some documents, so a compatibility option is provided as:
\usepackage[polish-compat]{babel}
2022-04-15 00:36:54 +00:00
markd
bd08967448 tex-babel-latin: update to 4.0
New babel languages classiclatin, medievallatin, and ecclesiasticlatin
replacing the respective modifiers Documentation on selecting
hyphenation patterns XeLateX and LuaLaTeX support for ecclesiastic Latin
Additional shorthands
New modifier for using the letter j in month names
New modifier for lowercasing month names
Do not use small caps for the day of the month
Basic support for plain TeX
2022-04-15 00:34:29 +00:00
markd
368fd62972 tex-babel-italian: update to 1.4.07
changes unknown
2022-04-15 00:32:06 +00:00
markd
faead1b9b1 tex-babel-french: update to 3.5m
changes unknown
2022-04-15 00:30:30 +00:00
markd
f1bf04f8e6 tex-babel-dutch: update to 3.8l
changes unknown
2022-04-15 00:28:07 +00:00
markd
8668e9d1ea tex-babel{,-doc}: update to 3.73
3.73
This release just fixes a severe bug introduced in version 3.72 when
amsmath is loaded.

3.72
* Advances in amsmath (lua).
* Fixes:
  - Captions in Thai.
  - Some settings sometimes ignored with 'onchar' (lua).
  - Extra colon in Polish 'cc'

3.71
* IAST transliteration for Sanskrit (by Maximilian Mehner).
* Fixes:
  - Bad interraction between bidi option and mathtools
  - 'provide+=' didn’t work with 'hebrew' as a secondary
    language.
  - Wrong equation direction in 'cases' and 'array'

3.70
* Finnish: transform 'prehyphen.nobreak'.
* Better fixes for amsmath, as well as for the default
  'equation' and 'eqnarray' (but still not perfect).
* Fix an error with bidi=basic and some fonts for graphics.
2022-04-15 00:26:20 +00:00
markd
34d5892a1b tex-zxjafont{,-doc}: update to 1.3
changes unknown
2022-04-14 07:03:42 +00:00
markd
83e4d0f80a tex-zref{,-doc}: update to 2.34
2.34
- Fix the use of the zref at unique counter

2.33
- Avoid that amstext undoes the stepcounter patch in zref-perpage
- Make the unique counter more robust when includeonly is used
2022-04-14 07:01:35 +00:00
markd
61d73b7bfc tex-xstring{,-doc}: update to 1.84
changes unknown
2022-04-14 06:55:23 +00:00
markd
039361e343 tex-xcolor{,-doc}: update to 2.13
changes unknown
2022-04-14 06:53:20 +00:00
markd
b62dabfb9f tex-unicode-data{,-doc}: update to 1.15
Update to Unicode 14.0.0
2022-04-14 06:46:53 +00:00
markd
a0ab708446 tex-caption{,-doc}: update to 20220317
This is a bugfix release of the caption package bundle. Changes since release
2022-02-28:

* Influence of \normalsize to the vertical spacing between the two captions
described in bicaption package documentation
* "SX: how to use bicaption in longtable without errors"

* "Version v2.3 introduced a bug in `floatrow`
    (`\caption at setposition{a}` involved)"

This is a new release of the caption package bundle. Changes since release
2020-10-26:

caption v3.6:
* Fallback to versions "v1", "v3.0", "v3.1", "v3.2", "v3.3", "v3.4", and "v3.5"
added
* The caption-subcaption counter handling is now independent on the "position="
setting
* Option "compatibility=true" dropped in favor of "\usepackage{caption}[=v1]"
* Option "parboxrestore=partial/full" removed (was obsolete since v3.5)
* \captionsetup{margin={...,}} sets only the left margin,
\captionsetup{margin={,...}} only the right one
* The font option "stretch" does not require the setspace package anymore
* New command \nextfloat to influence the (new) counter handling
* New command \DeclareCaptionPosition to declare custom postion settings
* New command \AtCaptionSingleLineCheck to add re-definitions to the
single-line-check
* New command \captiontext to typeset a caption without counter increment and
without list entry
* Optional argument added to \setcaptiontype (which specifies options to be
applied additionally)
* New environments `captiongroup' and `captionblock'
* Adapted to the `tablefootnote' package

bicaption v1.5:
* Support of all available caption fallback versions since "v3.2" added
* Support of the listings package added

subcaption v1.5:
* Support of all available caption fallback versions since "v3.1" added
* New environments subcaptiongroup and subcaptionblock
* New command \subcaptionlistentry to make an entry into the list of figures
resp. tables
* New command \subcaptiontext to typeset a sub-caption without counter increment
and list entry
2022-04-14 06:32:00 +00:00
markd
e83de552fa tex-bxorigcapt{,-doc}: update to 0.4
changes unknown
2022-04-14 06:27:31 +00:00
markd
b4a4db71cd tex-bxjscls{,-doc}: update to 2.7a
changes unknown
2022-04-14 06:25:34 +00:00
markd
14ad9c8c98 tex-bxghost{,-doc}: update to 0.4.0
- More general implementation for \jghostguarded
- Add the noverb option
2022-04-14 06:23:32 +00:00
markd
55a669092e tex-hypdoc-doc: actually commit this time. 2022-04-14 05:02:59 +00:00
markd
70ad2d0aae tex-SIunits{,-doc}: texlive lowercased the package name 2022-04-14 04:39:09 +00:00
markd
77c71efb7f tex-SIstyle{,-doc}: texlive lowercased the package name 2022-04-14 04:38:23 +00:00
markd
2f8be5983d tex-IEEEtran{,-doc}: texlive lowercased the package name 2022-04-14 04:37:28 +00:00
markd
3782fdf918 tex-IEEEconf{,-doc}: texlive lowercased the package name 2022-04-14 04:36:46 +00:00
markd
2e36e93bc8 tex-translator{,-doc}: update to 1.12d
changes unknown
2022-04-14 03:42:24 +00:00
markd
47a05b56f3 tex-translations{,-doc}: update to 1.12
1.12
Add Polish dictionary

1.11
- correct deprecated file hooks
- remove \unexpanded from translated keys
- make nynorsk a dialect of norsk
- don't define the literal string as command but output it directly
- correct some Dutch translations
2022-04-14 03:39:52 +00:00
markd
f4b29ccd8c tex-todonotes{,-doc}: update to 1.1.5
Minor release with the following changes: Fix
issue 54 related to additional spacing around todos with shadows.
Actually use the tickmarkheight option as suggested by José Francisco Loff
library by default. Described a workaround for using the standalone
document class.
2022-04-14 03:36:05 +00:00
markd
bda9939840 tex-titlesec{,-doc}: update to 2.14
changes unknown
2022-04-14 03:33:36 +00:00
markd
cabeba7eea tex-tcolorbox{,-doc}: update to 5.0.2
5.0.2
### Changed
- Library `minted`: Temporary patch `\tcbTemporaryPatchMintedFancyvrb`
  removed because of update for package `minted` (2021/12/24).
  This is now the required version for `tcolorbox`

### Fixed
- Using the `documentation` library with `minted` was broken
- Library `theorems`: New implementation had title expansion with
  problems

5.0.1
### Fixed
- Library `minted`: Patch `\tcbTemporaryPatchMintedFancyvrb` fixed
- Fix for issue #157 disabled unbreakability for hbox type boxes
  This also affected boxes with sidebyside content

5.0.0
### Added
- Library `skins`: Option `attach boxed title to top text left`
- Library `skins`: Option `attach boxed title to top text right`
- Library `skins`: Option `attach boxed title to bottom text left`
- Library `skins`: Option `attach boxed title to bottom text right`
- Library `theorems`: Option `theorem number`
- Library `minted`: Option `default minted options`
- Library `minted`: Temporary patch `\tcbTemporaryPatchMintedFancyvrb`
    for the current minted/fancyvrb package clash

### Changed
- Changelog is switched to Markdown for entries from 2021 on
  [Keep a Changelog](https://keepachangelog.com/en/1.0.0/)
- From now on version numbers adhere to
  [Semantic Versioning](http://semver.org/spec/v2.0.0.html)
- Library `documentation`: warn about not installed `marvosym` and `pifont`
- Environments wrapped with `\tcolorboxenvironment` are now compatible with
  all three capture modes `minipage`, `hbox`, and `fitbox`
- Meaningful error prompts when using unknown capture modes
- Library `raster`: Inside a raster, `tcbrasternum` can now be
  referenced using `label={mylabel}`, if the box is not numbered otherwise
- Library `theorem`: Theorems with empty display name are now possible
  without glitches
- Library `theorem`: Major code parts rewritten in expl3 code
- Internal layer accounting changed from LaTeX to TeX code to avoid problems
  with counter macro manipulations by amsmath alignment environments
- Library `minted`: Option `minted options` now initialized with `default
  minted options`
- Library `minted`: Code parts rewritten in expl3 code

### Removed
- Library 'theorems': `\tcbmaketheorem` removed which is deprecated since
  version 2.40 (2013/07/15).  Use `\newtcbtheorem` instead.

### Fixed
- Library `documentation`: Inconsistent local/global assignment corrected
- Documentation: Changed bibtex link corrected
- Library `breakable`: Option `use color stack` was order dependant
- Library `raster`: Numbering for rasters inside rasters
- In certain situations options were set twice
2022-04-14 03:28:48 +00:00
markd
0bfb02e75b tex-preview{,-doc}: update to 13.1
changes unknown
2022-04-14 03:22:39 +00:00
markd
5ae05ad0bb tex-polski{,-doc}: update to 1.3.6
A bug fix release: a problem with macros \pauza and \polpauza
in vertical mode has been corrected.
2022-04-14 03:20:20 +00:00
markd
6868a85aaa tex-plautopatch{,-doc}: update to 0.9q
0.9q
* Support LaTeX2e 2021-11-15.

0.9p
* Prepare for LaTeX2e 2021-06-01.
2022-04-14 03:16:48 +00:00
markd
452f57bc7b tex-pdfpages{,-doc}: update to 0.5u
0.5u
Bug fix: Missing page break after first page.

0.5t
This release fixes an issue with page rotations
when used together with the new pdfmanagement code.

0.5s
Bug fix release: Pdfpages redefined \fboxsep and \fboxrule inside
\includepdf. Thereby causing unexpected results if \fbox was used
inside option |picturecommand|. This bug is fixed. Now \fboxsep and
\fboxrule equal the values which were active just before calling
\includepdf.

0.5r
This version introduces an extension for package authors
2022-04-14 03:10:21 +00:00
markd
fec2386611 tex-pdfmanagement-testphase{,-doc}: update to 0.95m
0.95m
### Added
 - \pdfmeta_set_regression_data: for regression tests.

0.95l
### Fixed
 - directions in transition was wrong (generic hyperref driver)
### Added
 - preliminery support for new OR code in latex-lab

0.95k
### Fixed
 - xcolor patch failed with color names containing active chars
   (e.g. from french)
 - clipping of xform object on the dvips route

0.95j
### Changed
 - the keys `firstaidoff` and `pdfmanagement` should now be set with the `debug` key.
 - `testphase` will now load files from the latex-lab bundle. This requires a current
   latex-dev: LaTeX2e <2022-06-01> pre-release-1.
-  new values for `testphase`: `phase-I` and `phase-II`.
   `phase-I` will loaded tagpdf and activate tagging and interword spaces, `phase-II
   will additionally activate paratagging. The value `tagpdf` for the `testphase`
   key has been deprecated. It will not error for some time and has been aliased to
   `phase-II`, but it is recommended to use the new values `phase-I` and `phase-II`
   instead.
 - renamed `\DeclareDocumentMetadata` to `\DocumentMetadata` (the older version is
   still provided) to follow the development in latex-dev

### Fixed
 - adapted the file hooks to the changes in LaTeX
 - small bugs

### Removed
 - the `activate` key has been removed, its function is integrated in the
testphase key.

### Added
 - preliminary support for structure destination to prepare for binary changes
   in texlive 2022
2022-04-14 03:05:36 +00:00
markd
95ff352e32 tex-musixtex{,-doc}: update to 1.35
1.35
Added support for use of a "handwriting" font for textual elements of a
score, as is traditionally used for jazz scores.

1.34
This release includes a new extension library musixftab.tex which
supports traditional French tablature using script letters rather than
numerals to specify notes.

The \tabfnt definitions in musixtex.tex have been revised
to allow re-definition in musixftab.tex. A mini-font file
frenchtab.pfb and associated support files are included.
2022-04-14 02:56:04 +00:00
markd
ea433c4b1d tex-moderncv{,-doc}: update to 2.3.1
changes unknown
2022-04-14 02:50:50 +00:00
markd
68dc25cb67 tex-minted{,-doc}: update to 2.6
autogobble option now works with python3 executable and is now compatible with
fancyvrb 4.0+, Pygments style names containing arbitrary non-whitespace
characters are now supported, default for stripnl option is now false, added
fontencoding option, bgcolor option is now compatible with color package
2022-04-14 02:48:26 +00:00
markd
733ef2bef3 tex-microtype{,-doc}: update to 3.0d
changs unknown
2022-04-14 02:46:05 +00:00
markd
91c7c52cc5 tex-mhchem{,-doc}: update to 4.09
hpstatement v2.0.0: The statements are available in all the versions
published by the European Union (oldest version: 2008-12-16, newest
version: 2021-10-01).
2022-04-14 02:43:43 +00:00
markd
65d9ededd8 tex-mfirstuc{,-doc}: update to 2.07
New commands:
    - \MFUwordbreak
    - \MFUskippunc
2022-04-14 02:38:44 +00:00
markd
e85679007b tex-memoir{,-doc}: update to 3.7q
-- Added memhfixc autoloading to memoir (via \AtEndPackage{hyperref}...), then
   the equivalent code can be removed from hyperref
-- now auto loads the etoolbox package in order to enable a future patching
   approach instead of overwriting kernel macros
-- changed definition of \medspace into \providecommand for better testing
   with older kernels
-- added some code to a hook provided by footmisc fixing a bug with the
   combination of memoir+footmisc+reledmac, especially the 2022 update of
   footmisc
-- fixed typo in manual regarding \setupmaintoc
-- The LaTeX team changed the order of the file/package hook names into a more
   precise scheme. \AtBegin/EndFile, \AtBegin/EndPackage, \AtBegin/EndClass
   changed accordingly
2022-04-14 02:33:16 +00:00
markd
84980f696a tex-media9{,-doc}: update to 1.24
changes unknown
2022-04-14 02:29:41 +00:00
markd
2ab4a8b0cd tex-mathtools: update to 1.28a
* added note about \eqref and showonlyrefs
* fixed typo in note about strange 3-arg \bracket command example
* fixed typo in section 3.4.4 (strange \hphantom{g})
* removed robustifying \(\)\[\], now done in the LaTeX kernel
* added \xlongrightarrow and \xlongleftarrow
* added \MakeAboxedCommand to generate \Aboxed like macros
* fixed year typo in \ProvidesPackage
2022-04-14 02:18:20 +00:00
markd
91d43b93ef tex-lipsum{,-doc}: update to 2.7
2.7
### Changed
- Rework language loading mechanism (gh/10).
### Fixed
- Hyphenation pattern setting with `polyglossia` (gh/10).

2.6
### Changed
- Minor changes to `lipsum.ins`.

2.5
### Fixed
- Language 'latin' undefined error with LuaTeX (gh/6).

### Changed
- Require `babel` for language-specific hyphenation patterns (gh/6).
- In case a language is unknown, just warn instead of an error (gh/8).
- Use `\par` by default in `par-sep` rather than `par-end` (gh/7).
2022-04-14 02:13:20 +00:00
markd
7ad6d3914b tex-lastpage{,-doc}: update to 1.2n
lastpage should be compatible with package french again; documentation and
example have been extended.
2022-04-14 02:01:03 +00:00
markd
1af84d3aa1 tex-kotex-oblivoir{,-doc}: update to 3.1.5
changes unknown
2022-04-14 01:58:21 +00:00
markd
5f916303c6 tex-koma-script: update to 3.35
3.35
* Fixes issues with LaTeX 2021/11/15 as well as some smaller adjustments
  in tocbasic.

3.34
* When using LaTeX as of version 2020/10/01, \appendix contains a LaTeX
  hook named <class>/appendix, where <class> is the name of the
  corresponding class. This is executed before \appendixmore. This change
  is available as of KOMA-Script 3.34.3594.
* When using LaTeX as of version 2020/10/01, option appendixprefix is no
  longer implemented via \appendixmore, but via the LaTeX hook
  <class>/appendix.
  This change is available as of KOMA-Script 3.34.3594.
* When using LaTeX as of version 2020/10/01, appendixprefix=default can be
  used to switch back to the default behavior for the appendix,
  where the setting for the prefix line in the appendix is based solely on
  the setting for chapters in general.  This change is available as of
  KOMA-Script 3.34.3594.
* In the classes there was still code for the case that the totally
  obsolete caption2 is loaded. This code, which has not been tested for
  years and whose functionality and necessity is now completely unsecured,
  was removed without replacement in KOMA-Script 3.34.3590.
2022-04-14 01:55:51 +00:00
markd
47f9de317e tex-jsclasses: update to 20210628
* minijs.sty, okumacro.sty: Better upTeX detection with internal Unicode.
* okumacro.sty: Remove not-working code for adjustment of \widebaselines.
2022-04-14 01:51:19 +00:00
markd
7bafd61482 tex-jlreq{,-doc}: update to 2021.63004
- Added `warichu_opening` and `warichu_closing` to `\jlreqsetup`.
- Change a little bit penalties around block heading.
- Fixed a bug: `\selectfont` after `\DeclareFontShape` raised an error.
- Fixed a bug: `use_reverse_pagination` did not work.
- Fixed a bug: A second running head disappeared sometimes.
- Rewrote `\DeclarePageStyle`.
- Deleted `\@makefntext`, define `\@makefntext` directly.
2022-04-14 01:49:00 +00:00
markd
8aff9d081d tex-jfmutil{,-doc}: update to 1.3.3
changes unknown
2022-04-14 01:45:49 +00:00
markd
d35fd970cf tex-ifptex{,-doc}: update to 2.2
changes unknown
2022-04-10 20:34:27 +00:00
markd
673335fee1 tex-hypdoc{,-doc}: add version 1.15
Hyper extensions for doc.sty
2022-04-09 22:18:08 +00:00
markd
0279843031 tex-ocgx2{,-doc}: update to 0.54
changes unknown
2022-04-09 22:04:56 +00:00
markd
00d51666f0 tex-oberdiek{,-doc}: update to 2021
The hypdoc package has been split out of the bundle and is now
in its own package.
2022-04-09 21:59:07 +00:00
markd
75f4a5689b tex-nomencl{,-doc}: update to 5.6
Nomentbl no longer uses the s column for units and thus works with the new
versions of siunitx package.
2022-04-09 21:53:22 +00:00
markd
76e6e30a16 tex-footnotehyper{,-doc}: update to 1.1e
changes unknown
2022-04-09 21:11:38 +00:00
markd
c0fee5c42a tex-context-vim{,-doc}: update to 2021.62071
changes unknown
2022-04-09 20:50:37 +00:00
markd
6cfd547083 tex-context-typescripts{,-doc}: update to 2021
changes unknown
2022-04-09 20:47:30 +00:00
markd
07cee9cbdc tex-context-transliterator{,-doc}: update to 2021
changes unknown
2022-04-09 20:44:14 +00:00
markd
a587da6305 tex-context-letter{,-doc}: update to 2021
changes unknown
2022-04-09 20:41:08 +00:00
markd
86ccf38380 tex-context-filter{,-doc}: update to 2021.62070
changes unknown
2022-04-09 20:37:34 +00:00
tnn
aaa614ead8 tex-firstaid: fix PLIST 2022-04-09 08:48:21 +00:00
markd
718ab1cab9 tex-readarray{,-doc}: update to 3.1
Version 3.0 of readarray introduces several new features.  Arrays can be
initialized with the \initarray command, rather than being read from a
file.  With \setvalue, the tokens of individual array cells can be revised
on demand.  The contents of one array can be merged into another by way of
the \mergearray command.  The \typesetarray command allows for versatile
ways to format your array output, including by way of tabular
environments. The way end-of-line characters can be handled on a data-read
is made more versatile with this package version.
2022-04-09 07:51:45 +00:00
markd
d4d0af86e3 tex-ragged2e{,-doc}: update to 3.1
declare user macros robust
2022-04-09 07:46:52 +00:00
markd
06e5dc6921 tex-svninfo{,-doc}: update to 0.7.4.62157
changes unknown
2022-04-09 03:27:20 +00:00
markd
8827444158 tex-sttools{,-doc}: update to 3.0
A new columns balancing algorithm and changed options
in the flushend and cuted packages.
2022-04-09 03:23:32 +00:00
markd
d76777f3f3 tex-stackengine{,-doc}: update to 4.11
changes unknown
2022-04-09 03:20:29 +00:00
markd
ecdebaf058 tex-soulpos{,-doc}: update to 1.2
This version works with luatex (at last)
2022-04-09 03:17:44 +00:00
markd
be8fe2c174 tex-skak{,-doc}: update to 1.5.3.61719
changes unknown
2022-04-09 03:14:52 +00:00
markd
23b99aed09 tex-siunitx{,-doc}: update to 3.0.50
i3.0.50
- Spacing of sign when using "output-exponent-marker"
- Behavior of "minimum-decimal-digits" with uncertainties

3.0.45
- Include `reset-text-shape = false` in emulation of `detect-all`

3.0.44
-  Hint concerning hyphen inside `\text`
- Handling of `output-exponent-marker` in tables

3.0.43
- Printing `\ohm` with `beamer` clas

3.0.41
- Rounding to an uncertainty purely in the integer part
2022-04-09 03:11:47 +00:00
markd
f3304bbf9f tex-showlabels{,-doc}: update to 1.9.1
* Robustness fix: macros in arguments are now handled, so that (after
  \showlabel{index}), \index{Poincar\'e} doesn't cause an error.
* The \showlabel[optarg]{command} optional argument can now take a
  one-argument command.
* The macro \showlabeltype expands to the current label type, for possible
  use in \showlabelsetlabel.
* The code has moved from Bitbucket to Sourcehut: the new repository is
  https://hg.sr.ht/~nxg/showlabels.
2022-04-09 03:04:34 +00:00
markd
b6d9ac1212 tex-seminar{,-doc}: update to 1.63a
changes unknown
2022-04-09 02:59:57 +00:00
markd
516de05cb5 tex-schulschriften{,-doc}: update to 5
changes unknown
2022-04-09 02:56:35 +00:00
markd
037284b424 tex-iftex{,-doc}: update to 1.0f
Update to iftex package, adding tests for for TexpadTeX and
HiTeX (HINT format).
2022-04-08 23:23:17 +00:00
markd
78dc99c3db tex-ifptex{,-doc}: update to 2.1
changes unknown
2022-04-08 23:20:28 +00:00
markd
9be807cedd tex-hologo{,-doc}: update to 1.15
Use PU directly for textepsilon and textchi
2022-04-08 23:17:22 +00:00
markd
0b69a54136 tex-glossaries{,-doc}: update to 4.49
- bug fix: list style with entrycounter has problematic unexpanded content

- new command \glsunexpandedfieldvalue (provided for use in
  \glslistexpandedname)

- new command \glscapitalisewords (defaults to \capitalisewords)
  provides a way to switch to \capitalisefmtwords if required

- added new files containing dummy entries for testing:
    -  example-glossaries-longchild.tex
    -  example-glossaries-childmultipar.tex
2022-04-08 23:07:05 +00:00
markd
7afdc5835f tex-firstaid{,-doc}: update to 1.0q
changes unknown
2022-04-08 21:36:21 +00:00
markd
a08e67b495 tex-fancyvrb{,-doc}: update to 4.1b
4.1a
allow again the setting "latline" without a value
4.0
added lastline=0 for no output
3.8
fix for linenumbers and reused SaveVerbatim (hv)
2022-04-08 21:28:49 +00:00
markd
7a2abdb717 tex-europecv{,-doc}: update to 2021.62684
Fix issue "Package can't find logo PDF" on XeLaTeX.
Improved Romanian translation.
2022-04-08 21:23:48 +00:00
markd
d5660ebec8 tex-etoc{,-doc}: update to 1.09e
Needed (if etoc is used without hyperref) updates to internal macros to
prepare for the upcoming LaTeX November 2021 change to \contentsline.

Related updates to the user macro \etoctoccontentsline.
2022-04-08 21:20:36 +00:00
markd
f9ec7e8a83 tex-enotez{,-doc}: update to 0.10d
- fix issues with the backref option
- print list local to a group
2022-04-08 21:13:55 +00:00
markd
dff9565934 tex-cutwin{,-doc}: update to 0.2
An update to the cutwin package, to avoid a clash on use of registers
with the extended picture mode in current latex releases.
2022-04-08 20:59:11 +00:00
markd
7fa5f214bf tex-cjkutils{,-doc}: update to 4.8.5
changes unknown
2022-04-08 05:40:12 +00:00
markd
91550ebeac tex-cjk{,-doc}: update to 4.8.5
changes unknown
2022-04-08 05:36:36 +00:00
markd
0936d11775 tex-cjk-ko{,-doc}: update to 2.2
Support automatic Josa selection after Hangul syllables (U+AC00 .. U+D7A3)
2022-04-08 05:31:33 +00:00
markd
dad1511fa3 tex-cjk-gs-integrate{,-doc}: update to 20210625.0
* More database for free fonts (Google Fontworks fonts, HaranoAji).
2022-04-08 05:28:02 +00:00
markd
4572db8f1a tex-changes{,-doc}: update to 4.2.1
changes unknown
2022-04-08 05:13:55 +00:00
markd
7a38157e42 tex-cellspace{,-doc}: update to 1.9.0
The package has now been made aware of the new implementation of
\@endpbox of array. The new implementation solves a problem with
empty cells for paragraph-type columns (m, p, b) by testing
whether \prevdepth is greater than 1000 pt.
2022-04-08 05:10:15 +00:00
markd
068b958826 tex-carlisle{,-doc}: update to 2021
Update to ltxtable.sty (first update since 1995) to match recent
longtable update.   Internal changes only.
2022-04-08 05:06:49 +00:00
markd
1d193e516a tex-c90{,-doc}: update to 2021
changes unknown
2022-04-08 05:02:04 +00:00
markd
f79f999654 tex-bxjaprnind{,-doc}: update to 0.4a
changes unknown
2022-04-07 05:39:14 +00:00
markd
6b7b033436 tex-breqn: updat to 0.98l
* Prevent new LaTeX paragraph hooks from running and interfering
  unnecessarily with breqn internals (thanks Frank)
2022-04-07 05:31:36 +00:00
markd
67fcc3ea69 tex-beamertheme-focus: update to 3.3.0
3.3.0:
Use Fira font also for math.

3.2.0
Fix frame numbering on frames when both `noframenumbering` and
`allowframebreaks` options are used.

3.0.0
Added [totalframenumbering={yes,no}] option to toggle showing the total
frame number.
2022-04-07 05:27:34 +00:00
markd
7b84b08dd2 tex-beamer{,-doc}: update to 3.66
3.66
### Fixed
- fixed edge case in numbering of hidden and unnumbered frames
- fixed regression of class options not being passed to packages
  like xcolor

3.65
### Added
- adding new `onlytextwidth` class option to use this key for all
 `columns` environments by default
- adding new stretchable frame option `s`
- adding user-accessible commands for `\beamersidebarwidth` and
 `\beamerheadheight`
- allow custom values for `aspectratio` option

### Fixed
- using `gray` colormodel for the delcarartion of fadings
- fixed bullet colour of alerted items for custom item colour
- workaround to make miniframes clickable in xelatex
- added missing encoding value to multimedia sound macro
- imporoved problem with shadow of blocks without title
- reduced artefacts in poppler based viewers for shadow blocks
- workaround to make `\framezoom` clickable in xelatex
- exclude invisible frames from being counted
- fixed cut off miniframes for 8pt and 9pt
2022-04-07 05:19:27 +00:00
markd
9ffb508bb8 tex-amsmath{,-doc}: update to 2.17l
changes unknown
2022-04-07 05:00:24 +00:00
markd
e73fb22ac4 print: remove tex-tikzpagenodes
was already in graphics/tex-tikzpagenodes
2022-04-07 03:37:40 +00:00
wiz
fc99d9c350 pdf2djvu: update to 0.9.18.2.
Add poppler-22.03 compatibility patches from upstream.

pdf2djvu (0.9.18.2) unstable; urgency=low

  * Document minimum required Exiv2 version.
  * Fix build failure with upcoming Exiv2 1.0.
  * Remove spurious zero-width spaces from the Ukrainian manual page.
  * Improve the test suite:
    + Fix test failure with Exiv2 ≥ 0.27.5.
      Thanks to Kamil Cukrowski for the bug report and the initial patch.
      https://github.com/jwilk/pdf2djvu/issues/149

 -- Jakub Wilk <jwilk@jwilk.net>  Mon, 22 Nov 2021 18:38:23 +0100

pdf2djvu (0.9.18.1) unstable; urgency=low

  * Fix build failure with Poppler ≥ 21.10.
  * Windows: don't hardcode Poppler data path in the library.

 -- Jakub Wilk <jwilk@jwilk.net>  Wed, 13 Oct 2021 14:48:56 +0200

pdf2djvu (0.9.18) unstable; urgency=low

  [ Ilia Gobjila ]
  * Fix typo in the Russian documentation.

  [ Atri Bhattacharya ]
  * Fix configure check for Poppler ≥ 20.12.
    Thanks to Evangelos Foutras for the bug report.
    https://github.com/jwilk/pdf2djvu/issues/144

  [ Jakub Wilk ]
  * Fix build failure with GCC 11.
    https://github.com/jwilk/pdf2djvu/issues/146
  * Upgrade libraries bundled with the Windows package:
    - Poppler to 21.06;
    - poppler-data to 0.4.10;
    - DjVuLibre to 3.5.28;
    - GraphicsMagick to 1.3.36;
    - Expat to 2.4.1;
    - Exiv2 to 0.27.3;
    - FreeType to 2.10.4;
    - OpenJPEG to 2.4.0.
  * Drop support for Python 2.6.

 -- Jakub Wilk <jwilk@jwilk.net>  Mon, 07 Jun 2021 20:04:15 +0200
2022-04-03 10:09:58 +00:00
micha
f920a230e7 print/Makefile: +tex-regexpatch +tex-regexpatch-doc 2022-03-30 16:19:26 +00:00
micha
48f4000452 print/tex-regexpatch-doc: Add 0.2f
Documentation for tex-regexpatch.
2022-03-30 16:14:00 +00:00
micha
9d4b6db547 print/tex-regexpatch: Add 0.2f
The package generalises the macro patching commands provided by
P. Lehmann's etoolbox.
2022-03-30 16:09:45 +00:00
nia
cdace65956 scribus-qt5: despair 2022-03-29 19:59:50 +00:00
riastradh
20e83097e8 print/tex-media9, ocgx2: media9 depends on ocgx2, not vice versa.
Bump PKGREVISIONs to force update with new dependency.
2022-03-28 21:38:32 +00:00
tnn
5d1b18666b {f,h,l,n,p}*/*: revbump(1) for libsndfile 2022-03-28 10:56:15 +00:00
riastradh
6f6e5705e0 print/lilypond: Fix documentation build.
No revbump because this simply didn't build before.
2022-03-27 17:21:11 +00:00
schmonz
5671babd56 Update to 6.1 (note new upstream, also followed by FreeBSD). From the
changelog:

Added additional Brother printer entries:
- DCP-7020
- DCP-L2510D
- DCP-L2537DW
- DCP-L2550DW
- HL-2130
- HL-2230
- HL-2240D
- HL-2250DN
- HL-2280DW
- HL-5040
- HL-L2305
- HL-L2310D
- HL-L2350DW
- HL-L2380DW
- MFC-1810
- MFC-7320
- MFC-7340
- MFC-7440N
- MFC-8710DW
- MFC-8860DN
- MFC-L2700DN
- MFC-L2700DW
- MFC-L2710DN
- MFC-L2750DW
- MFC-L3750CDW

We have our first Lenovo printer entry:
- LJ2650DN

Also welcome our first FujiXerox printer entry:
- DocuPrint P265 dw
2022-03-20 01:23:24 +00:00
gutteridge
c18d256fde hplip: add a comment explaining the qt5 option situation 2022-03-15 02:30:23 +00:00
gutteridge
abd85863ad hplip: sort PLIST.scan 2022-03-13 05:49:14 +00:00
gutteridge
a2d59b9fcf hplip: fix botched patches and qt5 option packaging
When some patches were last updated, some incorrect changes were
inadvertently added. This broke some of the functionality, since there
were hard-coded paths added (e.g., "/usr/pkg/bin/python3.7").

Also fix qt5 option packaging so this actually builds again. There are
still issues that need investigation, but at least an executable can
now run and be interacted with (e.g., attaching as a plugin in Xfce).
2022-03-13 05:46:55 +00:00
gutteridge
6ea7b69dbb foliate: replace msgfmt override block with msgfmt-desktop.mk
(This expressed the same intended msgfmt override in a different way
than any other package, and so was missed in nia@'s bulk change.)
2022-03-13 04:19:03 +00:00
nia
b574dc39b3 *: Replace per-package msgfmt hacks with msgfmt-desktop.mk 2022-03-12 08:01:48 +00:00
nia
7c05662990 evince3: Use hacks.mk to avoid NetBSD msgfmt on NetBSD only. 2022-03-12 07:19:24 +00:00
ryoon
e878ee57e4 qpdf: Update to 10.6.2
Changelog:
qpdf 10.6.2

This is qpdf version 10.6.2. There are a few more character encoding fixes in
this release. A new version of pikepdf is also being released to get them back
in sync.


qpdf 10.6.1

This is qpdf version 10.6.1. This release fixes a compilation error on some
platforms because of a missing header file.


qpdf 10.6.0

This is qpdf version 10.6.0.

This release includes a few significant changes:

  * All functionality previously available only from the qpdf CLI has been
    exposed to the library using a new QPDFJob API, which includes fluent
    interfaces as well as a JSON format that's equivalent to qpdf's
    command-line arguments.
  * Many new interfaces have been added to QPDFObjectHandle and the C API to
    allow more convient ways querying types and accessing object values in a
    more type-safe fashion.
  * qpdf --help has been revamped so that help is divided into categories, and
    help is available for each option
  * The Running qpdf section of the manual has been rewritten. The manual now
    includes an index of command-line arguments.

In qpdf 11, PointerHolder will be replaced by std::shared_ptr in QPDF's API. A
backward-compatible PointerHolder API will be available. See Smart Pointers for
details including things you can do now to prepare. See also comments in
PointerHolder.hh.
2022-03-09 14:26:59 +00:00
gutteridge
77275931f1 hplip: adjust a test condition for older NetBSD (NFC)
Avoid the upper limit of 9.x, since 10.x will be branched soon and, as
a bonus, simplify the statement.
2022-03-08 22:55:41 +00:00
wiz
23b0def211 poppler: update to 22.03.0.
Release 22.03.0:
        core:
         * Signature: Fix finding Signatures that are in Pages not not in the global the Forms object
         * Signature: Improve getting the path to the firefox certificate database
         * Splash: Fix rendering of some joints. Issue #1212
         * Fix get_poppler_localdir for relocatable Windows builds
         * Minor code improvements

        qt:
         * Minor code improvements

        utils:
         * pdfimages: Fix the wrong Stream being passed for drawMaskedImage

        build system:
         * Small code improvements
2022-03-08 10:09:22 +00:00
wiz
3ed769dcc2 texlab: update to 3.3.2.
## [3.3.2] - 26.02.2022

### Fixed

- Parse command definitions with optional arguments correctly
- Fix detection of command definitions in completion
- Watch aux directory by default for changes
- Do not allow multi-line keys in the grammar
- Use `textEdit` property for snippets
- Allow simple commands as text argument for most commands
- Treat `\renewcommand` as an environment definition
- Do not return `null` from forward search request
- Make directory path in `\import` optional
- Do not spam workspace/configuration requests
2022-03-08 09:25:17 +00:00
wiz
206a25f8f2 *: switch to lang/guile18 2022-03-07 20:36:50 +00:00
gdt
c8af8a7173 lilypond: Explain more clearly the guile situation
Upstream chooses to support only ancient guile.
2022-03-05 19:53:22 +00:00
rillig
6be9594949 print/sile: fix on platforms that don't use bash as default shell
./configure: 16205: Syntax error: Bad substitution
2022-02-20 06:15:12 +00:00
joerg
95fdfdcff8 Update sile to 0.12.2
This brings native math support and feature compatibility with TeX's
paragraph layout algorithm.
2022-02-18 13:45:23 +00:00
abs
1db5156423 Bump zathura-ps PKGREVISION for zathura update 2022-02-17 17:25:41 +00:00
abs
4051afe9cc Bump zathura-pdf-poppler PKGREVISION for zathura update 2022-02-17 17:22:34 +00:00
abs
b6279160c6 Updated print/zathura to 0.4.9
Add '$f' and '$p' expansions to 'exec' shortcut function
Fix build with meson 0.60
Add :source command
Various fixes and improvements
Updated translations

(Fixes build issue with updated meson in pkgsrc)
2022-02-17 16:28:16 +00:00
wiz
08f3f66b6b poppler*: update to 22.02.0
Release 22.02.0:
        core:
         * Signature: Add a way to detect unsigned FormFieldSignature
         * Signature: Suport background image when using left and right text
         * Signature: Fix path where to search for Firefox NSS in Windows
         * Signature: Fix NSS code to work correctly in Windows/Android
         * Count only signature fields in PDFDoc::getNumSignatureFields
         * Minor code improvements

        qt:
         * Allow signing unsigned signature fields
         * Allow passing a background image for the signature when signing
         * Allow passing the document password when signing
         * Fix leftFontSize being ignored when signing

        glib:
         * try with utf8 password if latin1 fails
         * New method for getting all signature fields of a document
         * Fix compile with MSVC

        utils:
         * pdfsig: Fix compile with MSVC

        build system:
         * Fix NSS cmake check for MSVC
2022-02-15 19:26:48 +00:00
wiz
4e9f94233b poppler: remove patch that was rejected upstream
The patch makes one header file more usable from C; but upstream
says poppler is a C++ library

https://gitlab.freedesktop.org/poppler/poppler/-/issues/1219
2022-02-15 19:26:31 +00:00
taca
e5f6ee50db print/ruby-pdf-reader: update to 2.9.1
2.8.0 (2021-12-28)

* Add PDF::Reader::Page#runs for extracting text from a page with
  positioning metadata (http://github.com/yob/pdf-reader/pull/411)
* Add options to PDF::Reader::Page#text to make some behaviour configurable
  (http://github.com/yob/pdf-reader/pull/411)
	- including extracting the text for only part of the page
* Improve text positioning and extraction for Type3 fonts
  (http://github.com/yob/pdf-reader/pull/412)
* Skip extracting text that is positioned outside the page
  (http://github.com/yob/pdf-reader/pull/413)
* Fix occasional crash when reading some streams
  (http://github.com/yob/pdf-reader/pull/405)

2.9.0 (2022-01-24)

* Support additional encryption standards
  (http://github.com/yob/pdf-reader/pull/419)
* Return CropBox correctly from Page#rectangles
  (https://github.com/yob/pdf-reader/pull/420)
* For sorbet users, additional type annotations are included in the gem

2.9.1 (2022-02-04)

* Fix exception in Page#walk introduced in 2.9.0
  (http://github.com/yob/pdf-reader/pull/442)
* Other small bug fixes
2022-02-14 14:15:28 +00:00
wiz
6d005844b5 poppler: fix package version
Noticed by David Shao on pkgsrc-users.
2022-02-06 08:36:18 +00:00
wiz
a9fa47fecf tex-tikzpagenodes: update checksums 2022-02-03 08:05:05 +00:00
wiz
c77919320d tex-anyfontsize: update checksums 2022-02-03 08:04:45 +00:00
manu
450b9c3633 Added print/tex-anyfontsize version 1.6
The package allows the to user select any font size (via e.g.
\fontsize{...}{...}\selectfont), even those sizes that are not
listed in the .fd file. If such a size is requested, LaTeX will
search for and select the nearest listed size; anyfontsize will
then scale the font to the size actually requested.
2022-02-02 15:23:39 +00:00
manu
56bc1d33bf Added print/tex-tikzpagenodes version 1.1
This package provides special PGF/TikZ nodes for the text,
marginpar, footer and header area of the current page. They are
inspired by the 'current page' node defined by PGF/TikZ itself.

Contributed by Jean-Jacques Puig
2022-02-02 15:19:02 +00:00
rhialto
4572dd1531 print/poppler: avoid build break with g++ 8.
[ 98%] Linking CXX executable poppler-render
/usr/bin/ld: ../../libpoppler.so.117.0.0: undefined reference to `std::filesystem::__cxx11::path::_M_split_cmpts()'
/usr/bin/ld: ../../libpoppler.so.117.0.0: undefined reference to `std::filesystem::remove(std::filesystem::__cxx11::path const&, std::error_code&)'
collect2: error: ld returned 1 exit status

Patch is similar to upstream's
https://gitlab.freedesktop.org/poppler/poppler/-/issues/1203
2022-01-30 12:07:02 +00:00
mef
bde063161c (print/indexinfo) Updated 0.2.6 to 0.3.1, explicit ChnageLog Unknown, but
it seems compression function added.
2022-01-23 05:22:00 +00:00
wiz
0752e5547a py-PDF2: fix PLIST for python 2.7 2022-01-22 14:30:08 +00:00
triaxx
495e69b568 ghostscript-agpl: Fix build issue discussed on pkgsrc-users@
https://mail-index.netbsd.org/pkgsrc-users/2019/06/13/msg028790.html

This fix has kindly been provided upstream to try solving the building
errors (https://bugs.ghostscript.com/show_bug.cgi?id=704844).
2022-01-22 13:51:55 +00:00
wiz
00dbb58f11 *: fix for python 3.x 2022-01-19 17:50:45 +00:00
tsutsui
e214eebcf5 ruby-gnome: update to 3.5.1.
Upstream changes (from NEWS):

== Ruby-GNOME 3.5.1: 2021-01-17

This is a release for Windows.

=== Changes

==== All

  * windows: Add workaround for mingw-w64-x86_64-gettext-0.21-1 or
    later. Dummy (({DllMain()})) is defined.

==== Ruby/Pango

  * Fixes

    * Fixed a bug that can't be started.
      [GitHub#1456][Reported by Akira Ouchi]

==== Ruby/GObjectIntrospection

  * Fixes

    * Fixed a bug that (({NoMethodError})) is raised on invalid
      signature for constructor.

=== Thanks

  * Akira Ouchi

== Ruby-GNOME 3.5.0: 2021-01-11

This is a release that adds support for Ractor.

Ruby/GObjectIntrospection has some backward incompatibilities for
Ractor support. If you have any problem, please report it to
https://github.com/ruby-gnome/ruby-gnome/issues .

=== Changes

==== Ruby/GLib2

  * Improvements

    * Added support for Ractor.

    * Added support for signal handlers and virtual methods in
      included module.

    * Added support for (({try_convert})) protocol for property setter.

    * Added support for converting tuple (({GVariant})) to Ruby.

==== Ruby/GIO2

  * Improvements

    * Added support for GIO 2.70.

    * Added (({Gio::RubyInputStream})) to use Ruby objects as
      (({Gio::InputStream})).

    * Added (({Gio::RubyOutputStream})) to use Ruby objects as
      (({Gio::OutputStream})).

==== Ruby/GObjectIntrospection

  * Improvements

    * Added support for Ractor. This introduced some backward
      incompatiblities.

    * Added support for "transfer full" for out (({GError})).
      [GitHub#1437][Reported by mcclumpherty]

    * Added support for changing whether GVL is unlocked per object by
      the following APIs.

      * (({GObjectIntrospection::FunctionInfo#set_lock_gvl_default}))

      * (({GObjectIntrospection::FunctionInfo#add_lock_gvl_predicate}))

      * (({GObjectIntrospection::Loader#prepare_function_info_lock_gvl}))

    * Added support for converting from raw argument to enum.

    * Added support for (({GList<GVariant>})) return value.

    * Added support for reporting an error in callback.

  * Fixes

    * Fixed a bug that virtual functions of grandparent class can't be
      implemented.
      [GitHub#1433][Patch by shibafu]

==== Ruby/Pango

  * Improvements

    * Added support for Ruby 3.2.

==== Ruby/GTK3

  * Improvements

    * Improved documentation.
      [GitHub#1454][Patch by Andy Maleh]

    * Added support for Ruby 3.2.

==== Ruby/GDK4

  * Improvements

    * Updated pkg-config ID.
      [GitHub#1435][Patch by Sasi Olin]

==== Ruby/GTK4

  * Improvements

    * Removed needless rsvg2 dependency on Windows.
      [GitHub#1440][Reported by HuBandiT]

  * Fixes

    * Fixed typos in warning messages.
      [GitHub#1442][Patch by HuBandiT]
      [GitHub#1415][Reported by rubyFeedback]

=== Thanks

  * shibafu

  * Sasi Olin

  * mcclumpherty

  * HuBandiT

  * rubyFeedback

  * Andy Maleh
2022-01-17 15:17:14 +00:00
fox
16c4e97239 print/foliate: Update to 2.6.4
Changes since 2.6.3:

2.6.4

Changes:

  * Fixed various bugs
2022-01-16 04:52:09 +00:00
wiz
e3f47fbb0e *: python2 egg files are back, add them to the PLISTs 2022-01-14 17:51:50 +00:00
wiz
b973346820 py-pydyf: convert to egg.mk 2022-01-10 22:00:08 +00:00
wiz
3793ac95af py-pslib: convert to egg.mk 2022-01-10 21:30:50 +00:00
wiz
6d8a012279 py-cups: convert to egg.mk 2022-01-10 20:32:17 +00:00
wiz
dc34761d52 py-PDF2: fix for python 2.7 2022-01-10 20:24:14 +00:00
wiz
593d535b2c py-Pdf: convert to egg.mk 2022-01-10 18:22:05 +00:00