]> wimlib.net Git - wimlib/blob - src/lzx-compress.c
bc50a858bc9b62cf26d9d1b03d7b822591a1eb33
[wimlib] / src / lzx-compress.c
1 /*
2  * lzx-compress.c
3  *
4  * A compressor that produces output compatible with the LZX compression format.
5  */
6
7 /*
8  * Copyright (C) 2012, 2013, 2014 Eric Biggers
9  *
10  * This file is part of wimlib, a library for working with WIM files.
11  *
12  * wimlib is free software; you can redistribute it and/or modify it under the
13  * terms of the GNU General Public License as published by the Free
14  * Software Foundation; either version 3 of the License, or (at your option)
15  * any later version.
16  *
17  * wimlib is distributed in the hope that it will be useful, but WITHOUT ANY
18  * WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR
19  * A PARTICULAR PURPOSE. See the GNU General Public License for more
20  * details.
21  *
22  * You should have received a copy of the GNU General Public License
23  * along with wimlib; if not, see http://www.gnu.org/licenses/.
24  */
25
26
27 /*
28  * This file contains a compressor for the LZX ("Lempel-Ziv eXtended"?)
29  * compression format, as used in the WIM (Windows IMaging) file format.  This
30  * code may need some slight modifications to be used outside of the WIM format.
31  * In particular, in other situations the LZX block header might be slightly
32  * different, and a sliding window rather than a fixed-size window might be
33  * required.
34  *
35  * ----------------------------------------------------------------------------
36  *
37  *                               Format Overview
38  *
39  * The primary reference for LZX is the specification released by Microsoft.
40  * However, the comments in lzx-decompress.c provide more information about LZX
41  * and note some errors in the Microsoft specification.
42  *
43  * LZX shares many similarities with DEFLATE, the format used by zlib and gzip.
44  * Both LZX and DEFLATE use LZ77 matching and Huffman coding.  Certain details
45  * are quite similar, such as the method for storing Huffman codes.  However,
46  * the main differences are:
47  *
48  * - LZX preprocesses the data to attempt to make x86 machine code slightly more
49  *   compressible before attempting to compress it further.
50  *
51  * - LZX uses a "main" alphabet which combines literals and matches, with the
52  *   match symbols containing a "length header" (giving all or part of the match
53  *   length) and a "position slot" (giving, roughly speaking, the order of
54  *   magnitude of the match offset).
55  *
56  * - LZX does not have static Huffman blocks (that is, the kind with preset
57  *   Huffman codes); however it does have two types of dynamic Huffman blocks
58  *   ("verbatim" and "aligned").
59  *
60  * - LZX has a minimum match length of 2 rather than 3.
61  *
62  * - In LZX, match offsets 0 through 2 actually represent entries in an LRU
63  *   queue of match offsets.  This is very useful for certain types of files,
64  *   such as binary files that have repeating records.
65  *
66  * ----------------------------------------------------------------------------
67  *
68  *                            Algorithmic Overview
69  *
70  * At a high level, any implementation of LZX compression must operate as
71  * follows:
72  *
73  * 1. Preprocess the input data to translate the targets of 32-bit x86 call
74  *    instructions to absolute offsets.  (Actually, this is required for WIM,
75  *    but might not be in other places LZX is used.)
76  *
77  * 2. Find a sequence of LZ77-style matches and literal bytes that expands to
78  *    the preprocessed data.
79  *
80  * 3. Divide the match/literal sequence into one or more LZX blocks, each of
81  *    which may be "uncompressed", "verbatim", or "aligned".
82  *
83  * 4. Output each LZX block.
84  *
85  * Step (1) is fairly straightforward.  It requires looking for 0xe8 bytes in
86  * the input data and performing a translation on the 4 bytes following each
87  * one.
88  *
89  * Step (4) is complicated, but it is mostly determined by the LZX format.  The
90  * only real choice we have is what algorithm to use to build the length-limited
91  * canonical Huffman codes.  See lzx_write_all_blocks() for details.
92  *
93  * That leaves steps (2) and (3) as where all the hard stuff happens.  Focusing
94  * on step (2), we need to do LZ77-style parsing on the input data, or "window",
95  * to divide it into a sequence of matches and literals.  Each position in the
96  * window might have multiple matches associated with it, and we need to choose
97  * which one, if any, to actually use.  Therefore, the problem can really be
98  * divided into two areas of concern: (a) finding matches at a given position,
99  * which we shall call "match-finding", and (b) choosing whether to use a
100  * match or a literal at a given position, and if using a match, which one (if
101  * there is more than one available).  We shall call this "match-choosing".  We
102  * first consider match-finding, then match-choosing.
103  *
104  * ----------------------------------------------------------------------------
105  *
106  *                               Match-finding
107  *
108  * Given a position in the window, we want to find LZ77-style "matches" with
109  * that position at previous positions in the window.  With LZX, the minimum
110  * match length is 2 and the maximum match length is 257.  The only restriction
111  * on offsets is that LZX does not allow the last 2 bytes of the window to match
112  * the beginning of the window.
113  *
114  * There are a number of algorithms that can be used for this, including hash
115  * chains, binary trees, and suffix arrays.  Binary trees generally work well
116  * for LZX compression since it uses medium-size windows (2^15 to 2^21 bytes).
117  * However, when compressing in a fast mode where many positions are skipped
118  * (not searched for matches), hash chains are faster.
119  *
120  * Since the match-finders are not specific to LZX, I will not explain them in
121  * detail here.  Instead, see lz_hash_chains.c and lz_binary_trees.c.
122  *
123  * ----------------------------------------------------------------------------
124  *
125  *                               Match-choosing
126  *
127  * Usually, choosing the longest match is best because it encodes the most data
128  * in that one item.  However, sometimes the longest match is not optimal
129  * because (a) choosing a long match now might prevent using an even longer
130  * match later, or (b) more generally, what we actually care about is the number
131  * of bits it will ultimately take to output each match or literal, which is
132  * actually dependent on the entropy encoding using by the underlying
133  * compression format.  Consequently, a longer match usually, but not always,
134  * takes fewer bits to encode than multiple shorter matches or literals that
135  * cover the same data.
136  *
137  * This problem of choosing the truly best match/literal sequence is probably
138  * impossible to solve efficiently when combined with entropy encoding.  If we
139  * knew how many bits it takes to output each match/literal, then we could
140  * choose the optimal sequence using shortest-path search a la Dijkstra's
141  * algorithm.  However, with entropy encoding, the chosen match/literal sequence
142  * affects its own encoding.  Therefore, we can't know how many bits it will
143  * take to actually output any one match or literal until we have actually
144  * chosen the full sequence of matches and literals.
145  *
146  * Notwithstanding the entropy encoding problem, we also aren't guaranteed to
147  * choose the optimal match/literal sequence unless the match-finder (see
148  * section "Match-finder") provides the match-chooser with all possible matches
149  * at each position.  However, this is not computationally efficient.  For
150  * example, there might be many matches of the same length, and usually (but not
151  * always) the best choice is the one with the smallest offset.  So in practice,
152  * it's fine to only consider the smallest offset for a given match length at a
153  * given position.  (Actually, for LZX, it's also worth considering repeat
154  * offsets.)
155  *
156  * In addition, as mentioned earlier, in LZX we have the choice of using
157  * multiple blocks, each of which resets the Huffman codes.  This expands the
158  * search space even further.  Therefore, to simplify the problem, we currently
159  * we don't attempt to actually choose the LZX blocks based on the data.
160  * Instead, we just divide the data into fixed-size blocks of LZX_DIV_BLOCK_SIZE
161  * bytes each, and always use verbatim or aligned blocks (never uncompressed).
162  * A previous version of this code recursively split the input data into
163  * equal-sized blocks, up to a maximum depth, and chose the lowest-cost block
164  * divisions.  However, this made compression much slower and did not actually
165  * help very much.  It remains an open question whether a sufficiently fast and
166  * useful block-splitting algorithm is possible for LZX.  Essentially the same
167  * problem also applies to DEFLATE.  The Microsoft LZX compressor seemingly does
168  * do block splitting, although I don't know how fast or useful it is,
169  * specifically.
170  *
171  * Now, back to the entropy encoding problem.  The "solution" is to use an
172  * iterative approach to compute a good, but not necessarily optimal,
173  * match/literal sequence.  Start with a fixed assignment of symbol costs and
174  * choose an "optimal" match/literal sequence based on those costs, using
175  * shortest-path seach a la Dijkstra's algorithm.  Then, for each iteration of
176  * the optimization, update the costs based on the entropy encoding of the
177  * current match/literal sequence, then choose a new match/literal sequence
178  * based on the updated costs.  Usually, the actual cost to output the current
179  * match/literal sequence will decrease in each iteration until it converges on
180  * a fixed point.  This result may not be the truly optimal match/literal
181  * sequence, but it usually is much better than one chosen by doing a "greedy"
182  * parse where we always chooe the longest match.
183  *
184  * An alternative to both greedy parsing and iterative, near-optimal parsing is
185  * "lazy" parsing.  Briefly, "lazy" parsing considers just the longest match at
186  * each position, but it waits to choose that match until it has also examined
187  * the next position.  This is actually a useful approach; it's used by zlib,
188  * for example.  Therefore, for fast compression we combine lazy parsing with
189  * the hash chain max-finder.  For normal/high compression we combine
190  * near-optimal parsing with the binary tree match-finder.
191  */
192
193 #ifdef HAVE_CONFIG_H
194 #  include "config.h"
195 #endif
196
197 #include "wimlib/compressor_ops.h"
198 #include "wimlib/compress_common.h"
199 #include "wimlib/endianness.h"
200 #include "wimlib/error.h"
201 #include "wimlib/lz_mf.h"
202 #include "wimlib/lz_repsearch.h"
203 #include "wimlib/lzx.h"
204 #include "wimlib/util.h"
205 #include <string.h>
206
207 #define LZX_OPTIM_ARRAY_LENGTH  4096
208
209 #define LZX_DIV_BLOCK_SIZE      32768
210
211 #define LZX_CACHE_PER_POS       8
212
213 #define LZX_MAX_MATCHES_PER_POS (LZX_MAX_MATCH_LEN - LZX_MIN_MATCH_LEN + 1)
214
215 #define LZX_CACHE_LEN (LZX_DIV_BLOCK_SIZE * (LZX_CACHE_PER_POS + 1))
216
217 /* Codewords for the LZX main, length, and aligned offset Huffman codes  */
218 struct lzx_codewords {
219         u32 main[LZX_MAINCODE_MAX_NUM_SYMBOLS];
220         u32 len[LZX_LENCODE_NUM_SYMBOLS];
221         u32 aligned[LZX_ALIGNEDCODE_NUM_SYMBOLS];
222 };
223
224 /* Codeword lengths (in bits) for the LZX main, length, and aligned offset
225  * Huffman codes.
226  *
227  * A 0 length means the codeword has zero frequency.
228  */
229 struct lzx_lens {
230         u8 main[LZX_MAINCODE_MAX_NUM_SYMBOLS];
231         u8 len[LZX_LENCODE_NUM_SYMBOLS];
232         u8 aligned[LZX_ALIGNEDCODE_NUM_SYMBOLS];
233 };
234
235 /* Costs for the LZX main, length, and aligned offset Huffman symbols.
236  *
237  * If a codeword has zero frequency, it must still be assigned some nonzero cost
238  * --- generally a high cost, since even if it gets used in the next iteration,
239  * it probably will not be used very many times.  */
240 struct lzx_costs {
241         u8 main[LZX_MAINCODE_MAX_NUM_SYMBOLS];
242         u8 len[LZX_LENCODE_NUM_SYMBOLS];
243         u8 aligned[LZX_ALIGNEDCODE_NUM_SYMBOLS];
244 };
245
246 /* The LZX main, length, and aligned offset Huffman codes  */
247 struct lzx_codes {
248         struct lzx_codewords codewords;
249         struct lzx_lens lens;
250 };
251
252 /* Tables for tallying symbol frequencies in the three LZX alphabets  */
253 struct lzx_freqs {
254         u32 main[LZX_MAINCODE_MAX_NUM_SYMBOLS];
255         u32 len[LZX_LENCODE_NUM_SYMBOLS];
256         u32 aligned[LZX_ALIGNEDCODE_NUM_SYMBOLS];
257 };
258
259 /* LZX intermediate match/literal format  */
260 struct lzx_item {
261         /* Bit     Description
262          *
263          * 31      1 if a match, 0 if a literal.
264          *
265          * 30-25   position slot.  This can be at most 50, so it will fit in 6
266          *         bits.
267          *
268          * 8-24    position footer.  This is the offset of the real formatted
269          *         offset from the position base.  This can be at most 17 bits
270          *         (since lzx_extra_bits[LZX_MAX_POSITION_SLOTS - 1] is 17).
271          *
272          * 0-7     length of match, minus 2.  This can be at most
273          *         (LZX_MAX_MATCH_LEN - 2) == 255, so it will fit in 8 bits.  */
274         u32 data;
275 };
276
277 /* Specification for an LZX block.  */
278 struct lzx_block_spec {
279
280         /* One of the LZX_BLOCKTYPE_* constants indicating which type of this
281          * block.  */
282         int block_type;
283
284         /* 0-based position in the window at which this block starts.  */
285         u32 window_pos;
286
287         /* The number of bytes of uncompressed data this block represents.  */
288         u32 block_size;
289
290         /* The match/literal sequence for this block.  */
291         struct lzx_item *chosen_items;
292
293         /* The length of the @chosen_items sequence.  */
294         u32 num_chosen_items;
295
296         /* Huffman codes for this block.  */
297         struct lzx_codes codes;
298 };
299
300 struct lzx_compressor;
301
302 struct lzx_compressor_params {
303         struct lz_match (*choose_item_func)(struct lzx_compressor *);
304         enum lz_mf_algo mf_algo;
305         u32 num_optim_passes;
306         u32 min_match_length;
307         u32 nice_match_length;
308         u32 max_search_depth;
309 };
310
311 /* State of the LZX compressor.  */
312 struct lzx_compressor {
313
314         /* The buffer of data to be compressed.
315          *
316          * 0xe8 byte preprocessing is done directly on the data here before
317          * further compression.
318          *
319          * Note that this compressor does *not* use a real sliding window!!!!
320          * It's not needed in the WIM format, since every chunk is compressed
321          * independently.  This is by design, to allow random access to the
322          * chunks.  */
323         u8 *cur_window;
324
325         /* Number of bytes of data to be compressed, which is the number of
326          * bytes of data in @cur_window that are actually valid.  */
327         u32 cur_window_size;
328
329         /* Allocated size of @cur_window.  */
330         u32 max_window_size;
331
332         /* log2 order of the LZX window size for LZ match offset encoding
333          * purposes.  Will be >= LZX_MIN_WINDOW_ORDER and <=
334          * LZX_MAX_WINDOW_ORDER.
335          *
336          * Note: 1 << @window_order is normally equal to @max_window_size, but
337          * it will be greater than @max_window_size in the event that the
338          * compressor was created with a non-power-of-2 block size.  (See
339          * lzx_get_window_order().)  */
340         unsigned window_order;
341
342         /* Compression parameters.  */
343         struct lzx_compressor_params params;
344
345         unsigned (*get_matches_func)(struct lzx_compressor *, const struct lz_match **);
346         void (*skip_bytes_func)(struct lzx_compressor *, unsigned n);
347
348         /* Number of symbols in the main alphabet (depends on the @window_order
349          * since it determines the maximum allowed offset).  */
350         unsigned num_main_syms;
351
352         /* The current match offset LRU queue.  */
353         struct lzx_lru_queue queue;
354
355         /* Space for the sequences of matches/literals that were chosen for each
356          * block.  */
357         struct lzx_item *chosen_items;
358
359         /* Information about the LZX blocks the preprocessed input was divided
360          * into.  */
361         struct lzx_block_spec *block_specs;
362
363         /* Number of LZX blocks the input was divided into; a.k.a. the number of
364          * elements of @block_specs that are valid.  */
365         unsigned num_blocks;
366
367         /* This is simply filled in with zeroes and used to avoid special-casing
368          * the output of the first compressed Huffman code, which conceptually
369          * has a delta taken from a code with all symbols having zero-length
370          * codewords.  */
371         struct lzx_codes zero_codes;
372
373         /* The current cost model.  */
374         struct lzx_costs costs;
375
376         /* Lempel-Ziv match-finder.  */
377         struct lz_mf *mf;
378
379         /* Position in window of next match to return.  */
380         u32 match_window_pos;
381
382         /* The end-of-block position.  We can't allow any matches to span this
383          * position.  */
384         u32 match_window_end;
385
386         /* When doing more than one match-choosing pass over the data, matches
387          * found by the match-finder are cached in the following array to
388          * achieve a slight speedup when the same matches are needed on
389          * subsequent passes.  This is suboptimal because different matches may
390          * be preferred with different cost models, but seems to be a worthwhile
391          * speedup.  */
392         struct lz_match *cached_matches;
393         struct lz_match *cache_ptr;
394         struct lz_match *cache_limit;
395
396         /* Match-chooser state, used when doing near-optimal parsing.
397          *
398          * When matches have been chosen, optimum_cur_idx is set to the position
399          * in the window of the next match/literal to return and optimum_end_idx
400          * is set to the position in the window at the end of the last
401          * match/literal to return.  */
402         struct lzx_mc_pos_data *optimum;
403         unsigned optimum_cur_idx;
404         unsigned optimum_end_idx;
405
406         /* Previous match, used when doing lazy parsing.  */
407         struct lz_match prev_match;
408 };
409
410 /*
411  * Match chooser position data:
412  *
413  * An array of these structures is used during the match-choosing algorithm.
414  * They correspond to consecutive positions in the window and are used to keep
415  * track of the cost to reach each position, and the match/literal choices that
416  * need to be chosen to reach that position.
417  */
418 struct lzx_mc_pos_data {
419         /* The approximate minimum cost, in bits, to reach this position in the
420          * window which has been found so far.  */
421         u32 cost;
422 #define MC_INFINITE_COST ((u32)~0UL)
423
424         /* The union here is just for clarity, since the fields are used in two
425          * slightly different ways.  Initially, the @prev structure is filled in
426          * first, and links go from later in the window to earlier in the
427          * window.  Later, @next structure is filled in and links go from
428          * earlier in the window to later in the window.  */
429         union {
430                 struct {
431                         /* Position of the start of the match or literal that
432                          * was taken to get to this position in the approximate
433                          * minimum-cost parse.  */
434                         u32 link;
435
436                         /* Offset (as in an LZ (length, offset) pair) of the
437                          * match or literal that was taken to get to this
438                          * position in the approximate minimum-cost parse.  */
439                         u32 match_offset;
440                 } prev;
441                 struct {
442                         /* Position at which the match or literal starting at
443                          * this position ends in the minimum-cost parse.  */
444                         u32 link;
445
446                         /* Offset (as in an LZ (length, offset) pair) of the
447                          * match or literal starting at this position in the
448                          * approximate minimum-cost parse.  */
449                         u32 match_offset;
450                 } next;
451         };
452
453         /* Adaptive state that exists after an approximate minimum-cost path to
454          * reach this position is taken.
455          *
456          * Note: we update this whenever we update the pending minimum-cost
457          * path.  This is in contrast to LZMA, which also has an optimal parser
458          * that maintains a repeat offset queue per position, but will only
459          * compute the queue once that position is actually reached in the
460          * parse, meaning that matches are being considered *starting* at that
461          * position.  However, the two methods seem to have approximately the
462          * same performance if appropriate optimizations are used.  Intuitively
463          * the LZMA method seems faster, but it actually suffers from 1-2 extra
464          * hard-to-predict branches at each position.  Probably it works better
465          * for LZMA than LZX because LZMA has a larger adaptive state than LZX,
466          * and the LZMA encoder considers more possibilities.  */
467         struct lzx_lru_queue queue;
468 };
469
470
471 /*
472  * Structure to keep track of the current state of sending bits to the
473  * compressed output buffer.
474  *
475  * The LZX bitstream is encoded as a sequence of 16-bit coding units.
476  */
477 struct lzx_output_bitstream {
478
479         /* Bits that haven't yet been written to the output buffer.  */
480         u32 bitbuf;
481
482         /* Number of bits currently held in @bitbuf.  */
483         u32 bitcount;
484
485         /* Pointer to the start of the output buffer.  */
486         le16 *start;
487
488         /* Pointer to the position in the output buffer at which the next coding
489          * unit should be written.  */
490         le16 *next;
491
492         /* Pointer past the end of the output buffer.  */
493         le16 *end;
494 };
495
496 /*
497  * Initialize the output bitstream.
498  *
499  * @os
500  *      The output bitstream structure to initialize.
501  * @buffer
502  *      The buffer being written to.
503  * @size
504  *      Size of @buffer, in bytes.
505  */
506 static void
507 lzx_init_output(struct lzx_output_bitstream *os, void *buffer, u32 size)
508 {
509         os->bitbuf = 0;
510         os->bitcount = 0;
511         os->start = buffer;
512         os->next = os->start;
513         os->end = os->start + size / sizeof(le16);
514 }
515
516 /*
517  * Write some bits to the output bitstream.
518  *
519  * The bits are given by the low-order @num_bits bits of @bits.  Higher-order
520  * bits in @bits cannot be set.  At most 17 bits can be written at once.
521  *
522  * @max_bits is a compile-time constant that specifies the maximum number of
523  * bits that can ever be written at the call site.  Currently, it is used to
524  * optimize away the conditional code for writing a second 16-bit coding unit
525  * when writing fewer than 17 bits.
526  *
527  * If the output buffer space is exhausted, then the bits will be ignored, and
528  * lzx_flush_output() will return 0 when it gets called.
529  */
530 static _always_inline_attribute void
531 lzx_write_varbits(struct lzx_output_bitstream *os,
532                   const u32 bits, const unsigned int num_bits,
533                   const unsigned int max_num_bits)
534 {
535         /* This code is optimized for LZX, which never needs to write more than
536          * 17 bits at once.  */
537         LZX_ASSERT(num_bits <= 17);
538         LZX_ASSERT(num_bits <= max_num_bits);
539         LZX_ASSERT(os->bitcount <= 15);
540
541         /* Add the bits to the bit buffer variable.  @bitcount will be at most
542          * 15, so there will be just enough space for the maximum possible
543          * @num_bits of 17.  */
544         os->bitcount += num_bits;
545         os->bitbuf = (os->bitbuf << num_bits) | bits;
546
547         /* Check whether any coding units need to be written.  */
548         if (os->bitcount >= 16) {
549
550                 os->bitcount -= 16;
551
552                 /* Write a coding unit, unless it would overflow the buffer.  */
553                 if (os->next != os->end)
554                         *os->next++ = cpu_to_le16(os->bitbuf >> os->bitcount);
555
556                 /* If writing 17 bits, a second coding unit might need to be
557                  * written.  But because 'max_num_bits' is a compile-time
558                  * constant, the compiler will optimize away this code at most
559                  * call sites.  */
560                 if (max_num_bits == 17 && os->bitcount == 16) {
561                         if (os->next != os->end)
562                                 *os->next++ = cpu_to_le16(os->bitbuf);
563                         os->bitcount = 0;
564                 }
565         }
566 }
567
568 /* Use when @num_bits is a compile-time constant.  Otherwise use
569  * lzx_write_varbits().  */
570 static _always_inline_attribute void
571 lzx_write_bits(struct lzx_output_bitstream *os,
572                const u32 bits, const unsigned int num_bits)
573 {
574         lzx_write_varbits(os, bits, num_bits, num_bits);
575 }
576
577 /*
578  * Flush the last coding unit to the output buffer if needed.  Return the total
579  * number of bytes written to the output buffer, or 0 if an overflow occurred.
580  */
581 static u32
582 lzx_flush_output(struct lzx_output_bitstream *os)
583 {
584         if (os->next == os->end)
585                 return 0;
586
587         if (os->bitcount != 0)
588                 *os->next++ = cpu_to_le16(os->bitbuf << (16 - os->bitcount));
589
590         return (const u8 *)os->next - (const u8 *)os->start;
591 }
592
593 /* Returns the LZX position slot that corresponds to a given match offset,
594  * taking into account the recent offset queue and updating it if the offset is
595  * found in it.  */
596 static unsigned
597 lzx_get_position_slot(u32 offset, struct lzx_lru_queue *queue)
598 {
599         unsigned position_slot;
600
601         /* See if the offset was recently used.  */
602         for (int i = 0; i < LZX_NUM_RECENT_OFFSETS; i++) {
603                 if (offset == queue->R[i]) {
604                         /* Found it.  */
605
606                         /* Bring the repeat offset to the front of the
607                          * queue.  Note: this is, in fact, not a real
608                          * LRU queue because repeat matches are simply
609                          * swapped to the front.  */
610                         swap(queue->R[0], queue->R[i]);
611
612                         /* The resulting position slot is simply the first index
613                          * at which the offset was found in the queue.  */
614                         return i;
615                 }
616         }
617
618         /* The offset was not recently used; look up its real position slot.  */
619         position_slot = lzx_get_position_slot_raw(offset + LZX_OFFSET_OFFSET);
620
621         /* Bring the new offset to the front of the queue.  */
622         for (int i = LZX_NUM_RECENT_OFFSETS - 1; i > 0; i--)
623                 queue->R[i] = queue->R[i - 1];
624         queue->R[0] = offset;
625
626         return position_slot;
627 }
628
629 /* Build the main, length, and aligned offset Huffman codes used in LZX.
630  *
631  * This takes as input the frequency tables for each code and produces as output
632  * a set of tables that map symbols to codewords and codeword lengths.  */
633 static void
634 lzx_make_huffman_codes(const struct lzx_freqs *freqs,
635                        struct lzx_codes *codes,
636                        unsigned num_main_syms)
637 {
638         make_canonical_huffman_code(num_main_syms,
639                                     LZX_MAX_MAIN_CODEWORD_LEN,
640                                     freqs->main,
641                                     codes->lens.main,
642                                     codes->codewords.main);
643
644         make_canonical_huffman_code(LZX_LENCODE_NUM_SYMBOLS,
645                                     LZX_MAX_LEN_CODEWORD_LEN,
646                                     freqs->len,
647                                     codes->lens.len,
648                                     codes->codewords.len);
649
650         make_canonical_huffman_code(LZX_ALIGNEDCODE_NUM_SYMBOLS,
651                                     LZX_MAX_ALIGNED_CODEWORD_LEN,
652                                     freqs->aligned,
653                                     codes->lens.aligned,
654                                     codes->codewords.aligned);
655 }
656
657 /*
658  * Output a precomputed LZX match.
659  *
660  * @os:
661  *      The bitstream to which to write the match.
662  * @ones_if_aligned
663  *      A mask of all ones if the block is of type LZX_BLOCKTYPE_ALIGNED,
664  *      otherwise 0.
665  * @match:
666  *      The match data.
667  * @codes:
668  *      Pointer to a structure that contains the codewords for the main, length,
669  *      and aligned offset Huffman codes for the current LZX compressed block.
670  */
671 static void
672 lzx_write_match(struct lzx_output_bitstream *os, unsigned ones_if_aligned,
673                 struct lzx_item match, const struct lzx_codes *codes)
674 {
675         unsigned match_len_minus_2 = match.data & 0xff;
676         u32 position_footer = (match.data >> 8) & 0x1ffff;
677         unsigned position_slot = (match.data >> 25) & 0x3f;
678         unsigned len_header;
679         unsigned len_footer;
680         unsigned main_symbol;
681         unsigned num_extra_bits;
682
683         /* If the match length is less than MIN_MATCH_LEN (= 2) +
684          * NUM_PRIMARY_LENS (= 7), the length header contains the match length
685          * minus MIN_MATCH_LEN, and there is no length footer.
686          *
687          * Otherwise, the length header contains NUM_PRIMARY_LENS, and the
688          * length footer contains the match length minus NUM_PRIMARY_LENS minus
689          * MIN_MATCH_LEN. */
690         if (match_len_minus_2 < LZX_NUM_PRIMARY_LENS) {
691                 len_header = match_len_minus_2;
692         } else {
693                 len_header = LZX_NUM_PRIMARY_LENS;
694                 len_footer = match_len_minus_2 - LZX_NUM_PRIMARY_LENS;
695         }
696
697         /* Combine the position slot with the length header into a single symbol
698          * that will be encoded with the main code.
699          *
700          * The actual main symbol is offset by LZX_NUM_CHARS because values
701          * under LZX_NUM_CHARS are used to indicate a literal byte rather than a
702          * match.  */
703         main_symbol = ((position_slot << 3) | len_header) + LZX_NUM_CHARS;
704
705         /* Output main symbol. */
706         lzx_write_varbits(os, codes->codewords.main[main_symbol],
707                           codes->lens.main[main_symbol],
708                           LZX_MAX_MAIN_CODEWORD_LEN);
709
710         /* If there is a length footer, output it using the
711          * length Huffman code. */
712         if (len_header == LZX_NUM_PRIMARY_LENS) {
713                 lzx_write_varbits(os, codes->codewords.len[len_footer],
714                                   codes->lens.len[len_footer],
715                                   LZX_MAX_LEN_CODEWORD_LEN);
716         }
717
718         /* Output the position footer.  */
719
720         num_extra_bits = lzx_get_num_extra_bits(position_slot);
721
722         if ((num_extra_bits & ones_if_aligned) >= 3) {
723
724                 /* Aligned offset blocks: The low 3 bits of the position footer
725                  * are Huffman-encoded using the aligned offset code.  The
726                  * remaining bits are output literally.  */
727
728                 lzx_write_varbits(os,
729                                   position_footer >> 3, num_extra_bits - 3, 14);
730
731                 lzx_write_varbits(os,
732                                   codes->codewords.aligned[position_footer & 7],
733                                   codes->lens.aligned[position_footer & 7],
734                                   LZX_MAX_ALIGNED_CODEWORD_LEN);
735         } else {
736                 /* Verbatim blocks, or fewer than 3 extra bits:  All position
737                  * footer bits are output literally.  */
738                 lzx_write_varbits(os, position_footer, num_extra_bits, 17);
739         }
740 }
741
742 /* Output an LZX literal (encoded with the main Huffman code).  */
743 static void
744 lzx_write_literal(struct lzx_output_bitstream *os, unsigned literal,
745                   const struct lzx_codes *codes)
746 {
747         lzx_write_varbits(os, codes->codewords.main[literal],
748                           codes->lens.main[literal], LZX_MAX_MAIN_CODEWORD_LEN);
749 }
750
751 static unsigned
752 lzx_compute_precode_items(const u8 lens[restrict],
753                           const u8 prev_lens[restrict],
754                           const unsigned num_lens,
755                           u32 precode_freqs[restrict],
756                           unsigned precode_items[restrict])
757 {
758         unsigned *itemptr;
759         unsigned run_start;
760         unsigned run_end;
761         unsigned extra_bits;
762         int delta;
763         u8 len;
764
765         itemptr = precode_items;
766         run_start = 0;
767         do {
768                 /* Find the next run of codeword lengths.  */
769
770                 /* len = the length being repeated  */
771                 len = lens[run_start];
772
773                 run_end = run_start + 1;
774
775                 /* Fast case for a single length.  */
776                 if (likely(run_end == num_lens || len != lens[run_end])) {
777                         delta = prev_lens[run_start] - len;
778                         if (delta < 0)
779                                 delta += 17;
780                         precode_freqs[delta]++;
781                         *itemptr++ = delta;
782                         run_start++;
783                         continue;
784                 }
785
786                 /* Extend the run.  */
787                 do {
788                         run_end++;
789                 } while (run_end != num_lens && len == lens[run_end]);
790
791                 if (len == 0) {
792                         /* Run of zeroes.  */
793
794                         /* Symbol 18: RLE 20 to 51 zeroes at a time.  */
795                         while ((run_end - run_start) >= 20) {
796                                 extra_bits = min((run_end - run_start) - 20, 0x1f);
797                                 precode_freqs[18]++;
798                                 *itemptr++ = 18 | (extra_bits << 5);
799                                 run_start += 20 + extra_bits;
800                         }
801
802                         /* Symbol 17: RLE 4 to 19 zeroes at a time.  */
803                         if ((run_end - run_start) >= 4) {
804                                 extra_bits = min((run_end - run_start) - 4, 0xf);
805                                 precode_freqs[17]++;
806                                 *itemptr++ = 17 | (extra_bits << 5);
807                                 run_start += 4 + extra_bits;
808                         }
809                 } else {
810
811                         /* A run of nonzero lengths. */
812
813                         /* Symbol 19: RLE 4 to 5 of any length at a time.  */
814                         while ((run_end - run_start) >= 4) {
815                                 extra_bits = (run_end - run_start) > 4;
816                                 delta = prev_lens[run_start] - len;
817                                 if (delta < 0)
818                                         delta += 17;
819                                 precode_freqs[19]++;
820                                 precode_freqs[delta]++;
821                                 *itemptr++ = 19 | (extra_bits << 5) | (delta << 6);
822                                 run_start += 4 + extra_bits;
823                         }
824                 }
825
826                 /* Output any remaining lengths without RLE.  */
827                 while (run_start != run_end) {
828                         delta = prev_lens[run_start] - len;
829                         if (delta < 0)
830                                 delta += 17;
831                         precode_freqs[delta]++;
832                         *itemptr++ = delta;
833                         run_start++;
834                 }
835         } while (run_start != num_lens);
836
837         return itemptr - precode_items;
838 }
839
840 /*
841  * Output a Huffman code in the compressed form used in LZX.
842  *
843  * The Huffman code is represented in the output as a logical series of codeword
844  * lengths from which the Huffman code, which must be in canonical form, can be
845  * reconstructed.
846  *
847  * The codeword lengths are themselves compressed using a separate Huffman code,
848  * the "precode", which contains a symbol for each possible codeword length in
849  * the larger code as well as several special symbols to represent repeated
850  * codeword lengths (a form of run-length encoding).  The precode is itself
851  * constructed in canonical form, and its codeword lengths are represented
852  * literally in 20 4-bit fields that immediately precede the compressed codeword
853  * lengths of the larger code.
854  *
855  * Furthermore, the codeword lengths of the larger code are actually represented
856  * as deltas from the codeword lengths of the corresponding code in the previous
857  * block.
858  *
859  * @os:
860  *      Bitstream to which to write the compressed Huffman code.
861  * @lens:
862  *      The codeword lengths, indexed by symbol, in the Huffman code.
863  * @prev_lens:
864  *      The codeword lengths, indexed by symbol, in the corresponding Huffman
865  *      code in the previous block, or all zeroes if this is the first block.
866  * @num_lens:
867  *      The number of symbols in the Huffman code.
868  */
869 static void
870 lzx_write_compressed_code(struct lzx_output_bitstream *os,
871                           const u8 lens[restrict],
872                           const u8 prev_lens[restrict],
873                           unsigned num_lens)
874 {
875         u32 precode_freqs[LZX_PRECODE_NUM_SYMBOLS];
876         u8 precode_lens[LZX_PRECODE_NUM_SYMBOLS];
877         u32 precode_codewords[LZX_PRECODE_NUM_SYMBOLS];
878         unsigned precode_items[num_lens];
879         unsigned num_precode_items;
880         unsigned precode_item;
881         unsigned precode_sym;
882         unsigned i;
883
884         for (i = 0; i < LZX_PRECODE_NUM_SYMBOLS; i++)
885                 precode_freqs[i] = 0;
886
887         /* Compute the "items" (RLE / literal tokens and extra bits) with which
888          * the codeword lengths in the larger code will be output.  */
889         num_precode_items = lzx_compute_precode_items(lens,
890                                                       prev_lens,
891                                                       num_lens,
892                                                       precode_freqs,
893                                                       precode_items);
894
895         /* Build the precode.  */
896         make_canonical_huffman_code(LZX_PRECODE_NUM_SYMBOLS,
897                                     LZX_MAX_PRE_CODEWORD_LEN,
898                                     precode_freqs, precode_lens,
899                                     precode_codewords);
900
901         /* Output the lengths of the codewords in the precode.  */
902         for (i = 0; i < LZX_PRECODE_NUM_SYMBOLS; i++)
903                 lzx_write_bits(os, precode_lens[i], LZX_PRECODE_ELEMENT_SIZE);
904
905         /* Output the encoded lengths of the codewords in the larger code.  */
906         for (i = 0; i < num_precode_items; i++) {
907                 precode_item = precode_items[i];
908                 precode_sym = precode_item & 0x1F;
909                 lzx_write_varbits(os, precode_codewords[precode_sym],
910                                   precode_lens[precode_sym],
911                                   LZX_MAX_PRE_CODEWORD_LEN);
912                 if (precode_sym >= 17) {
913                         if (precode_sym == 17) {
914                                 lzx_write_bits(os, precode_item >> 5, 4);
915                         } else if (precode_sym == 18) {
916                                 lzx_write_bits(os, precode_item >> 5, 5);
917                         } else {
918                                 lzx_write_bits(os, (precode_item >> 5) & 1, 1);
919                                 precode_sym = precode_item >> 6;
920                                 lzx_write_varbits(os, precode_codewords[precode_sym],
921                                                   precode_lens[precode_sym],
922                                                   LZX_MAX_PRE_CODEWORD_LEN);
923                         }
924                 }
925         }
926 }
927
928 /*
929  * Write all matches and literal bytes (which were precomputed) in an LZX
930  * compressed block to the output bitstream in the final compressed
931  * representation.
932  *
933  * @os
934  *      The output bitstream.
935  * @block_type
936  *      The chosen type of the LZX compressed block (LZX_BLOCKTYPE_ALIGNED or
937  *      LZX_BLOCKTYPE_VERBATIM).
938  * @items
939  *      The array of matches/literals to output.
940  * @num_items
941  *      Number of matches/literals to output (length of @items).
942  * @codes
943  *      The main, length, and aligned offset Huffman codes for the current
944  *      LZX compressed block.
945  */
946 static void
947 lzx_write_items(struct lzx_output_bitstream *os, int block_type,
948                 const struct lzx_item items[], u32 num_items,
949                 const struct lzx_codes *codes)
950 {
951         unsigned ones_if_aligned = 0U - (block_type == LZX_BLOCKTYPE_ALIGNED);
952
953         for (u32 i = 0; i < num_items; i++) {
954                 /* The high bit of the 32-bit intermediate representation
955                  * indicates whether the item is an actual LZ-style match (1) or
956                  * a literal byte (0).  */
957                 if (items[i].data & 0x80000000)
958                         lzx_write_match(os, ones_if_aligned, items[i], codes);
959                 else
960                         lzx_write_literal(os, items[i].data, codes);
961         }
962 }
963
964 /* Write an LZX aligned offset or verbatim block to the output.  */
965 static void
966 lzx_write_compressed_block(int block_type,
967                            u32 block_size,
968                            unsigned window_order,
969                            unsigned num_main_syms,
970                            struct lzx_item * chosen_items,
971                            u32 num_chosen_items,
972                            const struct lzx_codes * codes,
973                            const struct lzx_codes * prev_codes,
974                            struct lzx_output_bitstream * os)
975 {
976         LZX_ASSERT(block_type == LZX_BLOCKTYPE_ALIGNED ||
977                    block_type == LZX_BLOCKTYPE_VERBATIM);
978
979         /* The first three bits indicate the type of block and are one of the
980          * LZX_BLOCKTYPE_* constants.  */
981         lzx_write_bits(os, block_type, 3);
982
983         /* Output the block size.
984          *
985          * The original LZX format seemed to always encode the block size in 3
986          * bytes.  However, the implementation in WIMGAPI, as used in WIM files,
987          * uses the first bit to indicate whether the block is the default size
988          * (32768) or a different size given explicitly by the next 16 bits.
989          *
990          * By default, this compressor uses a window size of 32768 and therefore
991          * follows the WIMGAPI behavior.  However, this compressor also supports
992          * window sizes greater than 32768 bytes, which do not appear to be
993          * supported by WIMGAPI.  In such cases, we retain the default size bit
994          * to mean a size of 32768 bytes but output non-default block size in 24
995          * bits rather than 16.  The compatibility of this behavior is unknown
996          * because WIMs created with chunk size greater than 32768 can seemingly
997          * only be opened by wimlib anyway.  */
998         if (block_size == LZX_DEFAULT_BLOCK_SIZE) {
999                 lzx_write_bits(os, 1, 1);
1000         } else {
1001                 lzx_write_bits(os, 0, 1);
1002
1003                 if (window_order >= 16)
1004                         lzx_write_bits(os, block_size >> 16, 8);
1005
1006                 lzx_write_bits(os, block_size & 0xFFFF, 16);
1007         }
1008
1009         /* Output the aligned offset code.  */
1010         if (block_type == LZX_BLOCKTYPE_ALIGNED) {
1011                 for (int i = 0; i < LZX_ALIGNEDCODE_NUM_SYMBOLS; i++) {
1012                         lzx_write_bits(os, codes->lens.aligned[i],
1013                                        LZX_ALIGNEDCODE_ELEMENT_SIZE);
1014                 }
1015         }
1016
1017         /* Output the main code (two parts).  */
1018         lzx_write_compressed_code(os, codes->lens.main,
1019                                   prev_codes->lens.main,
1020                                   LZX_NUM_CHARS);
1021         lzx_write_compressed_code(os, codes->lens.main + LZX_NUM_CHARS,
1022                                   prev_codes->lens.main + LZX_NUM_CHARS,
1023                                   num_main_syms - LZX_NUM_CHARS);
1024
1025         /* Output the length code.  */
1026         lzx_write_compressed_code(os, codes->lens.len,
1027                                   prev_codes->lens.len,
1028                                   LZX_LENCODE_NUM_SYMBOLS);
1029
1030         /* Output the compressed matches and literals.  */
1031         lzx_write_items(os, block_type, chosen_items, num_chosen_items, codes);
1032 }
1033
1034 /* Write out the LZX blocks that were computed.  */
1035 static void
1036 lzx_write_all_blocks(struct lzx_compressor *c, struct lzx_output_bitstream *os)
1037 {
1038
1039         const struct lzx_codes *prev_codes = &c->zero_codes;
1040         for (unsigned i = 0; i < c->num_blocks; i++) {
1041                 const struct lzx_block_spec *spec = &c->block_specs[i];
1042
1043                 lzx_write_compressed_block(spec->block_type,
1044                                            spec->block_size,
1045                                            c->window_order,
1046                                            c->num_main_syms,
1047                                            spec->chosen_items,
1048                                            spec->num_chosen_items,
1049                                            &spec->codes,
1050                                            prev_codes,
1051                                            os);
1052
1053                 prev_codes = &spec->codes;
1054         }
1055 }
1056
1057 /* Constructs an LZX match from a literal byte and updates the main code symbol
1058  * frequencies.  */
1059 static inline u32
1060 lzx_tally_literal(u8 lit, struct lzx_freqs *freqs)
1061 {
1062         freqs->main[lit]++;
1063         return (u32)lit;
1064 }
1065
1066 /* Constructs an LZX match from an offset and a length, and updates the LRU
1067  * queue and the frequency of symbols in the main, length, and aligned offset
1068  * alphabets.  The return value is a 32-bit number that provides the match in an
1069  * intermediate representation documented below.  */
1070 static inline u32
1071 lzx_tally_match(unsigned match_len, u32 match_offset,
1072                 struct lzx_freqs *freqs, struct lzx_lru_queue *queue)
1073 {
1074         unsigned position_slot;
1075         u32 position_footer;
1076         u32 len_header;
1077         unsigned main_symbol;
1078         unsigned len_footer;
1079         unsigned adjusted_match_len;
1080
1081         LZX_ASSERT(match_len >= LZX_MIN_MATCH_LEN && match_len <= LZX_MAX_MATCH_LEN);
1082
1083         /* The match offset shall be encoded as a position slot (itself encoded
1084          * as part of the main symbol) and a position footer.  */
1085         position_slot = lzx_get_position_slot(match_offset, queue);
1086         position_footer = (match_offset + LZX_OFFSET_OFFSET) &
1087                                 (((u32)1 << lzx_get_num_extra_bits(position_slot)) - 1);
1088
1089         /* The match length shall be encoded as a length header (itself encoded
1090          * as part of the main symbol) and an optional length footer.  */
1091         adjusted_match_len = match_len - LZX_MIN_MATCH_LEN;
1092         if (adjusted_match_len < LZX_NUM_PRIMARY_LENS) {
1093                 /* No length footer needed.  */
1094                 len_header = adjusted_match_len;
1095         } else {
1096                 /* Length footer needed.  It will be encoded using the length
1097                  * code.  */
1098                 len_header = LZX_NUM_PRIMARY_LENS;
1099                 len_footer = adjusted_match_len - LZX_NUM_PRIMARY_LENS;
1100                 freqs->len[len_footer]++;
1101         }
1102
1103         /* Account for the main symbol.  */
1104         main_symbol = ((position_slot << 3) | len_header) + LZX_NUM_CHARS;
1105
1106         freqs->main[main_symbol]++;
1107
1108         /* In an aligned offset block, 3 bits of the position footer are output
1109          * as an aligned offset symbol.  Account for this, although we may
1110          * ultimately decide to output the block as verbatim.  */
1111
1112         /* The following check is equivalent to:
1113          *
1114          * if (lzx_extra_bits[position_slot] >= 3)
1115          *
1116          * Note that this correctly excludes position slots that correspond to
1117          * recent offsets.  */
1118         if (position_slot >= 8)
1119                 freqs->aligned[position_footer & 7]++;
1120
1121         /* Pack the position slot, position footer, and match length into an
1122          * intermediate representation.  See `struct lzx_item' for details.
1123          */
1124         LZX_ASSERT(LZX_MAX_POSITION_SLOTS <= 64);
1125         LZX_ASSERT(lzx_get_num_extra_bits(LZX_MAX_POSITION_SLOTS - 1) <= 17);
1126         LZX_ASSERT(LZX_MAX_MATCH_LEN - LZX_MIN_MATCH_LEN + 1 <= 256);
1127
1128         LZX_ASSERT(position_slot      <= (1U << (31 - 25)) - 1);
1129         LZX_ASSERT(position_footer    <= (1U << (25 -  8)) - 1);
1130         LZX_ASSERT(adjusted_match_len <= (1U << (8  -  0)) - 1);
1131         return 0x80000000 |
1132                 (position_slot << 25) |
1133                 (position_footer << 8) |
1134                 (adjusted_match_len);
1135 }
1136
1137 /* Returns the cost, in bits, to output a literal byte using the specified cost
1138  * model.  */
1139 static u32
1140 lzx_literal_cost(u8 c, const struct lzx_costs * costs)
1141 {
1142         return costs->main[c];
1143 }
1144
1145 /* Returns the cost, in bits, to output a repeat offset match of the specified
1146  * length and position slot (repeat index) using the specified cost model.  */
1147 static u32
1148 lzx_repmatch_cost(u32 len, unsigned position_slot, const struct lzx_costs *costs)
1149 {
1150         unsigned len_header, main_symbol;
1151         u32 cost = 0;
1152
1153         len_header = min(len - LZX_MIN_MATCH_LEN, LZX_NUM_PRIMARY_LENS);
1154         main_symbol = ((position_slot << 3) | len_header) + LZX_NUM_CHARS;
1155
1156         /* Account for main symbol.  */
1157         cost += costs->main[main_symbol];
1158
1159         /* Account for extra length information.  */
1160         if (len_header == LZX_NUM_PRIMARY_LENS)
1161                 cost += costs->len[len - LZX_MIN_MATCH_LEN - LZX_NUM_PRIMARY_LENS];
1162
1163         return cost;
1164 }
1165
1166 /* Set the cost model @c->costs from the Huffman codeword lengths specified in
1167  * @lens.
1168  *
1169  * The cost model and codeword lengths are almost the same thing, but the
1170  * Huffman codewords with length 0 correspond to symbols with zero frequency
1171  * that still need to be assigned actual costs.  The specific values assigned
1172  * are arbitrary, but they should be fairly high (near the maximum codeword
1173  * length) to take into account the fact that uses of these symbols are expected
1174  * to be rare.  */
1175 static void
1176 lzx_set_costs(struct lzx_compressor *c, const struct lzx_lens * lens,
1177               unsigned nostat)
1178 {
1179         unsigned i;
1180
1181         /* Main code  */
1182         for (i = 0; i < c->num_main_syms; i++)
1183                 c->costs.main[i] = lens->main[i] ? lens->main[i] : nostat;
1184
1185         /* Length code  */
1186         for (i = 0; i < LZX_LENCODE_NUM_SYMBOLS; i++)
1187                 c->costs.len[i] = lens->len[i] ? lens->len[i] : nostat;
1188
1189         /* Aligned offset code  */
1190         for (i = 0; i < LZX_ALIGNEDCODE_NUM_SYMBOLS; i++)
1191                 c->costs.aligned[i] = lens->aligned[i] ? lens->aligned[i] : nostat / 2;
1192 }
1193
1194 /* Don't allow matches to span the end of an LZX block.  */
1195 static inline u32
1196 maybe_truncate_matches(struct lz_match matches[], u32 num_matches,
1197                        struct lzx_compressor *c)
1198 {
1199         if (c->match_window_end < c->cur_window_size && num_matches != 0) {
1200                 u32 limit = c->match_window_end - c->match_window_pos;
1201
1202                 if (limit >= LZX_MIN_MATCH_LEN) {
1203
1204                         u32 i = num_matches - 1;
1205                         do {
1206                                 if (matches[i].len >= limit) {
1207                                         matches[i].len = limit;
1208
1209                                         /* Truncation might produce multiple
1210                                          * matches with length 'limit'.  Keep at
1211                                          * most 1.  */
1212                                         num_matches = i + 1;
1213                                 }
1214                         } while (i--);
1215                 } else {
1216                         num_matches = 0;
1217                 }
1218         }
1219         return num_matches;
1220 }
1221
1222 static unsigned
1223 lzx_get_matches_fillcache_singleblock(struct lzx_compressor *c,
1224                                       const struct lz_match **matches_ret)
1225 {
1226         struct lz_match *cache_ptr;
1227         struct lz_match *matches;
1228         unsigned num_matches;
1229
1230         cache_ptr = c->cache_ptr;
1231         matches = cache_ptr + 1;
1232         if (likely(cache_ptr <= c->cache_limit)) {
1233                 num_matches = lz_mf_get_matches(c->mf, matches);
1234                 cache_ptr->len = num_matches;
1235                 c->cache_ptr = matches + num_matches;
1236         } else {
1237                 num_matches = 0;
1238         }
1239         c->match_window_pos++;
1240         *matches_ret = matches;
1241         return num_matches;
1242 }
1243
1244 static unsigned
1245 lzx_get_matches_fillcache_multiblock(struct lzx_compressor *c,
1246                                      const struct lz_match **matches_ret)
1247 {
1248         struct lz_match *cache_ptr;
1249         struct lz_match *matches;
1250         unsigned num_matches;
1251
1252         cache_ptr = c->cache_ptr;
1253         matches = cache_ptr + 1;
1254         if (likely(cache_ptr <= c->cache_limit)) {
1255                 num_matches = lz_mf_get_matches(c->mf, matches);
1256                 num_matches = maybe_truncate_matches(matches, num_matches, c);
1257                 cache_ptr->len = num_matches;
1258                 c->cache_ptr = matches + num_matches;
1259         } else {
1260                 num_matches = 0;
1261         }
1262         c->match_window_pos++;
1263         *matches_ret = matches;
1264         return num_matches;
1265 }
1266
1267 static unsigned
1268 lzx_get_matches_usecache(struct lzx_compressor *c,
1269                          const struct lz_match **matches_ret)
1270 {
1271         struct lz_match *cache_ptr;
1272         struct lz_match *matches;
1273         unsigned num_matches;
1274
1275         cache_ptr = c->cache_ptr;
1276         matches = cache_ptr + 1;
1277         if (cache_ptr <= c->cache_limit) {
1278                 num_matches = cache_ptr->len;
1279                 c->cache_ptr = matches + num_matches;
1280         } else {
1281                 num_matches = 0;
1282         }
1283         c->match_window_pos++;
1284         *matches_ret = matches;
1285         return num_matches;
1286 }
1287
1288 static unsigned
1289 lzx_get_matches_usecache_nocheck(struct lzx_compressor *c,
1290                                  const struct lz_match **matches_ret)
1291 {
1292         struct lz_match *cache_ptr;
1293         struct lz_match *matches;
1294         unsigned num_matches;
1295
1296         cache_ptr = c->cache_ptr;
1297         matches = cache_ptr + 1;
1298         num_matches = cache_ptr->len;
1299         c->cache_ptr = matches + num_matches;
1300         c->match_window_pos++;
1301         *matches_ret = matches;
1302         return num_matches;
1303 }
1304
1305 static unsigned
1306 lzx_get_matches_nocache_singleblock(struct lzx_compressor *c,
1307                                     const struct lz_match **matches_ret)
1308 {
1309         struct lz_match *matches;
1310         unsigned num_matches;
1311
1312         matches = c->cache_ptr;
1313         num_matches = lz_mf_get_matches(c->mf, matches);
1314         c->match_window_pos++;
1315         *matches_ret = matches;
1316         return num_matches;
1317 }
1318
1319 static unsigned
1320 lzx_get_matches_nocache_multiblock(struct lzx_compressor *c,
1321                                    const struct lz_match **matches_ret)
1322 {
1323         struct lz_match *matches;
1324         unsigned num_matches;
1325
1326         matches = c->cache_ptr;
1327         num_matches = lz_mf_get_matches(c->mf, matches);
1328         num_matches = maybe_truncate_matches(matches, num_matches, c);
1329         c->match_window_pos++;
1330         *matches_ret = matches;
1331         return num_matches;
1332 }
1333
1334 /*
1335  * Find matches at the next position in the window.
1336  *
1337  * Returns the number of matches found and sets *matches_ret to point to the
1338  * matches array.  The matches will be sorted by strictly increasing length and
1339  * offset.
1340  */
1341 static inline unsigned
1342 lzx_get_matches(struct lzx_compressor *c,
1343                 const struct lz_match **matches_ret)
1344 {
1345         return (*c->get_matches_func)(c, matches_ret);
1346 }
1347
1348 static void
1349 lzx_skip_bytes_fillcache(struct lzx_compressor *c, unsigned n)
1350 {
1351         struct lz_match *cache_ptr;
1352
1353         cache_ptr = c->cache_ptr;
1354         c->match_window_pos += n;
1355         lz_mf_skip_positions(c->mf, n);
1356         if (cache_ptr <= c->cache_limit) {
1357                 do {
1358                         cache_ptr->len = 0;
1359                         cache_ptr += 1;
1360                 } while (--n && cache_ptr <= c->cache_limit);
1361         }
1362         c->cache_ptr = cache_ptr;
1363 }
1364
1365 static void
1366 lzx_skip_bytes_usecache(struct lzx_compressor *c, unsigned n)
1367 {
1368         struct lz_match *cache_ptr;
1369
1370         cache_ptr = c->cache_ptr;
1371         c->match_window_pos += n;
1372         if (cache_ptr <= c->cache_limit) {
1373                 do {
1374                         cache_ptr += 1 + cache_ptr->len;
1375                 } while (--n && cache_ptr <= c->cache_limit);
1376         }
1377         c->cache_ptr = cache_ptr;
1378 }
1379
1380 static void
1381 lzx_skip_bytes_usecache_nocheck(struct lzx_compressor *c, unsigned n)
1382 {
1383         struct lz_match *cache_ptr;
1384
1385         cache_ptr = c->cache_ptr;
1386         c->match_window_pos += n;
1387         do {
1388                 cache_ptr += 1 + cache_ptr->len;
1389         } while (--n);
1390         c->cache_ptr = cache_ptr;
1391 }
1392
1393 static void
1394 lzx_skip_bytes_nocache(struct lzx_compressor *c, unsigned n)
1395 {
1396         c->match_window_pos += n;
1397         lz_mf_skip_positions(c->mf, n);
1398 }
1399
1400 /*
1401  * Skip the specified number of positions in the window (don't search for
1402  * matches at them).
1403  */
1404 static inline void
1405 lzx_skip_bytes(struct lzx_compressor *c, unsigned n)
1406 {
1407         return (*c->skip_bytes_func)(c, n);
1408 }
1409
1410 /*
1411  * Reverse the linked list of near-optimal matches so that they can be returned
1412  * in forwards order.
1413  *
1414  * Returns the first match in the list.
1415  */
1416 static struct lz_match
1417 lzx_match_chooser_reverse_list(struct lzx_compressor *c, unsigned cur_pos)
1418 {
1419         unsigned prev_link, saved_prev_link;
1420         unsigned prev_match_offset, saved_prev_match_offset;
1421
1422         c->optimum_end_idx = cur_pos;
1423
1424         saved_prev_link = c->optimum[cur_pos].prev.link;
1425         saved_prev_match_offset = c->optimum[cur_pos].prev.match_offset;
1426
1427         do {
1428                 prev_link = saved_prev_link;
1429                 prev_match_offset = saved_prev_match_offset;
1430
1431                 saved_prev_link = c->optimum[prev_link].prev.link;
1432                 saved_prev_match_offset = c->optimum[prev_link].prev.match_offset;
1433
1434                 c->optimum[prev_link].next.link = cur_pos;
1435                 c->optimum[prev_link].next.match_offset = prev_match_offset;
1436
1437                 cur_pos = prev_link;
1438         } while (cur_pos != 0);
1439
1440         c->optimum_cur_idx = c->optimum[0].next.link;
1441
1442         return (struct lz_match)
1443                 { .len = c->optimum_cur_idx,
1444                   .offset = c->optimum[0].next.match_offset,
1445                 };
1446 }
1447
1448 /*
1449  * Find the longest repeat offset match.
1450  *
1451  * If no match of at least LZX_MIN_MATCH_LEN bytes is found, then return 0.
1452  *
1453  * If a match of at least LZX_MIN_MATCH_LEN bytes is found, then return its
1454  * length and set *slot_ret to the index of its offset in @queue.
1455  */
1456 static inline u32
1457 lzx_repsearch(const u8 * const strptr, const u32 bytes_remaining,
1458               const struct lzx_lru_queue *queue, unsigned *slot_ret)
1459 {
1460         BUILD_BUG_ON(LZX_MIN_MATCH_LEN != 2);
1461         return lz_repsearch(strptr, bytes_remaining, LZX_MAX_MATCH_LEN,
1462                             queue->R, LZX_NUM_RECENT_OFFSETS, slot_ret);
1463 }
1464
1465 /*
1466  * lzx_choose_near_optimal_item() -
1467  *
1468  * Choose an approximately optimal match or literal to use at the next position
1469  * in the string, or "window", being LZ-encoded.
1470  *
1471  * This is based on algorithms used in 7-Zip, including the DEFLATE encoder
1472  * and the LZMA encoder, written by Igor Pavlov.
1473  *
1474  * Unlike a greedy parser that always takes the longest match, or even a "lazy"
1475  * parser with one match/literal look-ahead like zlib, the algorithm used here
1476  * may look ahead many matches/literals to determine the approximately optimal
1477  * match/literal to code next.  The motivation is that the compression ratio is
1478  * improved if the compressor can do things like use a shorter-than-possible
1479  * match in order to allow a longer match later, and also take into account the
1480  * estimated real cost of coding each match/literal based on the underlying
1481  * entropy encoding.
1482  *
1483  * Still, this is not a true optimal parser for several reasons:
1484  *
1485  * - Real compression formats use entropy encoding of the literal/match
1486  *   sequence, so the real cost of coding each match or literal is unknown until
1487  *   the parse is fully determined.  It can be approximated based on iterative
1488  *   parses, but the end result is not guaranteed to be globally optimal.
1489  *
1490  * - Very long matches are chosen immediately.  This is because locations with
1491  *   long matches are likely to have many possible alternatives that would cause
1492  *   slow optimal parsing, but also such locations are already highly
1493  *   compressible so it is not too harmful to just grab the longest match.
1494  *
1495  * - Not all possible matches at each location are considered because the
1496  *   underlying match-finder limits the number and type of matches produced at
1497  *   each position.  For example, for a given match length it's usually not
1498  *   worth it to only consider matches other than the lowest-offset match,
1499  *   except in the case of a repeat offset.
1500  *
1501  * - Although we take into account the adaptive state (in LZX, the recent offset
1502  *   queue), coding decisions made with respect to the adaptive state will be
1503  *   locally optimal but will not necessarily be globally optimal.  This is
1504  *   because the algorithm only keeps the least-costly path to get to a given
1505  *   location and does not take into account that a slightly more costly path
1506  *   could result in a different adaptive state that ultimately results in a
1507  *   lower global cost.
1508  *
1509  * - The array space used by this function is bounded, so in degenerate cases it
1510  *   is forced to start returning matches/literals before the algorithm has
1511  *   really finished.
1512  *
1513  * Each call to this function does one of two things:
1514  *
1515  * 1. Build a sequence of near-optimal matches/literals, up to some point, that
1516  *    will be returned by subsequent calls to this function, then return the
1517  *    first one.
1518  *
1519  * OR
1520  *
1521  * 2. Return the next match/literal previously computed by a call to this
1522  *    function.
1523  *
1524  * The return value is a (length, offset) pair specifying the match or literal
1525  * chosen.  For literals, the length is 0 or 1 and the offset is meaningless.
1526  */
1527 static struct lz_match
1528 lzx_choose_near_optimal_item(struct lzx_compressor *c)
1529 {
1530         unsigned num_matches;
1531         const struct lz_match *matches;
1532         struct lz_match match;
1533         u32 longest_len;
1534         u32 longest_rep_len;
1535         unsigned longest_rep_slot;
1536         unsigned cur_pos;
1537         unsigned end_pos;
1538         struct lzx_mc_pos_data *optimum = c->optimum;
1539
1540         if (c->optimum_cur_idx != c->optimum_end_idx) {
1541                 /* Case 2: Return the next match/literal already found.  */
1542                 match.len = optimum[c->optimum_cur_idx].next.link -
1543                                     c->optimum_cur_idx;
1544                 match.offset = optimum[c->optimum_cur_idx].next.match_offset;
1545
1546                 c->optimum_cur_idx = optimum[c->optimum_cur_idx].next.link;
1547                 return match;
1548         }
1549
1550         /* Case 1:  Compute a new list of matches/literals to return.  */
1551
1552         c->optimum_cur_idx = 0;
1553         c->optimum_end_idx = 0;
1554
1555         /* Search for matches at repeat offsets.  As a heuristic, we only keep
1556          * the one with the longest match length.  */
1557         if (likely(c->match_window_pos >= 1)) {
1558                 longest_rep_len = lzx_repsearch(&c->cur_window[c->match_window_pos],
1559                                                 c->match_window_end - c->match_window_pos,
1560                                                 &c->queue,
1561                                                 &longest_rep_slot);
1562         } else {
1563                 longest_rep_len = 0;
1564         }
1565
1566         /* If there's a long match with a repeat offset, choose it immediately.  */
1567         if (longest_rep_len >= c->params.nice_match_length) {
1568                 lzx_skip_bytes(c, longest_rep_len);
1569                 return (struct lz_match) {
1570                         .len = longest_rep_len,
1571                         .offset = c->queue.R[longest_rep_slot],
1572                 };
1573         }
1574
1575         /* Find other matches.  */
1576         num_matches = lzx_get_matches(c, &matches);
1577
1578         /* If there's a long match, choose it immediately.  */
1579         if (num_matches) {
1580                 longest_len = matches[num_matches - 1].len;
1581                 if (longest_len >= c->params.nice_match_length) {
1582                         lzx_skip_bytes(c, longest_len - 1);
1583                         return matches[num_matches - 1];
1584                 }
1585         } else {
1586                 longest_len = 1;
1587         }
1588
1589         /* Calculate the cost to reach the next position by coding a literal.  */
1590         optimum[1].queue = c->queue;
1591         optimum[1].cost = lzx_literal_cost(c->cur_window[c->match_window_pos - 1],
1592                                               &c->costs);
1593         optimum[1].prev.link = 0;
1594
1595         /* Calculate the cost to reach any position up to and including that
1596          * reached by the longest match.
1597          *
1598          * Note: We consider only the lowest-offset match that reaches each
1599          * position.
1600          *
1601          * Note: Some of the cost calculation stays the same for each offset,
1602          * regardless of how many lengths it gets used for.  Therefore, to
1603          * improve performance, we hand-code the cost calculation instead of
1604          * calling lzx_match_cost() to do a from-scratch cost evaluation at each
1605          * length.  */
1606         for (unsigned i = 0, len = 2; i < num_matches; i++) {
1607                 u32 offset;
1608                 struct lzx_lru_queue queue;
1609                 u32 position_cost;
1610                 unsigned position_slot;
1611                 unsigned num_extra_bits;
1612
1613                 offset = matches[i].offset;
1614                 queue = c->queue;
1615                 position_cost = 0;
1616
1617                 position_slot = lzx_get_position_slot(offset, &queue);
1618                 num_extra_bits = lzx_get_num_extra_bits(position_slot);
1619                 if (num_extra_bits >= 3) {
1620                         position_cost += num_extra_bits - 3;
1621                         position_cost += c->costs.aligned[(offset + LZX_OFFSET_OFFSET) & 7];
1622                 } else {
1623                         position_cost += num_extra_bits;
1624                 }
1625
1626                 do {
1627                         u32 cost;
1628                         unsigned len_header;
1629                         unsigned main_symbol;
1630
1631                         cost = position_cost;
1632
1633                         if (len - LZX_MIN_MATCH_LEN < LZX_NUM_PRIMARY_LENS) {
1634                                 len_header = len - LZX_MIN_MATCH_LEN;
1635                         } else {
1636                                 len_header = LZX_NUM_PRIMARY_LENS;
1637                                 cost += c->costs.len[len - LZX_MIN_MATCH_LEN - LZX_NUM_PRIMARY_LENS];
1638                         }
1639
1640                         main_symbol = ((position_slot << 3) | len_header) + LZX_NUM_CHARS;
1641                         cost += c->costs.main[main_symbol];
1642
1643                         optimum[len].queue = queue;
1644                         optimum[len].prev.link = 0;
1645                         optimum[len].prev.match_offset = offset;
1646                         optimum[len].cost = cost;
1647                 } while (++len <= matches[i].len);
1648         }
1649         end_pos = longest_len;
1650
1651         if (longest_rep_len) {
1652
1653                 LZX_ASSERT(longest_rep_len >= LZX_MIN_MATCH_LEN);
1654
1655                 u32 cost;
1656
1657                 while (end_pos < longest_rep_len)
1658                         optimum[++end_pos].cost = MC_INFINITE_COST;
1659
1660                 cost = lzx_repmatch_cost(longest_rep_len, longest_rep_slot,
1661                                          &c->costs);
1662                 if (cost <= optimum[longest_rep_len].cost) {
1663                         optimum[longest_rep_len].queue = c->queue;
1664                         swap(optimum[longest_rep_len].queue.R[0],
1665                              optimum[longest_rep_len].queue.R[longest_rep_slot]);
1666                         optimum[longest_rep_len].prev.link = 0;
1667                         optimum[longest_rep_len].prev.match_offset =
1668                                 optimum[longest_rep_len].queue.R[0];
1669                         optimum[longest_rep_len].cost = cost;
1670                 }
1671         }
1672
1673         /* Step forward, calculating the estimated minimum cost to reach each
1674          * position.  The algorithm may find multiple paths to reach each
1675          * position; only the lowest-cost path is saved.
1676          *
1677          * The progress of the parse is tracked in the @optimum array, which for
1678          * each position contains the minimum cost to reach that position, the
1679          * index of the start of the match/literal taken to reach that position
1680          * through the minimum-cost path, the offset of the match taken (not
1681          * relevant for literals), and the adaptive state that will exist at
1682          * that position after the minimum-cost path is taken.  The @cur_pos
1683          * variable stores the position at which the algorithm is currently
1684          * considering coding choices, and the @end_pos variable stores the
1685          * greatest position at which the costs of coding choices have been
1686          * saved.
1687          *
1688          * The loop terminates when any one of the following conditions occurs:
1689          *
1690          * 1. A match with length greater than or equal to @nice_match_length is
1691          *    found.  When this occurs, the algorithm chooses this match
1692          *    unconditionally, and consequently the near-optimal match/literal
1693          *    sequence up to and including that match is fully determined and it
1694          *    can begin returning the match/literal list.
1695          *
1696          * 2. @cur_pos reaches a position not overlapped by a preceding match.
1697          *    In such cases, the near-optimal match/literal sequence up to
1698          *    @cur_pos is fully determined and it can begin returning the
1699          *    match/literal list.
1700          *
1701          * 3. Failing either of the above in a degenerate case, the loop
1702          *    terminates when space in the @optimum array is exhausted.
1703          *    This terminates the algorithm and forces it to start returning
1704          *    matches/literals even though they may not be globally optimal.
1705          *
1706          * Upon loop termination, a nonempty list of matches/literals will have
1707          * been produced and stored in the @optimum array.  These
1708          * matches/literals are linked in reverse order, so the last thing this
1709          * function does is reverse this list and return the first
1710          * match/literal, leaving the rest to be returned immediately by
1711          * subsequent calls to this function.
1712          */
1713         cur_pos = 0;
1714         for (;;) {
1715                 u32 cost;
1716
1717                 /* Advance to next position.  */
1718                 cur_pos++;
1719
1720                 /* Check termination conditions (2) and (3) noted above.  */
1721                 if (cur_pos == end_pos || cur_pos == LZX_OPTIM_ARRAY_LENGTH)
1722                         return lzx_match_chooser_reverse_list(c, cur_pos);
1723
1724                 /* Search for matches at repeat offsets.  Again, as a heuristic
1725                  * we only keep the longest one.  */
1726                 longest_rep_len = lzx_repsearch(&c->cur_window[c->match_window_pos],
1727                                                 c->match_window_end - c->match_window_pos,
1728                                                 &optimum[cur_pos].queue,
1729                                                 &longest_rep_slot);
1730
1731                 /* If we found a long match at a repeat offset, choose it
1732                  * immediately.  */
1733                 if (longest_rep_len >= c->params.nice_match_length) {
1734                         /* Build the list of matches to return and get
1735                          * the first one.  */
1736                         match = lzx_match_chooser_reverse_list(c, cur_pos);
1737
1738                         /* Append the long match to the end of the list.  */
1739                         optimum[cur_pos].next.match_offset =
1740                                 optimum[cur_pos].queue.R[longest_rep_slot];
1741                         optimum[cur_pos].next.link = cur_pos + longest_rep_len;
1742                         c->optimum_end_idx = cur_pos + longest_rep_len;
1743
1744                         /* Skip over the remaining bytes of the long match.  */
1745                         lzx_skip_bytes(c, longest_rep_len);
1746
1747                         /* Return first match in the list.  */
1748                         return match;
1749                 }
1750
1751                 /* Find other matches.  */
1752                 num_matches = lzx_get_matches(c, &matches);
1753
1754                 /* If there's a long match, choose it immediately.  */
1755                 if (num_matches) {
1756                         longest_len = matches[num_matches - 1].len;
1757                         if (longest_len >= c->params.nice_match_length) {
1758                                 /* Build the list of matches to return and get
1759                                  * the first one.  */
1760                                 match = lzx_match_chooser_reverse_list(c, cur_pos);
1761
1762                                 /* Append the long match to the end of the list.  */
1763                                 optimum[cur_pos].next.match_offset =
1764                                         matches[num_matches - 1].offset;
1765                                 optimum[cur_pos].next.link = cur_pos + longest_len;
1766                                 c->optimum_end_idx = cur_pos + longest_len;
1767
1768                                 /* Skip over the remaining bytes of the long match.  */
1769                                 lzx_skip_bytes(c, longest_len - 1);
1770
1771                                 /* Return first match in the list.  */
1772                                 return match;
1773                         }
1774                 } else {
1775                         longest_len = 1;
1776                 }
1777
1778                 /* If we are reaching any positions for the first time, we need
1779                  * to initialize their costs to infinity.  */
1780                 while (end_pos < cur_pos + longest_len)
1781                         optimum[++end_pos].cost = MC_INFINITE_COST;
1782
1783                 /* Consider coding a literal.  */
1784                 cost = optimum[cur_pos].cost +
1785                         lzx_literal_cost(c->cur_window[c->match_window_pos - 1],
1786                                          &c->costs);
1787                 if (cost < optimum[cur_pos + 1].cost) {
1788                         optimum[cur_pos + 1].queue = optimum[cur_pos].queue;
1789                         optimum[cur_pos + 1].cost = cost;
1790                         optimum[cur_pos + 1].prev.link = cur_pos;
1791                 }
1792
1793                 /* Consider coding a match.
1794                  *
1795                  * The hard-coded cost calculation is done for the same reason
1796                  * stated in the comment for the similar loop earlier.
1797                  * Actually, it is *this* one that has the biggest effect on
1798                  * performance; overall LZX compression is > 10% faster with
1799                  * this code compared to calling lzx_match_cost() with each
1800                  * length.  */
1801                 for (unsigned i = 0, len = 2; i < num_matches; i++) {
1802                         u32 offset;
1803                         u32 position_cost;
1804                         unsigned position_slot;
1805                         unsigned num_extra_bits;
1806
1807                         offset = matches[i].offset;
1808                         position_cost = optimum[cur_pos].cost;
1809
1810                         /* Yet another optimization: instead of calling
1811                          * lzx_get_position_slot(), hand-inline the search of
1812                          * the repeat offset queue.  Then we can omit the
1813                          * extra_bits calculation for repeat offset matches, and
1814                          * also only compute the updated queue if we actually do
1815                          * find a new lowest cost path.  */
1816                         for (position_slot = 0; position_slot < LZX_NUM_RECENT_OFFSETS; position_slot++)
1817                                 if (offset == optimum[cur_pos].queue.R[position_slot])
1818                                         goto have_position_cost;
1819
1820                         position_slot = lzx_get_position_slot_raw(offset + LZX_OFFSET_OFFSET);
1821
1822                         num_extra_bits = lzx_get_num_extra_bits(position_slot);
1823                         if (num_extra_bits >= 3) {
1824                                 position_cost += num_extra_bits - 3;
1825                                 position_cost += c->costs.aligned[
1826                                                 (offset + LZX_OFFSET_OFFSET) & 7];
1827                         } else {
1828                                 position_cost += num_extra_bits;
1829                         }
1830
1831                 have_position_cost:
1832
1833                         do {
1834                                 u32 cost;
1835                                 unsigned len_header;
1836                                 unsigned main_symbol;
1837
1838                                 cost = position_cost;
1839
1840                                 if (len - LZX_MIN_MATCH_LEN < LZX_NUM_PRIMARY_LENS) {
1841                                         len_header = len - LZX_MIN_MATCH_LEN;
1842                                 } else {
1843                                         len_header = LZX_NUM_PRIMARY_LENS;
1844                                         cost += c->costs.len[len -
1845                                                         LZX_MIN_MATCH_LEN -
1846                                                         LZX_NUM_PRIMARY_LENS];
1847                                 }
1848
1849                                 main_symbol = ((position_slot << 3) | len_header) +
1850                                                 LZX_NUM_CHARS;
1851                                 cost += c->costs.main[main_symbol];
1852
1853                                 if (cost < optimum[cur_pos + len].cost) {
1854                                         if (position_slot < LZX_NUM_RECENT_OFFSETS) {
1855                                                 optimum[cur_pos + len].queue = optimum[cur_pos].queue;
1856                                                 swap(optimum[cur_pos + len].queue.R[0],
1857                                                      optimum[cur_pos + len].queue.R[position_slot]);
1858                                         } else {
1859                                                 optimum[cur_pos + len].queue.R[0] = offset;
1860                                                 optimum[cur_pos + len].queue.R[1] = optimum[cur_pos].queue.R[0];
1861                                                 optimum[cur_pos + len].queue.R[2] = optimum[cur_pos].queue.R[1];
1862                                         }
1863                                         optimum[cur_pos + len].prev.link = cur_pos;
1864                                         optimum[cur_pos + len].prev.match_offset = offset;
1865                                         optimum[cur_pos + len].cost = cost;
1866                                 }
1867                         } while (++len <= matches[i].len);
1868                 }
1869
1870                 /* Consider coding a repeat offset match.
1871                  *
1872                  * As a heuristic, we only consider the longest length of the
1873                  * longest repeat offset match.  This does not, however,
1874                  * necessarily mean that we will never consider any other repeat
1875                  * offsets, because above we detect repeat offset matches that
1876                  * were found by the regular match-finder.  Therefore, this
1877                  * special handling of the longest repeat-offset match is only
1878                  * helpful for coding a repeat offset match that was *not* found
1879                  * by the match-finder, e.g. due to being obscured by a less
1880                  * distant match that is at least as long.
1881                  *
1882                  * Note: an alternative, used in LZMA, is to consider every
1883                  * length of every repeat offset match.  This is a more thorough
1884                  * search, and it makes it unnecessary to detect repeat offset
1885                  * matches that were found by the regular match-finder.  But by
1886                  * my tests, for LZX the LZMA method slows down the compressor
1887                  * by ~10% and doesn't actually help the compression ratio too
1888                  * much.
1889                  *
1890                  * Also tested a compromise approach: consider every 3rd length
1891                  * of the longest repeat offset match.  Still didn't seem quite
1892                  * worth it, though.
1893                  */
1894                 if (longest_rep_len) {
1895
1896                         LZX_ASSERT(longest_rep_len >= LZX_MIN_MATCH_LEN);
1897
1898                         while (end_pos < cur_pos + longest_rep_len)
1899                                 optimum[++end_pos].cost = MC_INFINITE_COST;
1900
1901                         cost = optimum[cur_pos].cost +
1902                                 lzx_repmatch_cost(longest_rep_len, longest_rep_slot,
1903                                                   &c->costs);
1904                         if (cost <= optimum[cur_pos + longest_rep_len].cost) {
1905                                 optimum[cur_pos + longest_rep_len].queue =
1906                                         optimum[cur_pos].queue;
1907                                 swap(optimum[cur_pos + longest_rep_len].queue.R[0],
1908                                      optimum[cur_pos + longest_rep_len].queue.R[longest_rep_slot]);
1909                                 optimum[cur_pos + longest_rep_len].prev.link =
1910                                         cur_pos;
1911                                 optimum[cur_pos + longest_rep_len].prev.match_offset =
1912                                         optimum[cur_pos + longest_rep_len].queue.R[0];
1913                                 optimum[cur_pos + longest_rep_len].cost =
1914                                         cost;
1915                         }
1916                 }
1917         }
1918 }
1919
1920 static struct lz_match
1921 lzx_choose_lazy_item(struct lzx_compressor *c)
1922 {
1923         const struct lz_match *matches;
1924         struct lz_match cur_match;
1925         struct lz_match next_match;
1926         u32 num_matches;
1927
1928         if (c->prev_match.len) {
1929                 cur_match = c->prev_match;
1930                 c->prev_match.len = 0;
1931         } else {
1932                 num_matches = lzx_get_matches(c, &matches);
1933                 if (num_matches == 0 ||
1934                     (matches[num_matches - 1].len <= 3 &&
1935                      (matches[num_matches - 1].len <= 2 ||
1936                       matches[num_matches - 1].offset > 4096)))
1937                 {
1938                         return (struct lz_match) { };
1939                 }
1940
1941                 cur_match = matches[num_matches - 1];
1942         }
1943
1944         if (cur_match.len >= c->params.nice_match_length) {
1945                 lzx_skip_bytes(c, cur_match.len - 1);
1946                 return cur_match;
1947         }
1948
1949         num_matches = lzx_get_matches(c, &matches);
1950         if (num_matches == 0 ||
1951             (matches[num_matches - 1].len <= 3 &&
1952              (matches[num_matches - 1].len <= 2 ||
1953               matches[num_matches - 1].offset > 4096)))
1954         {
1955                 lzx_skip_bytes(c, cur_match.len - 2);
1956                 return cur_match;
1957         }
1958
1959         next_match = matches[num_matches - 1];
1960
1961         if (next_match.len <= cur_match.len) {
1962                 lzx_skip_bytes(c, cur_match.len - 2);
1963                 return cur_match;
1964         } else {
1965                 c->prev_match = next_match;
1966                 return (struct lz_match) { };
1967         }
1968 }
1969
1970 /*
1971  * Return the next match or literal to use, delegating to the currently selected
1972  * match-choosing algorithm.
1973  *
1974  * If the length of the returned 'struct lz_match' is less than
1975  * LZX_MIN_MATCH_LEN, then it is really a literal.
1976  */
1977 static inline struct lz_match
1978 lzx_choose_item(struct lzx_compressor *c)
1979 {
1980         return (*c->params.choose_item_func)(c);
1981 }
1982
1983 /* Set default symbol costs for the LZX Huffman codes.  */
1984 static void
1985 lzx_set_default_costs(struct lzx_costs * costs, unsigned num_main_syms)
1986 {
1987         unsigned i;
1988
1989         /* Main code (part 1): Literal symbols  */
1990         for (i = 0; i < LZX_NUM_CHARS; i++)
1991                 costs->main[i] = 8;
1992
1993         /* Main code (part 2): Match header symbols  */
1994         for (; i < num_main_syms; i++)
1995                 costs->main[i] = 10;
1996
1997         /* Length code  */
1998         for (i = 0; i < LZX_LENCODE_NUM_SYMBOLS; i++)
1999                 costs->len[i] = 8;
2000
2001         /* Aligned offset code  */
2002         for (i = 0; i < LZX_ALIGNEDCODE_NUM_SYMBOLS; i++)
2003                 costs->aligned[i] = 3;
2004 }
2005
2006 /* Given the frequencies of symbols in an LZX-compressed block and the
2007  * corresponding Huffman codes, return LZX_BLOCKTYPE_ALIGNED or
2008  * LZX_BLOCKTYPE_VERBATIM if an aligned offset or verbatim block, respectively,
2009  * will take fewer bits to output.  */
2010 static int
2011 lzx_choose_verbatim_or_aligned(const struct lzx_freqs * freqs,
2012                                const struct lzx_codes * codes)
2013 {
2014         unsigned aligned_cost = 0;
2015         unsigned verbatim_cost = 0;
2016
2017         /* Verbatim blocks have a constant 3 bits per position footer.  Aligned
2018          * offset blocks have an aligned offset symbol per position footer, plus
2019          * an extra 24 bits per block to output the lengths necessary to
2020          * reconstruct the aligned offset code itself.  */
2021         for (unsigned i = 0; i < LZX_ALIGNEDCODE_NUM_SYMBOLS; i++) {
2022                 verbatim_cost += 3 * freqs->aligned[i];
2023                 aligned_cost += codes->lens.aligned[i] * freqs->aligned[i];
2024         }
2025         aligned_cost += LZX_ALIGNEDCODE_ELEMENT_SIZE * LZX_ALIGNEDCODE_NUM_SYMBOLS;
2026         if (aligned_cost < verbatim_cost)
2027                 return LZX_BLOCKTYPE_ALIGNED;
2028         else
2029                 return LZX_BLOCKTYPE_VERBATIM;
2030 }
2031
2032 /* Find a sequence of matches/literals with which to output the specified LZX
2033  * block, then set the block's type to that which has the minimum cost to output
2034  * (either verbatim or aligned).  */
2035 static void
2036 lzx_choose_items_for_block(struct lzx_compressor *c, struct lzx_block_spec *spec)
2037 {
2038         const struct lzx_lru_queue orig_queue = c->queue;
2039         u32 num_passes_remaining = c->params.num_optim_passes;
2040         struct lzx_freqs freqs;
2041         const u8 *window_ptr;
2042         const u8 *window_end;
2043         struct lzx_item *next_chosen_item;
2044         struct lz_match lz_match;
2045         struct lzx_item lzx_item;
2046
2047         LZX_ASSERT(num_passes_remaining >= 1);
2048         LZX_ASSERT(lz_mf_get_position(c->mf) == spec->window_pos);
2049
2050         c->match_window_end = spec->window_pos + spec->block_size;
2051
2052         if (c->params.num_optim_passes > 1) {
2053                 if (spec->block_size == c->cur_window_size)
2054                         c->get_matches_func = lzx_get_matches_fillcache_singleblock;
2055                 else
2056                         c->get_matches_func = lzx_get_matches_fillcache_multiblock;
2057                 c->skip_bytes_func = lzx_skip_bytes_fillcache;
2058         } else {
2059                 if (spec->block_size == c->cur_window_size)
2060                         c->get_matches_func = lzx_get_matches_nocache_singleblock;
2061                 else
2062                         c->get_matches_func = lzx_get_matches_nocache_multiblock;
2063                 c->skip_bytes_func = lzx_skip_bytes_nocache;
2064         }
2065
2066         /* The first optimal parsing pass is done using the cost model already
2067          * set in c->costs.  Each later pass is done using a cost model
2068          * computed from the previous pass.
2069          *
2070          * To improve performance we only generate the array containing the
2071          * matches and literals in intermediate form on the final pass.  */
2072
2073         while (--num_passes_remaining) {
2074                 c->match_window_pos = spec->window_pos;
2075                 c->cache_ptr = c->cached_matches;
2076                 memset(&freqs, 0, sizeof(freqs));
2077                 window_ptr = &c->cur_window[spec->window_pos];
2078                 window_end = window_ptr + spec->block_size;
2079
2080                 while (window_ptr != window_end) {
2081
2082                         lz_match = lzx_choose_item(c);
2083
2084                         LZX_ASSERT(!(lz_match.len == LZX_MIN_MATCH_LEN &&
2085                                      lz_match.offset == c->max_window_size -
2086                                                          LZX_MIN_MATCH_LEN));
2087                         if (lz_match.len >= LZX_MIN_MATCH_LEN) {
2088                                 lzx_tally_match(lz_match.len, lz_match.offset,
2089                                                 &freqs, &c->queue);
2090                                 window_ptr += lz_match.len;
2091                         } else {
2092                                 lzx_tally_literal(*window_ptr, &freqs);
2093                                 window_ptr += 1;
2094                         }
2095                 }
2096                 lzx_make_huffman_codes(&freqs, &spec->codes, c->num_main_syms);
2097                 lzx_set_costs(c, &spec->codes.lens, 15);
2098                 c->queue = orig_queue;
2099                 if (c->cache_ptr <= c->cache_limit) {
2100                         c->get_matches_func = lzx_get_matches_usecache_nocheck;
2101                         c->skip_bytes_func = lzx_skip_bytes_usecache_nocheck;
2102                 } else {
2103                         c->get_matches_func = lzx_get_matches_usecache;
2104                         c->skip_bytes_func = lzx_skip_bytes_usecache;
2105                 }
2106         }
2107
2108         c->match_window_pos = spec->window_pos;
2109         c->cache_ptr = c->cached_matches;
2110         memset(&freqs, 0, sizeof(freqs));
2111         window_ptr = &c->cur_window[spec->window_pos];
2112         window_end = window_ptr + spec->block_size;
2113
2114         spec->chosen_items = &c->chosen_items[spec->window_pos];
2115         next_chosen_item = spec->chosen_items;
2116
2117         unsigned unseen_cost = 9;
2118         while (window_ptr != window_end) {
2119
2120                 lz_match = lzx_choose_item(c);
2121
2122                 LZX_ASSERT(!(lz_match.len == LZX_MIN_MATCH_LEN &&
2123                              lz_match.offset == c->max_window_size -
2124                                                  LZX_MIN_MATCH_LEN));
2125                 if (lz_match.len >= LZX_MIN_MATCH_LEN) {
2126                         lzx_item.data = lzx_tally_match(lz_match.len,
2127                                                          lz_match.offset,
2128                                                          &freqs, &c->queue);
2129                         window_ptr += lz_match.len;
2130                 } else {
2131                         lzx_item.data = lzx_tally_literal(*window_ptr, &freqs);
2132                         window_ptr += 1;
2133                 }
2134                 *next_chosen_item++ = lzx_item;
2135
2136                 /* When doing one-pass "near-optimal" parsing, update the cost
2137                  * model occassionally.  */
2138                 if (unlikely((next_chosen_item - spec->chosen_items) % 2048 == 0) &&
2139                     c->params.choose_item_func == lzx_choose_near_optimal_item &&
2140                     c->params.num_optim_passes == 1)
2141                 {
2142                         lzx_make_huffman_codes(&freqs, &spec->codes, c->num_main_syms);
2143                         lzx_set_costs(c, &spec->codes.lens, unseen_cost);
2144                         if (unseen_cost < 15)
2145                                 unseen_cost++;
2146                 }
2147         }
2148         spec->num_chosen_items = next_chosen_item - spec->chosen_items;
2149         lzx_make_huffman_codes(&freqs, &spec->codes, c->num_main_syms);
2150         spec->block_type = lzx_choose_verbatim_or_aligned(&freqs, &spec->codes);
2151 }
2152
2153 /* Prepare the input window into one or more LZX blocks ready to be output.  */
2154 static void
2155 lzx_prepare_blocks(struct lzx_compressor *c)
2156 {
2157         /* Set up a default cost model.  */
2158         if (c->params.choose_item_func == lzx_choose_near_optimal_item)
2159                 lzx_set_default_costs(&c->costs, c->num_main_syms);
2160
2161         /* Set up the block specifications.
2162          * TODO: The compression ratio could be slightly improved by performing
2163          * data-dependent block splitting instead of using fixed-size blocks.
2164          * Doing so well is a computationally hard problem, however.  */
2165         c->num_blocks = DIV_ROUND_UP(c->cur_window_size, LZX_DIV_BLOCK_SIZE);
2166         for (unsigned i = 0; i < c->num_blocks; i++) {
2167                 u32 pos = LZX_DIV_BLOCK_SIZE * i;
2168                 c->block_specs[i].window_pos = pos;
2169                 c->block_specs[i].block_size = min(c->cur_window_size - pos,
2170                                                    LZX_DIV_BLOCK_SIZE);
2171         }
2172
2173         /* Load the window into the match-finder.  */
2174         lz_mf_load_window(c->mf, c->cur_window, c->cur_window_size);
2175
2176         /* Determine sequence of matches/literals to output for each block.  */
2177         lzx_lru_queue_init(&c->queue);
2178         c->optimum_cur_idx = 0;
2179         c->optimum_end_idx = 0;
2180         c->prev_match.len = 0;
2181         for (unsigned i = 0; i < c->num_blocks; i++)
2182                 lzx_choose_items_for_block(c, &c->block_specs[i]);
2183 }
2184
2185 static void
2186 lzx_build_params(unsigned int compression_level,
2187                  u32 max_window_size,
2188                  struct lzx_compressor_params *lzx_params)
2189 {
2190         if (compression_level < 25) {
2191                 lzx_params->choose_item_func = lzx_choose_lazy_item;
2192                 lzx_params->num_optim_passes  = 1;
2193                 if (max_window_size <= 262144)
2194                         lzx_params->mf_algo = LZ_MF_HASH_CHAINS;
2195                 else
2196                         lzx_params->mf_algo = LZ_MF_BINARY_TREES;
2197                 lzx_params->min_match_length  = 3;
2198                 lzx_params->nice_match_length = 25 + compression_level * 2;
2199                 lzx_params->max_search_depth  = 25 + compression_level;
2200         } else {
2201                 lzx_params->choose_item_func = lzx_choose_near_optimal_item;
2202                 lzx_params->num_optim_passes  = compression_level / 20;
2203                 if (max_window_size <= 32768 && lzx_params->num_optim_passes == 1)
2204                         lzx_params->mf_algo = LZ_MF_HASH_CHAINS;
2205                 else
2206                         lzx_params->mf_algo = LZ_MF_BINARY_TREES;
2207                 lzx_params->min_match_length  = (compression_level >= 45) ? 2 : 3;
2208                 lzx_params->nice_match_length = min(((u64)compression_level * 32) / 50,
2209                                                     LZX_MAX_MATCH_LEN);
2210                 lzx_params->max_search_depth  = min(((u64)compression_level * 50) / 50,
2211                                                     LZX_MAX_MATCH_LEN);
2212         }
2213 }
2214
2215 static void
2216 lzx_build_mf_params(const struct lzx_compressor_params *lzx_params,
2217                     u32 max_window_size, struct lz_mf_params *mf_params)
2218 {
2219         memset(mf_params, 0, sizeof(*mf_params));
2220
2221         mf_params->algorithm = lzx_params->mf_algo;
2222         mf_params->max_window_size = max_window_size;
2223         mf_params->min_match_len = lzx_params->min_match_length;
2224         mf_params->max_match_len = LZX_MAX_MATCH_LEN;
2225         mf_params->max_search_depth = lzx_params->max_search_depth;
2226         mf_params->nice_match_len = lzx_params->nice_match_length;
2227 }
2228
2229 static void
2230 lzx_free_compressor(void *_c);
2231
2232 static u64
2233 lzx_get_needed_memory(size_t max_block_size, unsigned int compression_level)
2234 {
2235         struct lzx_compressor_params params;
2236         u64 size = 0;
2237         unsigned window_order;
2238         u32 max_window_size;
2239
2240         window_order = lzx_get_window_order(max_block_size);
2241         if (window_order == 0)
2242                 return 0;
2243         max_window_size = max_block_size;
2244
2245         lzx_build_params(compression_level, max_window_size, &params);
2246
2247         size += sizeof(struct lzx_compressor);
2248
2249         size += max_window_size;
2250
2251         size += DIV_ROUND_UP(max_window_size, LZX_DIV_BLOCK_SIZE) *
2252                 sizeof(struct lzx_block_spec);
2253
2254         size += max_window_size * sizeof(struct lzx_item);
2255
2256         size += lz_mf_get_needed_memory(params.mf_algo, max_window_size);
2257         if (params.choose_item_func == lzx_choose_near_optimal_item) {
2258                 size += (LZX_OPTIM_ARRAY_LENGTH + params.nice_match_length) *
2259                         sizeof(struct lzx_mc_pos_data);
2260         }
2261         if (params.num_optim_passes > 1)
2262                 size += LZX_CACHE_LEN * sizeof(struct lz_match);
2263         else
2264                 size += LZX_MAX_MATCHES_PER_POS * sizeof(struct lz_match);
2265         return size;
2266 }
2267
2268 static int
2269 lzx_create_compressor(size_t max_block_size, unsigned int compression_level,
2270                       void **c_ret)
2271 {
2272         struct lzx_compressor *c;
2273         struct lzx_compressor_params params;
2274         struct lz_mf_params mf_params;
2275         unsigned window_order;
2276         u32 max_window_size;
2277
2278         window_order = lzx_get_window_order(max_block_size);
2279         if (window_order == 0)
2280                 return WIMLIB_ERR_INVALID_PARAM;
2281         max_window_size = max_block_size;
2282
2283         lzx_build_params(compression_level, max_window_size, &params);
2284         lzx_build_mf_params(&params, max_window_size, &mf_params);
2285         if (!lz_mf_params_valid(&mf_params))
2286                 return WIMLIB_ERR_INVALID_PARAM;
2287
2288         c = CALLOC(1, sizeof(struct lzx_compressor));
2289         if (!c)
2290                 goto oom;
2291
2292         c->params = params;
2293         c->num_main_syms = lzx_get_num_main_syms(window_order);
2294         c->max_window_size = max_window_size;
2295         c->window_order = window_order;
2296
2297         c->cur_window = ALIGNED_MALLOC(max_window_size, 16);
2298         if (!c->cur_window)
2299                 goto oom;
2300
2301         c->block_specs = MALLOC(DIV_ROUND_UP(max_window_size,
2302                                              LZX_DIV_BLOCK_SIZE) *
2303                                 sizeof(struct lzx_block_spec));
2304         if (!c->block_specs)
2305                 goto oom;
2306
2307         c->chosen_items = MALLOC(max_window_size * sizeof(struct lzx_item));
2308         if (!c->chosen_items)
2309                 goto oom;
2310
2311         c->mf = lz_mf_alloc(&mf_params);
2312         if (!c->mf)
2313                 goto oom;
2314
2315         if (params.choose_item_func == lzx_choose_near_optimal_item) {
2316                 c->optimum = MALLOC((LZX_OPTIM_ARRAY_LENGTH +
2317                                      params.nice_match_length) *
2318                                     sizeof(struct lzx_mc_pos_data));
2319                 if (!c->optimum)
2320                         goto oom;
2321         }
2322
2323         if (params.num_optim_passes > 1) {
2324                 c->cached_matches = MALLOC(LZX_CACHE_LEN *
2325                                            sizeof(struct lz_match));
2326                 if (!c->cached_matches)
2327                         goto oom;
2328                 c->cache_limit = c->cached_matches + LZX_CACHE_LEN -
2329                                  (LZX_MAX_MATCHES_PER_POS + 1);
2330         } else {
2331                 c->cached_matches = MALLOC(LZX_MAX_MATCHES_PER_POS *
2332                                            sizeof(struct lz_match));
2333                 if (!c->cached_matches)
2334                         goto oom;
2335         }
2336
2337         *c_ret = c;
2338         return 0;
2339
2340 oom:
2341         lzx_free_compressor(c);
2342         return WIMLIB_ERR_NOMEM;
2343 }
2344
2345 static size_t
2346 lzx_compress(const void *uncompressed_data, size_t uncompressed_size,
2347              void *compressed_data, size_t compressed_size_avail, void *_c)
2348 {
2349         struct lzx_compressor *c = _c;
2350         struct lzx_output_bitstream os;
2351
2352         /* Don't bother compressing very small inputs.  */
2353         if (uncompressed_size < 100)
2354                 return 0;
2355
2356         /* The input data must be preprocessed.  To avoid changing the original
2357          * input, copy it to a temporary buffer.  */
2358         memcpy(c->cur_window, uncompressed_data, uncompressed_size);
2359         c->cur_window_size = uncompressed_size;
2360
2361         /* Preprocess the data.  */
2362         lzx_do_e8_preprocessing(c->cur_window, c->cur_window_size);
2363
2364         /* Prepare the compressed data.  */
2365         lzx_prepare_blocks(c);
2366
2367         /* Generate the compressed data and return its size, or 0 if an overflow
2368          * occurred.  */
2369         lzx_init_output(&os, compressed_data, compressed_size_avail);
2370         lzx_write_all_blocks(c, &os);
2371         return lzx_flush_output(&os);
2372 }
2373
2374 static void
2375 lzx_free_compressor(void *_c)
2376 {
2377         struct lzx_compressor *c = _c;
2378
2379         if (c) {
2380                 ALIGNED_FREE(c->cur_window);
2381                 FREE(c->block_specs);
2382                 FREE(c->chosen_items);
2383                 lz_mf_free(c->mf);
2384                 FREE(c->optimum);
2385                 FREE(c->cached_matches);
2386                 FREE(c);
2387         }
2388 }
2389
2390 const struct compressor_ops lzx_compressor_ops = {
2391         .get_needed_memory  = lzx_get_needed_memory,
2392         .create_compressor  = lzx_create_compressor,
2393         .compress           = lzx_compress,
2394         .free_compressor    = lzx_free_compressor,
2395 };