OpenTTD Source 20260206-master-g4d4e37dbf1
spritecache.cpp
Go to the documentation of this file.
1/*
2 * This file is part of OpenTTD.
3 * OpenTTD is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, version 2.
4 * OpenTTD is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
5 * See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with OpenTTD. If not, see <https://www.gnu.org/licenses/old-licenses/gpl-2.0>.
6 */
7
9
10#include "stdafx.h"
11#include "spriteloader/grf.hpp"
13#include "error_func.h"
14#include "strings_func.h"
15#include "zoom_func.h"
16#include "settings_type.h"
17#include "blitter/factory.hpp"
18#include "core/math_func.hpp"
20#include "spritecache.h"
22
23#include "table/sprites.h"
25
26#include "safeguards.h"
27
28/* Default of 4MB spritecache */
29uint _sprite_cache_size = 4;
30
31
32static std::vector<SpriteCache> _spritecache;
33static size_t _spritecache_bytes_used = 0;
34static uint32_t _sprite_lru_counter;
35static std::vector<std::unique_ptr<SpriteFile>> _sprite_files;
36
37static inline SpriteCache *GetSpriteCache(uint index)
38{
39 return &_spritecache[index];
40}
41
42SpriteCache *AllocateSpriteCache(uint index)
43{
44 if (index >= _spritecache.size()) {
45 /* Add another 1024 items to the 'pool' */
46 uint items = Align(index + 1, 1024);
47
48 Debug(sprite, 4, "Increasing sprite cache to {} items ({} bytes)", items, items * sizeof(SpriteCache));
49
50 _spritecache.resize(items);
51 }
52
53 return GetSpriteCache(index);
54}
55
61static SpriteFile *GetCachedSpriteFileByName(const std::string &filename)
62{
63 for (auto &f : _sprite_files) {
64 if (f->GetFilename() == filename) {
65 return f.get();
66 }
67 }
68 return nullptr;
69}
70
75std::span<const std::unique_ptr<SpriteFile>> GetCachedSpriteFiles()
76{
77 return _sprite_files;
78}
79
87SpriteFile &OpenCachedSpriteFile(const std::string &filename, Subdirectory subdir, bool palette_remap)
88{
89 SpriteFile *file = GetCachedSpriteFileByName(filename);
90 if (file == nullptr) {
91 file = _sprite_files.insert(std::end(_sprite_files), std::make_unique<SpriteFile>(filename, subdir, palette_remap))->get();
92 } else {
93 file->SeekToBegin();
94 }
95 return *file;
96}
97
105bool SkipSpriteData(SpriteFile &file, uint8_t type, uint16_t num)
106{
107 if (type & 2) {
108 file.SkipBytes(num);
109 } else {
110 while (num > 0) {
111 int8_t i = file.ReadByte();
112 if (i >= 0) {
113 int size = (i == 0) ? 0x80 : i;
114 if (size > num) return false;
115 num -= size;
116 file.SkipBytes(size);
117 } else {
118 i = -(i >> 3);
119 num -= i;
120 file.ReadByte();
121 }
122 }
123 }
124 return true;
125}
126
127/* Check if the given Sprite ID exists */
128bool SpriteExists(SpriteID id)
129{
130 if (id >= _spritecache.size()) return false;
131
132 /* Special case for Sprite ID zero -- its position is also 0... */
133 if (id == 0) return true;
134 return !(GetSpriteCache(id)->file_pos == 0 && GetSpriteCache(id)->file == nullptr);
135}
136
143{
144 if (!SpriteExists(sprite)) return SpriteType::Invalid;
145 return GetSpriteCache(sprite)->type;
146}
147
154{
155 if (!SpriteExists(sprite)) return nullptr;
156 return GetSpriteCache(sprite)->file;
157}
158
165{
166 if (!SpriteExists(sprite)) return 0;
167 return GetSpriteCache(sprite)->id;
168}
169
177uint GetSpriteCountForFile(const std::string &filename, SpriteID begin, SpriteID end)
178{
179 SpriteFile *file = GetCachedSpriteFileByName(filename);
180 if (file == nullptr) return 0;
181
182 uint count = 0;
183 for (SpriteID i = begin; i != end; i++) {
184 if (SpriteExists(i)) {
185 SpriteCache *sc = GetSpriteCache(i);
186 if (sc->file == file) {
187 count++;
188 Debug(sprite, 4, "Sprite: {}", i);
189 }
190 }
191 }
192 return count;
193}
194
204{
205 return static_cast<SpriteID>(_spritecache.size());
206}
207
208static bool ResizeSpriteIn(SpriteLoader::SpriteCollection &sprite, ZoomLevel src, ZoomLevel tgt)
209{
210 uint8_t scaled_1 = AdjustByZoom(1, src - tgt);
211 const auto &src_sprite = sprite[src];
212 auto &dest_sprite = sprite[tgt];
213
214 /* Check for possible memory overflow. */
215 if (src_sprite.width * scaled_1 > UINT16_MAX || src_sprite.height * scaled_1 > UINT16_MAX) return false;
216
217 dest_sprite.width = src_sprite.width * scaled_1;
218 dest_sprite.height = src_sprite.height * scaled_1;
219 dest_sprite.x_offs = src_sprite.x_offs * scaled_1;
220 dest_sprite.y_offs = src_sprite.y_offs * scaled_1;
221 dest_sprite.colours = src_sprite.colours;
222
223 dest_sprite.AllocateData(tgt, static_cast<size_t>(dest_sprite.width) * dest_sprite.height);
224
225 SpriteLoader::CommonPixel *dst = dest_sprite.data;
226 for (int y = 0; y < dest_sprite.height; y++) {
227 const SpriteLoader::CommonPixel *src_ln = &src_sprite.data[y / scaled_1 * src_sprite.width];
228 for (int x = 0; x < dest_sprite.width; x++) {
229 *dst = src_ln[x / scaled_1];
230 dst++;
231 }
232 }
233
234 return true;
235}
236
237static void ResizeSpriteOut(SpriteLoader::SpriteCollection &sprite, ZoomLevel zoom)
238{
239 const auto &root_sprite = sprite.Root();
240 const auto &src_sprite = sprite[zoom - 1];
241 auto &dest_sprite = sprite[zoom];
242
243 /* Algorithm based on 32bpp_Optimized::ResizeSprite() */
244 dest_sprite.width = UnScaleByZoom(root_sprite.width, zoom);
245 dest_sprite.height = UnScaleByZoom(root_sprite.height, zoom);
246 dest_sprite.x_offs = UnScaleByZoom(root_sprite.x_offs, zoom);
247 dest_sprite.y_offs = UnScaleByZoom(root_sprite.y_offs, zoom);
248 dest_sprite.colours = root_sprite.colours;
249
250 dest_sprite.AllocateData(zoom, static_cast<size_t>(dest_sprite.height) * dest_sprite.width);
251
252 SpriteLoader::CommonPixel *dst = dest_sprite.data;
253 const SpriteLoader::CommonPixel *src = src_sprite.data;
254 [[maybe_unused]] const SpriteLoader::CommonPixel *src_end = src + src_sprite.height * src_sprite.width;
255
256 for (uint y = 0; y < dest_sprite.height; y++) {
257 const SpriteLoader::CommonPixel *src_ln = src + src_sprite.width;
258 assert(src_ln <= src_end);
259 for (uint x = 0; x < dest_sprite.width; x++) {
260 assert(src < src_ln);
261 if (src + 1 != src_ln && (src + 1)->a != 0) {
262 *dst = *(src + 1);
263 } else {
264 *dst = *src;
265 }
266 dst++;
267 src += 2;
268 }
269 src = src_ln + src_sprite.width;
270 }
271}
272
273static bool PadSingleSprite(SpriteLoader::Sprite *sprite, ZoomLevel zoom, uint pad_left, uint pad_top, uint pad_right, uint pad_bottom)
274{
275 uint width = sprite->width + pad_left + pad_right;
276 uint height = sprite->height + pad_top + pad_bottom;
277
278 if (width > UINT16_MAX || height > UINT16_MAX) return false;
279
280 /* Copy source data and reallocate sprite memory. */
281 size_t sprite_size = static_cast<size_t>(sprite->width) * sprite->height;
282 std::vector<SpriteLoader::CommonPixel> src_data(sprite->data, sprite->data + sprite_size);
283 sprite->AllocateData(zoom, static_cast<size_t>(width) * height);
284
285 /* Copy with padding to destination. */
286 SpriteLoader::CommonPixel *src = src_data.data();
287 SpriteLoader::CommonPixel *data = sprite->data;
288 for (uint y = 0; y < height; y++) {
289 if (y < pad_top || pad_bottom + y >= height) {
290 /* Top/bottom padding. */
291 std::fill_n(data, width, SpriteLoader::CommonPixel{});
292 data += width;
293 } else {
294 if (pad_left > 0) {
295 /* Pad left. */
296 std::fill_n(data, pad_left, SpriteLoader::CommonPixel{});
297 data += pad_left;
298 }
299
300 /* Copy pixels. */
301 std::copy_n(src, sprite->width, data);
302 src += sprite->width;
303 data += sprite->width;
304
305 if (pad_right > 0) {
306 /* Pad right. */
307 std::fill_n(data, pad_right, SpriteLoader::CommonPixel{});
308 data += pad_right;
309 }
310 }
311 }
312
313 /* Update sprite size. */
314 sprite->width = width;
315 sprite->height = height;
316 sprite->x_offs -= pad_left;
317 sprite->y_offs -= pad_top;
318
319 return true;
320}
321
322static bool PadSprites(SpriteLoader::SpriteCollection &sprite, ZoomLevels sprite_avail, SpriteEncoder *encoder)
323{
324 /* Get minimum top left corner coordinates. */
325 int min_xoffs = INT32_MAX;
326 int min_yoffs = INT32_MAX;
327 for (ZoomLevel zoom : sprite_avail) {
328 min_xoffs = std::min(min_xoffs, ScaleByZoom(sprite[zoom].x_offs, zoom));
329 min_yoffs = std::min(min_yoffs, ScaleByZoom(sprite[zoom].y_offs, zoom));
330 }
331
332 /* Get maximum dimensions taking necessary padding at the top left into account. */
333 int max_width = INT32_MIN;
334 int max_height = INT32_MIN;
335 for (ZoomLevel zoom : sprite_avail) {
336 max_width = std::max(max_width, ScaleByZoom(sprite[zoom].width + sprite[zoom].x_offs - UnScaleByZoom(min_xoffs, zoom), zoom));
337 max_height = std::max(max_height, ScaleByZoom(sprite[zoom].height + sprite[zoom].y_offs - UnScaleByZoom(min_yoffs, zoom), zoom));
338 }
339
340 /* Align height and width if required to match the needs of the sprite encoder. */
341 uint align = encoder->GetSpriteAlignment();
342 if (align != 0) {
343 max_width = Align(max_width, align);
344 max_height = Align(max_height, align);
345 }
346
347 /* Pad sprites where needed. */
348 for (ZoomLevel zoom : sprite_avail) {
349 auto &cur_sprite = sprite[zoom];
350 /* Scaling the sprite dimensions in the blitter is done with rounding up,
351 * so a negative padding here is not an error. */
352 int pad_left = std::max(0, cur_sprite.x_offs - UnScaleByZoom(min_xoffs, zoom));
353 int pad_top = std::max(0, cur_sprite.y_offs - UnScaleByZoom(min_yoffs, zoom));
354 int pad_right = std::max(0, UnScaleByZoom(max_width, zoom) - cur_sprite.width - pad_left);
355 int pad_bottom = std::max(0, UnScaleByZoom(max_height, zoom) - cur_sprite.height - pad_top);
356
357 if (pad_left > 0 || pad_right > 0 || pad_top > 0 || pad_bottom > 0) {
358 if (!PadSingleSprite(&cur_sprite, zoom, pad_left, pad_top, pad_right, pad_bottom)) return false;
359 }
360 }
361
362 return true;
363}
364
365static bool ResizeSprites(SpriteLoader::SpriteCollection &sprite, ZoomLevels sprite_avail, SpriteEncoder *encoder)
366{
367 /* Create a fully zoomed image if it does not exist */
368 ZoomLevel first_avail = ZoomLevel::End;
369 for (ZoomLevel zoom = ZoomLevel::Min; zoom <= ZoomLevel::Max; ++zoom) {
370 if (!sprite_avail.Test(zoom)) continue;
371 first_avail = zoom;
372 if (zoom != ZoomLevel::Min) {
373 if (!ResizeSpriteIn(sprite, zoom, ZoomLevel::Min)) return false;
374 sprite_avail.Set(ZoomLevel::Min);
375 }
376 break;
377 }
378
379 /* Pad sprites to make sizes match. */
380 if (!PadSprites(sprite, sprite_avail, encoder)) return false;
381
382 /* Create other missing zoom levels */
383 for (ZoomLevel zoom = ZoomLevel::Begin; zoom != ZoomLevel::End; zoom++) {
384 if (zoom == ZoomLevel::Min) continue;
385
386 if (sprite_avail.Test(zoom)) {
387 /* Check that size and offsets match the fully zoomed image. */
388 [[maybe_unused]] const auto &root_sprite = sprite[ZoomLevel::Min];
389 [[maybe_unused]] const auto &dest_sprite = sprite[zoom];
390 assert(dest_sprite.width == UnScaleByZoom(root_sprite.width, zoom));
391 assert(dest_sprite.height == UnScaleByZoom(root_sprite.height, zoom));
392 assert(dest_sprite.x_offs == UnScaleByZoom(root_sprite.x_offs, zoom));
393 assert(dest_sprite.y_offs == UnScaleByZoom(root_sprite.y_offs, zoom));
394 } else {
395 /* Zoom level is not available, or unusable, so create it */
396 ResizeSpriteOut(sprite, zoom);
397 }
398 }
399
400 /* Replace sprites with higher resolution than the desired maximum source resolution with scaled up sprites, if not already done. */
401 if (first_avail < _settings_client.gui.sprite_zoom_min) {
402 for (ZoomLevel zoom = std::min(ZoomLevel::Normal, _settings_client.gui.sprite_zoom_min); zoom > ZoomLevel::Min; --zoom) {
403 ResizeSpriteIn(sprite, zoom, zoom - 1);
404 }
405 }
406
407 return true;
408}
409
418static void *ReadRecolourSprite(SpriteFile &file, size_t file_pos, uint num, SpriteAllocator &allocator)
419{
420 /* "Normal" recolour sprites are ALWAYS 257 bytes. Then there is a small
421 * number of recolour sprites that are 17 bytes that only exist in DOS
422 * GRFs which are the same as 257 byte recolour sprites, but with the last
423 * 240 bytes zeroed. */
424 static const uint RECOLOUR_SPRITE_SIZE = 257;
425 uint8_t *dest = allocator.Allocate<uint8_t>(std::max(RECOLOUR_SPRITE_SIZE, num));
426
427 file.SeekTo(file_pos, SEEK_SET);
428 if (file.NeedsPaletteRemap()) {
429 uint8_t *dest_tmp = new uint8_t[std::max(RECOLOUR_SPRITE_SIZE, num)];
430
431 /* Only a few recolour sprites are less than 257 bytes */
432 if (num < RECOLOUR_SPRITE_SIZE) std::fill_n(dest_tmp, RECOLOUR_SPRITE_SIZE, 0);
433 file.ReadBlock(dest_tmp, num);
434
435 /* The data of index 0 is never used; "literal 00" according to the (New)GRF specs. */
436 for (uint i = 1; i < RECOLOUR_SPRITE_SIZE; i++) {
437 dest[i] = _palmap_w2d[dest_tmp[_palmap_d2w[i - 1] + 1]];
438 }
439 delete[] dest_tmp;
440 } else {
441 file.ReadBlock(dest, num);
442 }
443
444 return dest;
445}
446
456static void *ReadSprite(const SpriteCache *sc, SpriteID id, SpriteType sprite_type, SpriteAllocator &allocator, SpriteEncoder *encoder)
457{
458 /* Use current blitter if no other sprite encoder is given. */
459 if (encoder == nullptr) encoder = BlitterFactory::GetCurrentBlitter();
460
461 SpriteFile &file = *sc->file;
462 size_t file_pos = sc->file_pos;
463
464 assert(sprite_type != SpriteType::Recolour);
465 assert(IsMapgenSpriteID(id) == (sprite_type == SpriteType::MapGen));
466 assert(sc->type == sprite_type);
467
468 Debug(sprite, 9, "Load sprite {}", id);
469
471 ZoomLevels sprite_avail;
472 ZoomLevels avail_8bpp;
473 ZoomLevels avail_32bpp;
474
475 SpriteLoaderGrf sprite_loader(file.GetContainerVersion());
476 if (sprite_type != SpriteType::MapGen && encoder->Is32BppSupported()) {
477 /* Try for 32bpp sprites first. */
478 sprite_avail = sprite_loader.LoadSprite(sprite, file, file_pos, sprite_type, true, sc->control_flags, avail_8bpp, avail_32bpp);
479 }
480 if (sprite_avail.None()) {
481 sprite_avail = sprite_loader.LoadSprite(sprite, file, file_pos, sprite_type, false, sc->control_flags, avail_8bpp, avail_32bpp);
482 if (sprite_type == SpriteType::Normal && avail_32bpp.Any() && !encoder->Is32BppSupported() && sprite_avail.None()) {
483 /* No 8bpp available, try converting from 32bpp. */
484 SpriteLoaderMakeIndexed make_indexed(sprite_loader);
485 sprite_avail = make_indexed.LoadSprite(sprite, file, file_pos, sprite_type, true, sc->control_flags, sprite_avail, avail_32bpp);
486 }
487 }
488
489 if (sprite_avail.None()) {
490 if (sprite_type == SpriteType::MapGen) return nullptr;
491 if (id == SPR_IMG_QUERY) UserError("Okay... something went horribly wrong. I couldn't load the fallback sprite. What should I do?");
492 return (void*)GetRawSprite(SPR_IMG_QUERY, SpriteType::Normal, &allocator, encoder);
493 }
494
495 if (sprite_type == SpriteType::MapGen) {
496 /* Ugly hack to work around the problem that the old landscape
497 * generator assumes that those sprites are stored uncompressed in
498 * the memory, and they are only read directly by the code, never
499 * send to the blitter. So do not send it to the blitter (which will
500 * result in a data array in the format the blitter likes most), but
501 * extract the data directly and store that as sprite.
502 * Ugly: yes. Other solution: no. Blame the original author or
503 * something ;) The image should really have been a data-stream
504 * (so type = 0xFF basically). */
505 const auto &root_sprite = sprite.Root();
506 uint num = root_sprite.width * root_sprite.height;
507
508 Sprite *s = allocator.Allocate<Sprite>(sizeof(*s) + num);
509 s->width = root_sprite.width;
510 s->height = root_sprite.height;
511 s->x_offs = root_sprite.x_offs;
512 s->y_offs = root_sprite.y_offs;
513
514 SpriteLoader::CommonPixel *src = root_sprite.data;
515 uint8_t *dest = reinterpret_cast<uint8_t *>(s->data);
516 while (num-- > 0) {
517 *dest++ = src->m;
518 src++;
519 }
520
521 return s;
522 }
523
524 if (!ResizeSprites(sprite, sprite_avail, encoder)) {
525 if (id == SPR_IMG_QUERY) UserError("Okay... something went horribly wrong. I couldn't resize the fallback sprite. What should I do?");
526 return (void*)GetRawSprite(SPR_IMG_QUERY, SpriteType::Normal, &allocator, encoder);
527 }
528
529 if (sprite_type == SpriteType::Font && _font_zoom != ZoomLevel::Min) {
530 /* Make ZoomLevel::Min the desired font zoom level. */
531 sprite[ZoomLevel::Min] = sprite[_font_zoom];
532 }
533
534 return encoder->Encode(sprite_type, sprite, allocator);
535}
536
538 size_t file_pos = 0;
539 SpriteCacheCtrlFlags control_flags{};
540};
541
543static std::map<uint32_t, GrfSpriteOffset> _grf_sprite_offsets;
544
550size_t GetGRFSpriteOffset(uint32_t id)
551{
552 return _grf_sprite_offsets.find(id) != _grf_sprite_offsets.end() ? _grf_sprite_offsets[id].file_pos : SIZE_MAX;
553}
554
560{
561 _grf_sprite_offsets.clear();
562
563 if (file.GetContainerVersion() >= 2) {
564 /* Seek to sprite section of the GRF. */
565 size_t data_offset = file.ReadDword();
566 size_t old_pos = file.GetPos();
567 file.SeekTo(data_offset, SEEK_CUR);
568
569 GrfSpriteOffset offset{};
570
571 /* Loop over all sprite section entries and store the file
572 * offset for each newly encountered ID. */
573 SpriteID id, prev_id = 0;
574 while ((id = file.ReadDword()) != 0) {
575 if (id != prev_id) {
576 _grf_sprite_offsets[prev_id] = offset;
577 offset.file_pos = file.GetPos() - 4;
578 offset.control_flags.Reset();
579 }
580 prev_id = id;
581 uint length = file.ReadDword();
582 if (length > 0) {
583 SpriteComponents colour{file.ReadByte()};
584 length--;
585 if (length > 0) {
586 uint8_t zoom = file.ReadByte();
587 length--;
588 if (colour.Any() && zoom == 0) { // ZoomLevel::Normal (normal zoom)
591 }
592 if (colour.Any() && zoom == 2) { // ZoomLevel::In2x (2x zoomed in)
594 }
595 }
596 }
597 file.SkipBytes(length);
598 }
599 if (prev_id != 0) _grf_sprite_offsets[prev_id] = offset;
600
601 /* Continue processing the data section. */
602 file.SeekTo(old_pos, SEEK_SET);
603 }
604}
605
606
614bool LoadNextSprite(SpriteID load_index, SpriteFile &file, uint file_sprite_id)
615{
616 size_t file_pos = file.GetPos();
617
618 /* Read sprite header. */
619 uint32_t num = file.GetContainerVersion() >= 2 ? file.ReadDword() : file.ReadWord();
620 if (num == 0) return false;
621 uint8_t grf_type = file.ReadByte();
622
623 SpriteType type;
624 SpriteCacheCtrlFlags control_flags;
625 if (grf_type == 0xFF) {
626 /* Some NewGRF files have "empty" pseudo-sprites which are 1
627 * byte long. Catch these so the sprites won't be displayed. */
628 if (num == 1) {
629 file.ReadByte();
630 return false;
631 }
632 file_pos = file.GetPos();
634 file.SkipBytes(num);
635 } else if (file.GetContainerVersion() >= 2 && grf_type == 0xFD) {
636 if (num != 4) {
637 /* Invalid sprite section include, ignore. */
638 file.SkipBytes(num);
639 return false;
640 }
641 /* It is not an error if no sprite with the provided ID is found in the sprite section. */
642 auto iter = _grf_sprite_offsets.find(file.ReadDword());
643 if (iter != _grf_sprite_offsets.end()) {
644 file_pos = iter->second.file_pos;
645 control_flags = iter->second.control_flags;
646 } else {
647 file_pos = SIZE_MAX;
648 }
649 type = SpriteType::Normal;
650 } else {
651 file.SkipBytes(7);
652 type = SkipSpriteData(file, grf_type, num - 8) ? SpriteType::Normal : SpriteType::Invalid;
653 /* Inline sprites are not supported for container version >= 2. */
654 if (file.GetContainerVersion() >= 2) return false;
655 }
656
657 if (type == SpriteType::Invalid) return false;
658
659 if (load_index >= MAX_SPRITES) {
660 UserError("Tried to load too many sprites (#{}; max {})", load_index, MAX_SPRITES);
661 }
662
663 bool is_mapgen = IsMapgenSpriteID(load_index);
664
665 if (is_mapgen) {
666 if (type != SpriteType::Normal) UserError("Uhm, would you be so kind not to load a NewGRF that changes the type of the map generator sprites?");
667 type = SpriteType::MapGen;
668 }
669
670 SpriteCache *sc = AllocateSpriteCache(load_index);
671 sc->file = &file;
672 sc->file_pos = file_pos;
673 sc->length = num;
674 sc->lru = 0;
675 sc->id = file_sprite_id;
676 sc->type = type;
677 sc->warned = false;
678 sc->control_flags = control_flags;
679
680 return true;
681}
682
683
684void DupSprite(SpriteID old_spr, SpriteID new_spr)
685{
686 SpriteCache *scnew = AllocateSpriteCache(new_spr); // may reallocate: so put it first
687 SpriteCache *scold = GetSpriteCache(old_spr);
688
689 scnew->file = scold->file;
690 scnew->file_pos = scold->file_pos;
691 scnew->ClearSpriteData();
692 scnew->id = scold->id;
693 scnew->type = scold->type;
694 scnew->warned = false;
695 scnew->control_flags = scold->control_flags;
696}
697
704static void DeleteEntriesFromSpriteCache(size_t to_remove)
705{
706 const size_t initial_in_use = _spritecache_bytes_used;
707
708 struct SpriteInfo {
709 uint32_t lru;
710 SpriteID id;
711 size_t size;
712
713 bool operator<(const SpriteInfo &other) const
714 {
715 return this->lru < other.lru;
716 }
717 };
718
719 std::vector<SpriteInfo> candidates; // max heap, ordered by LRU
720 size_t candidate_bytes = 0; // total bytes that would be released when clearing all sprites in candidates
721
722 auto push = [&](SpriteInfo info) {
723 candidates.push_back(info);
724 std::push_heap(candidates.begin(), candidates.end());
725 candidate_bytes += info.size;
726 };
727
728 auto pop = [&]() {
729 candidate_bytes -= candidates.front().size;
730 std::pop_heap(candidates.begin(), candidates.end());
731 candidates.pop_back();
732 };
733
734 SpriteID i = 0;
735 for (; i != static_cast<SpriteID>(_spritecache.size()) && candidate_bytes < to_remove; i++) {
736 const SpriteCache *sc = GetSpriteCache(i);
737 if (sc->ptr != nullptr) {
738 push({ sc->lru, i, sc->length });
739 if (candidate_bytes >= to_remove) break;
740 }
741 }
742 /* candidates now contains enough bytes to meet to_remove.
743 * only sprites with LRU values <= the maximum (i.e. the top of the heap) need to be considered */
744 for (; i != static_cast<SpriteID>(_spritecache.size()); i++) {
745 const SpriteCache *sc = GetSpriteCache(i);
746 if (sc->ptr != nullptr && sc->lru <= candidates.front().lru) {
747 push({ sc->lru, i, sc->length });
748 while (!candidates.empty() && candidate_bytes - candidates.front().size >= to_remove) {
749 pop();
750 }
751 }
752 }
753
754 for (const auto &it : candidates) {
755 GetSpriteCache(it.id)->ClearSpriteData();
756 }
757
758 Debug(sprite, 3, "DeleteEntriesFromSpriteCache, deleted: {}, freed: {}, in use: {} --> {}, requested: {}",
759 candidates.size(), candidate_bytes, initial_in_use, _spritecache_bytes_used, to_remove);
760}
761
762void IncreaseSpriteLRU()
763{
765 uint target_size = (bpp > 0 ? _sprite_cache_size * bpp / 8 : 1) * 1024 * 1024;
766 if (_spritecache_bytes_used > target_size) {
767 DeleteEntriesFromSpriteCache(_spritecache_bytes_used - target_size + 512 * 1024);
768 }
769
770 if (_sprite_lru_counter >= 0xC0000000) {
771 Debug(sprite, 3, "Fixing lru {}, inuse={}", _sprite_lru_counter, _spritecache_bytes_used);
772
773 for (SpriteCache &sc : _spritecache) {
774 if (sc.ptr != nullptr) {
775 if (sc.lru > 0x80000000) {
776 sc.lru -= 0x80000000;
777 } else {
778 sc.lru = 0;
779 }
780 }
781 }
782 _sprite_lru_counter -= 0x80000000;
783 }
784}
785
786void SpriteCache::ClearSpriteData()
787{
788 _spritecache_bytes_used -= this->length;
789 this->ptr.reset();
790}
791
793{
794 this->data = std::make_unique<std::byte[]>(size);
795 this->size = size;
796 return this->data.get();
797}
798
809static void *HandleInvalidSpriteRequest(SpriteID sprite, SpriteType requested, SpriteCache *sc, SpriteAllocator *allocator)
810{
811 static const std::string_view sprite_types[] = {
812 "normal", // SpriteType::Normal
813 "map generator", // SpriteType::MapGen
814 "character", // SpriteType::Font
815 "recolour", // SpriteType::Recolour
816 };
817
818 SpriteType available = sc->type;
819 if (requested == SpriteType::Font && available == SpriteType::Normal) {
820 if (sc->ptr == nullptr) sc->type = SpriteType::Font;
821 return GetRawSprite(sprite, sc->type, allocator);
822 }
823
824 uint8_t warning_level = sc->warned ? 6 : 0;
825 sc->warned = true;
826 Debug(sprite, warning_level, "Tried to load {} sprite #{} as a {} sprite. Probable cause: NewGRF interference", sprite_types[static_cast<uint8_t>(available)], sprite, sprite_types[static_cast<uint8_t>(requested)]);
827
828 switch (requested) {
830 if (sprite == SPR_IMG_QUERY) UserError("Uhm, would you be so kind not to load a NewGRF that makes the 'query' sprite a non-normal sprite?");
831 [[fallthrough]];
832 case SpriteType::Font:
833 return GetRawSprite(SPR_IMG_QUERY, SpriteType::Normal, allocator);
835 if (sprite == PALETTE_TO_DARK_BLUE) UserError("Uhm, would you be so kind not to load a NewGRF that makes the 'PALETTE_TO_DARK_BLUE' sprite a non-remap sprite?");
836 return GetRawSprite(PALETTE_TO_DARK_BLUE, SpriteType::Recolour, allocator);
838 /* this shouldn't happen, overriding of SpriteType::MapGen sprites is checked in LoadNextSprite()
839 * (the only case the check fails is when these sprites weren't even loaded...) */
840 default:
841 NOT_REACHED();
842 }
843}
844
854void *GetRawSprite(SpriteID sprite, SpriteType type, SpriteAllocator *allocator, SpriteEncoder *encoder)
855{
856 assert(type != SpriteType::MapGen || IsMapgenSpriteID(sprite));
857 assert(type < SpriteType::Invalid);
858
859 if (!SpriteExists(sprite)) {
860 Debug(sprite, 1, "Tried to load non-existing sprite #{}. Probable cause: Wrong/missing NewGRFs", sprite);
861
862 /* SPR_IMG_QUERY is a BIG FAT RED ? */
863 sprite = SPR_IMG_QUERY;
864 }
865
866 SpriteCache *sc = GetSpriteCache(sprite);
867
868 if (sc->type != type) return HandleInvalidSpriteRequest(sprite, type, sc, allocator);
869
870 if (allocator == nullptr && encoder == nullptr) {
871 /* Load sprite into/from spritecache */
872
873 /* Update LRU */
874 sc->lru = ++_sprite_lru_counter;
875
876 /* Load the sprite, if it is not loaded, yet */
877 if (sc->ptr == nullptr) {
878 UniquePtrSpriteAllocator cache_allocator;
879 if (sc->type == SpriteType::Recolour) {
880 ReadRecolourSprite(*sc->file, sc->file_pos, sc->length, cache_allocator);
881 } else {
882 ReadSprite(sc, sprite, type, cache_allocator, nullptr);
883 }
884 sc->ptr = std::move(cache_allocator.data);
885 sc->length = static_cast<uint32_t>(cache_allocator.size);
886 _spritecache_bytes_used += sc->length;
887 }
888
889 return static_cast<void *>(sc->ptr.get());
890 } else {
891 /* Do not use the spritecache, but a different allocator. */
892 return ReadSprite(sc, sprite, type, *allocator, encoder);
893 }
894}
895
896void GfxInitSpriteMem()
897{
898 /* Reset the spritecache 'pool' */
899 _spritecache.clear();
900 _spritecache.shrink_to_fit();
901
902 _sprite_files.clear();
903 _spritecache_bytes_used = 0;
904}
905
911{
912 /* Clear sprite ptr for all cached items */
913 for (SpriteCache &sc : _spritecache) {
914 if (sc.ptr != nullptr) sc.ClearSpriteData();
915 }
916
918}
919
925{
926 /* Clear sprite ptr for all cached font items */
927 for (SpriteCache &sc : _spritecache) {
928 if (sc.type == SpriteType::Font && sc.ptr != nullptr) sc.ClearSpriteData();
929 }
930}
931
constexpr bool Test(Tvalue_type value) const
Test if the value-th bit is set.
constexpr bool None() const
Test if none of the values are set.
constexpr Timpl & Reset()
Reset all bits.
constexpr Timpl & Set()
Set all bits.
constexpr bool Any(const Timpl &other) const
Test if any of the given values are set.
static Blitter * GetCurrentBlitter()
Get the current active blitter (always set by calling SelectBlitter).
Definition factory.hpp:136
virtual uint8_t GetScreenDepth()=0
Get the screen depth this blitter works for.
void ReadBlock(void *ptr, size_t size)
Read a block.
size_t GetPos() const
Get position in the file.
void SeekTo(size_t pos, int mode)
Seek in the current file.
uint8_t ReadByte()
Read a byte from the file.
uint32_t ReadDword()
Read a double word (32 bits) from the file (in low endian format).
void SkipBytes(size_t n)
Skip n bytes ahead in the file.
uint16_t ReadWord()
Read a word (16 bits) from the file (in low endian format).
Interface for something that can allocate memory for a sprite.
T * Allocate(size_t size)
Allocate memory for a sprite.
Map zoom level to data.
Interface for something that can encode a sprite.
virtual bool Is32BppSupported()=0
Can the sprite encoder make use of RGBA sprites?
virtual uint GetSpriteAlignment()
Get the value which the height and width on a sprite have to be aligned by.
virtual Sprite * Encode(SpriteType sprite_type, const SpriteLoader::SpriteCollection &sprite, SpriteAllocator &allocator)=0
Convert a sprite from the loader to our own format.
RandomAccessFile with some extra information specific for sprite files.
bool NeedsPaletteRemap() const
Whether a palette remap is needed when loading sprites from this file.
uint8_t GetContainerVersion() const
Get the version number of container type used by the file.
void SeekToBegin()
Seek to the begin of the content, i.e.
Sprite loader for graphics coming from a (New)GRF.
Definition grf.hpp:16
ZoomLevels LoadSprite(SpriteLoader::SpriteCollection &sprite, SpriteFile &file, size_t file_pos, SpriteType sprite_type, bool load_32bpp, SpriteCacheCtrlFlags control_flags, ZoomLevels &avail_8bpp, ZoomLevels &avail_32bpp) override
Load a sprite from the disk and return a sprite struct which is the same for all loaders.
Definition grf.cpp:359
Sprite loader for converting graphics coming from another source.
Definition makeindexed.h:16
ZoomLevels LoadSprite(SpriteLoader::SpriteCollection &sprite, SpriteFile &file, size_t file_pos, SpriteType sprite_type, bool load_32bpp, SpriteCacheCtrlFlags control_flags, ZoomLevels &avail_8bpp, ZoomLevels &avail_32bpp) override
Load a sprite from the disk and return a sprite struct which is the same for all loaders.
SpriteCollMap< Sprite > SpriteCollection
Type defining a collection of sprites, one for each zoom level.
SpriteAllocator that allocates memory via a unique_ptr array.
Definition spritecache.h:20
void * AllocatePtr(size_t size) override
Allocate memory for a sprite.
virtual void ClearSystemSprites()
Clear all cached sprites.
static VideoDriver * GetInstance()
Get the currently active instance of the video driver.
#define Debug(category, level, format_string,...)
Output a line of debugging information.
Definition debug.h:37
Error reporting related functions.
Factory to 'query' all available blitters.
Subdirectory
The different kinds of subdirectories OpenTTD uses.
Definition fileio_type.h:88
ZoomLevel _font_zoom
Sprite font Zoom level (not clamped).
Definition gfx.cpp:63
uint32_t SpriteID
The number of a sprite, without mapping bits and colourtables.
Definition gfx_type.h:17
SpriteType
Types of sprites that might be loaded.
Definition gfx_type.h:357
@ Recolour
Recolour sprite.
Definition gfx_type.h:361
@ Font
A sprite used for fonts.
Definition gfx_type.h:360
@ MapGen
Special sprite for the map generator.
Definition gfx_type.h:359
@ Invalid
Pseudosprite or other unusable sprite, used only internally.
Definition gfx_type.h:362
@ Normal
The most basic (normal) sprite.
Definition gfx_type.h:358
Base for reading sprites from (New)GRFs.
Base for converting sprites from another source from 32bpp RGBA to indexed 8bpp.
Integer math functions.
constexpr T Align(const T x, uint n)
Return the smallest multiple of n equal or greater than x.
Definition math_func.hpp:37
Translation tables from one GRF to another GRF.
static const uint8_t _palmap_d2w[]
Converting from the DOS palette to the Windows palette.
A number of safeguards to prevent using unsafe methods.
ClientSettings _settings_client
The current settings for this game.
Definition settings.cpp:60
Types related to global configuration settings.
static void DeleteEntriesFromSpriteCache(size_t to_remove)
Delete entries from the sprite cache to remove the requested number of bytes.
static std::map< uint32_t, GrfSpriteOffset > _grf_sprite_offsets
Map from sprite numbers to position in the GRF file.
SpriteType GetSpriteType(SpriteID sprite)
Get the sprite type of a given sprite.
void GfxClearSpriteCache()
Remove all encoded sprites from the sprite cache without discarding sprite location information.
static SpriteFile * GetCachedSpriteFileByName(const std::string &filename)
Get the cached SpriteFile given the name of the file.
uint GetSpriteCountForFile(const std::string &filename, SpriteID begin, SpriteID end)
Count the sprites which originate from a specific file in a range of SpriteIDs.
static void * ReadSprite(const SpriteCache *sc, SpriteID id, SpriteType sprite_type, SpriteAllocator &allocator, SpriteEncoder *encoder)
Read a sprite from disk.
void GfxClearFontSpriteCache()
Remove all encoded font sprites from the sprite cache without discarding sprite location information.
SpriteID GetMaxSpriteID()
Get a reasonable (upper bound) estimate of the maximum SpriteID used in OpenTTD; there will be no spr...
SpriteFile & OpenCachedSpriteFile(const std::string &filename, Subdirectory subdir, bool palette_remap)
Open/get the SpriteFile that is cached for use in the sprite cache.
static void * HandleInvalidSpriteRequest(SpriteID sprite, SpriteType requested, SpriteCache *sc, SpriteAllocator *allocator)
Handles the case when a sprite of different type is requested than is present in the SpriteCache.
void * GetRawSprite(SpriteID sprite, SpriteType type, SpriteAllocator *allocator, SpriteEncoder *encoder)
Reads a sprite (from disk or sprite cache).
std::span< const std::unique_ptr< SpriteFile > > GetCachedSpriteFiles()
Get the list of cached SpriteFiles.
bool LoadNextSprite(SpriteID load_index, SpriteFile &file, uint file_sprite_id)
Load a real or recolour sprite.
SpriteFile * GetOriginFile(SpriteID sprite)
Get the SpriteFile of a given sprite.
size_t GetGRFSpriteOffset(uint32_t id)
Get the file offset for a specific sprite in the sprite section of a GRF.
static void * ReadRecolourSprite(SpriteFile &file, size_t file_pos, uint num, SpriteAllocator &allocator)
Load a recolour sprite into memory.
bool SkipSpriteData(SpriteFile &file, uint8_t type, uint16_t num)
Skip the given amount of sprite graphics data.
uint32_t GetSpriteLocalID(SpriteID sprite)
Get the GRF-local sprite id of a given sprite.
void ReadGRFSpriteOffsets(SpriteFile &file)
Parse the sprite section of GRFs.
Functions to cache sprites in memory.
Internal functions to cache sprites in memory.
@ AllowZoomMin1x32bpp
Allow use of sprite min zoom setting at 1x in 32bpp mode.
@ AllowZoomMin2x32bpp
Allow use of sprite min zoom setting at 2x in 32bpp mode.
@ AllowZoomMin1xPal
Allow use of sprite min zoom setting at 1x in palette mode.
@ AllowZoomMin2xPal
Allow use of sprite min zoom setting at 2x in palette mode.
@ Palette
Sprite has palette data.
This file contains all sprite-related enums and defines.
static constexpr uint32_t MAX_SPRITES
Masks needed for sprite operations.
Definition sprites.h:1569
Definition of base types and functions in a cross-platform compatible way.
Functions related to OTTD's strings.
uint32_t length
Length of sprite data.
bool warned
True iff the user has been warned about incorrect use of this sprite.
SpriteCacheCtrlFlags control_flags
Control flags, see SpriteCacheCtrlFlags.
SpriteType type
In some cases a single sprite is misused by two NewGRFs. Once as real sprite and once as recolour spr...
SpriteFile * file
The file the sprite in this entry can be found in.
Definition of a common pixel in OpenTTD's realm.
uint8_t m
Remap-channel.
Structure for passing information from the sprite loader to the blitter.
static SpriteCollMap< ReusableBuffer< SpriteLoader::CommonPixel > > buffer
Allocated memory to pass sprite data around.
void AllocateData(ZoomLevel zoom, size_t size)
Allocate the sprite data of this sprite.
uint16_t width
Width of the sprite.
int16_t x_offs
The x-offset of where the sprite will be drawn.
SpriteLoader::CommonPixel * data
The sprite itself.
uint16_t height
Height of the sprite.
int16_t y_offs
The y-offset of where the sprite will be drawn.
Data structure describing a sprite.
uint16_t width
Width of the sprite.
uint16_t height
Height of the sprite.
int16_t y_offs
Number of pixels to shift the sprite downwards.
std::byte data[]
Sprite data.
int16_t x_offs
Number of pixels to shift the sprite to the right.
Base of all video drivers.
Functions related to zooming.
int ScaleByZoom(int value, ZoomLevel zoom)
Scale by zoom level, usually shift left (when zoom > ZoomLevel::Min) When shifting right,...
Definition zoom_func.h:22
int AdjustByZoom(int value, int zoom)
Adjust by zoom level; zoom < 0 shifts right, zoom >= 0 shifts left.
Definition zoom_func.h:45
int UnScaleByZoom(int value, ZoomLevel zoom)
Scale by zoom level, usually shift right (when zoom > ZoomLevel::Min) When shifting right,...
Definition zoom_func.h:34
ZoomLevel
All zoom levels we know.
Definition zoom_type.h:20
@ Begin
Begin for iteration.
Definition zoom_type.h:22
@ Max
Maximum zoom level.
Definition zoom_type.h:30
@ Min
Minimum zoom level.
Definition zoom_type.h:23
@ End
End for iteration.
Definition zoom_type.h:31
@ Normal
The normal zoom level.
Definition zoom_type.h:26