1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
|
from common import *
from wii.u8archive import WiiArchiveU8
import struct
import cPickle
class KPTileObject(object):
def __init__(self, tilelist, height, width, wrapmode, icon):
# A list of lists of tile indices
self.tiles = tilelist
# Dimensions
self.height = height
self.width = width
# QPixmap of Rendered 1:1 Object
self.icon = icon
# Wrapmode
self.wrap = wrapmode
# --- Wrapmodes ---
# 'Repeat'
# 'Stretch Center'
# 'Stretch X'
# 'Stretch Y'
# 'Repeat Bottom'
# 'Repeat Top'
# 'Repeat Left'
# 'Repeat Right'
# 'Upward slope' (LL to UR)
# 'Downward slope' (UL to LR)
self.itemsize = QtCore.QSize(self.icon.width() * 24 + 4, self.icon.height() * 24 + 4)
def render(self, size):
'''Returns a tilemap of the object at a certain size as a list of lists.'''
if self.wrap > 7:
self._renderSlope(size)
# size is a tuple of (width, height)
buf = []
beforeRepeat = []
inRepeat = self.tiles.copy()
afterRepeat = []
if (self.wrap == 1) or (self.wrap == 3) or (self.wrap == 5):
beforeRepeat = inRepeat.pop(0)
if (self.wrap == 1) or (self.wrap == 3) or (self.wrap == 4):
afterRepeat = inRepeat.pop()
bC, iC, aC = len(beforeRepeat), len(inRepeat), len(afterRepeat)
if iC == 0:
for y in xrange(size[1]):
buf.append(self._renderRow(beforeRepeat[y % bC], size[0]))
else:
middleUntil = size[1] - aC
for y in xrange(size[1]):
if y < bC:
buf.append(self._renderRow(beforeRepeat[y], size[0]))
elif y < middleUntil:
buf.append(self._renderRow(inRepeat[(y - bC) % iC], size[0]))
else:
buf.append(self._renderRow(afterRepeat[y - bC - iC], size[0]))
return buf
def _renderRow(self, row, width):
buf = [-1 for i in xrange(width)]
beforeRepeat = []
inRepeat = row
afterRepeat = []
if (self.wrap == 1) or (self.wrap == 2) or (self.wrap == 6):
beforeRepeat = inRepeat.pop(0)
if (self.wrap == 1) or (self.wrap == 2) or (self.wrap == 7):
afterRepeat = inRepeat.pop()
bC, iC, aC = len(beforeRepeat), len(inRepeat), len(afterRepeat)
if iC == 0:
for x in xrange(width):
buf[x] = beforeRepeat[x % bC]
else:
middleUntil = width - aC
for x in xrange(width):
if x < bC:
buf[x] = beforeRepeat[y]
elif x < middleUntil:
buf[x] = inRepeat[(y - bC) % iC]
else:
buf[x] = afterRepeat[y - bC - iC]
return buf
def _renderSlope(self, size):
# Slopes are annoying
buf = []
w = xrange(size[0])
h = xrange(size[1])
# Koopuzzle really only does slopes that are two blocks tall.
# Suck it, multi height slopes.
mainblock = self.tiles[0]
subblock = self.tiles[1]
if self.wrap == 8: # Upward (LL to UR)
# List Comprehension to make a palette
buf = [[-1 for x in w] for x in h]
offset = 0
# Paint the mainblock
for row in h:
for tile in w:
if (tile == ((size[1] - row - 1) * self.width) + offset):
buf[size[1] - row - 2][tile] = mainblock[offset]
offset += 1
offset = 0
# Paint the subblock
for row in h:
for tile in w:
if (tile == ((size[1] - row) * self.width) + offset):
buf[size[1] - row - 1][tile] = mainblock[offset]
offset += 1
offset = 0
elif self.wrap == 9: # Downward (UL to LR)
# List Comprehension to make a palette
buf = [[-1 for x in w] for x in h]
offset = 0
# Paint the mainblock
for row in h:
for tile in w:
if (tile == (row * self.width) + offset):
buf[row][tile] = mainblock[offset]
offset += 1
offset = 0
# Paint the subblock
for row in h:
for tile in w:
if (tile == ((row - 1) * self.width) + offset):
buf[row][tile] = mainblock[offset]
offset += 1
offset = 0
class KPGroupModel(QtCore.QAbstractListModel):
"""Model containing all the grouped objects in a tileset"""
def __init__(self, groupItem):
self.container = groupItem
self.view = None
QtCore.QAbstractListModel.__init__(self)
def rowCount(self, parent=None):
return self.container.objectCount()
def groupItem(self):
"""Returns the group item"""
return self.container
def flags(self, index):
# item = QtCore.QAbstractItemModel.flags(self, index)
item, depth = self.container.getItem(index.row())
if isinstance(item, KPGroupItem):
return Qt.ItemFlags(32)
else:
return Qt.ItemFlags(33)
return Qt.ItemFlags(33)
def data(self, index, role=Qt.DisplayRole):
# Should return the contents of a row when asked for the index
#
# Can be optimized by only dealing with the roles we need prior
# to lookup: Role order is 13, 6, 7, 9, 10, 1, 0, 8
if ((role > 1) and (role < 6)):
return None
elif (role == Qt.ForegroundRole):
return QtGui.QBrush(Qt.black)
elif role == Qt.TextAlignmentRole:
return Qt.AlignCenter
if not index.isValid(): return None
n = index.row()
if n < 0: return None
if n >= self.container.objectCount(): return None
item, depth = self.container.getItem(n)
if role == Qt.DecorationRole:
if isinstance(item, KPTileObject):
return item.icon
elif role == Qt.DisplayRole:
if isinstance(item, KPGroupItem):
return item.name
elif (role == Qt.SizeHintRole):
if isinstance(item, KPGroupItem):
return QtCore.QSize(self.view.viewport().width(), (28 - (depth * 2)))
elif role == Qt.BackgroundRole:
if isinstance(item, KPGroupItem):
colour = 165 + (depth * 15)
if colour > 255:
colour = 255
brush = QtGui.QBrush(QtGui.QColor(colour, colour, colour), Qt.Dense4Pattern)
return brush
elif (role == Qt.FontRole):
font = QtGui.QFont()
font.setPixelSize(20 - (depth * 2))
font.setBold(True)
return font
return None
class KPGroupItem(object):
"""Hierarchal object for making a 2D hierarchy recursively using classes"""
def __init__(self, name):
self.objects = []
self.groups = []
self.startIndex = 0
self.endIndex = 0
self.name = name
self.alignment = Qt.AlignCenter
def getGroupList(self, returnList=[], depth=0):
"""Gets a list of group names and indices for the sorter menu"""
returnList.append(((' ' * depth) + self.name, self.startIndex, self.endIndex))
depth += 1
for group in self.groups:
group.getGroupList(returnList, depth)
return returnList
def objectCount(self):
''' Retrieves the total number of items in this group and all it's children '''
objCount = 0
objCount += len(self.objects)
objCount += len(self.groups)
for group in self.groups:
objCount += group.objectCount()
return objCount
def getItem(self, index, depth=0):
''' Retrieves an item of a specific index. The index is already checked for validity '''
if index == self.startIndex:
return self, depth
if (index <= self.startIndex + len(self.objects)):
return self.objects[index - self.startIndex - 1], depth
else:
depth += 1
for group in self.groups:
if (group.startIndex <= index) and (index <= group.endIndex):
return group.getItem(index, depth)
def calculateIndices(self, index):
self.startIndex = index
self.endIndex = self.objectCount() + index
start = self.startIndex + len(self.objects) + 1
for group in self.groups:
group.calculateIndices(start)
start = group.endIndex + 1
class KPTileset(object):
@classmethod
def loadFromArc(cls, handleOrPath):
arc = WiiArchiveU8(handleOrPath)
img = arc.resolvePath('/BG_tex').children[0].data
grp = arc.resolvePath('/BG_grp').children[0].data
untDir = arc.resolvePath('/BG_unt')
obj, meta = None, None
for child in untDir.children:
if child.name.endswith('_hd.bin'):
meta = child.data
else:
obj = child.data
return cls(img, obj, meta, grp)
def __init__(self, imageBuffer, objectBuffer, objectMetadata, groupBuffer):
'''A Koopatlas Tileset class. To initialize, pass it image data,
object data, and group data as read from a Koopatlas tileset file.
tiles -> has a list of all 512 tiles.
objects -> has a list of objects in the tileset
groupModel -> has a model containing groups with items for all objects
and groups in the tileset.
Methods of Note:
getTile(TileIndex)
# Returns a tile image as a QPixmap
getObject(ObjectIndex)
# Returns a KPTileObject
getObjectIcon(ObjectIndex)
getObjectIcon(KPTileObject)
# Returns a QPixmap for the Object
getObjectIcon(ObjectIndex, (width, height))
getObjectIcon(KPTileObject, (width, height))
# Returns a render map for the Object at the given size
getModel()
# Returns the tileset's groupModel, which handles groups
overrideTile(Tile Index, QPixmap)
# Takes a 24x24 QPixmap and a tile index
'''
self.tiles = []
self.objects = []
self.groupItem = KPGroupItem("All Groups")
self.processImage(imageBuffer)
self.processObjects(objectBuffer, objectMetadata)
self.processGroup(groupBuffer)
self.groupItem.calculateIndices(0)
self.groupModel = KPGroupModel(self.groupItem)
def processImage(self, imageBuffer):
'''Takes an imageBuffer from a Koopatlas Tileset and converts it into 24x24
tiles, which get put into KPTileset.tiles.'''
dest = self.RGB4A3Decode(imageBuffer)
self.tileImage = QtGui.QPixmap.fromImage(dest)
# Makes us some nice Tiles!
Xoffset = 4
Yoffset = 4
for i in range(512):
self.tiles.append(self.tileImage.copy(Xoffset,Yoffset,24,24))
Xoffset += 32
if Xoffset >= 1024:
Xoffset = 4
Yoffset += 32
@staticmethod
def RGB4A3Decode(tex):
dest = QtGui.QImage(1024,512,QtGui.QImage.Format_ARGB32)
dest.fill(Qt.transparent)
i = 0
for ytile in xrange(0, 512, 4):
for xtile in xrange(0, 1024, 4):
for ypixel in xrange(ytile, ytile + 4):
for xpixel in xrange(xtile, xtile + 4):
if(xpixel >= 1024 or ypixel >= 512):
continue
newpixel = struct.unpack_from('>H', tex, i)[0]
# newpixel = (int(tex[i]) << 8) | int(tex[i+1])
if(newpixel >= 0x8000): # Check if it's RGB555
red = ((newpixel >> 10) & 0x1F) * 255 / 0x1F
green = ((newpixel >> 5) & 0x1F) * 255 / 0x1F
blue = (newpixel & 0x1F) * 255 / 0x1F
alpha = 0xFF
else: # If not, it's RGB4A3
alpha = ((newpixel & 0x7000) >> 12) * 255 / 0x7
blue = ((newpixel & 0xF00) >> 8) * 255 / 0xF
green = ((newpixel & 0xF0) >> 4) * 255 / 0xF
red = (newpixel & 0xF) * 255 / 0xF
argb = (blue) | (green << 8) | (red << 16) | (alpha << 24)
dest.setPixel(xpixel, ypixel, argb)
i += 2
return dest
def processObjects(self, objstrings, metadata):
'''Takes the object files from a Koopatlas Tileset and converts it into
KPTileObject classes, which get put into KPTileset.objects.'''
# Load Objects
meta = []
for i in xrange(len(metadata)/5):
meta.append(struct.unpack_from('>H3B', metadata, i * 5))
tilelist = []
rowlist = []
for entry in meta:
offset = entry[0]
row = 0
tex = QtGui.QPixmap(entry[1] * 24, entry[2] * 24)
tex.fill(Qt.transparent)
painter = QtGui.QPainter(tex)
for tilesA in xrange(entry[2]):
for tilesB in xrange(entry[1]):
untile = struct.unpack_from('>h', objstrings, offset)[0]
if untile != -1:
painter.drawPixmap(tilesB*24, tilesA*24, self.tiles[untile])
rowlist.append(untile)
offset += 2
tilelist.append(rowlist)
rowlist = []
painter.end()
self.objects.append(KPTileObject(tilelist, entry[2], entry[1], entry[3], tex))
tilelist = []
def processGroup(self, groupBuffer):
grovyle = cPickle.loads(groupBuffer)
self.makeTree(grovyle, self.groupItem)
def makeTree(self, grovyle, treecko):
for razorLeaf in grovyle:
if (type(razorLeaf) is str) and (razorLeaf[:6] == "Object"):
objnum = int(razorLeaf[7:])
obj = self.objects[objnum]
treecko.objects.append(obj)
else:
a = KPGroupItem(razorLeaf[0])
treecko.groups.append(a)
self.makeTree(razorLeaf[1], a)
def getTile(self, index):
'''Takes a tile index and returns a tile image as a QPixmap, or -1 if failed.'''
if index > 511:
return False
if index < 0:
return False
return self.tiles[index]
def getObject(self, index):
'''Takes an object index and returns a KPTileObject, or False if failed.'''
if index < 0:
return False
return self.tiles[index]
def getObjectIcon(self, index):
'''Takes an object index or a KPTileObject and returns a QPixmap for the
object, or False if failed.'''
if hasattr(index, 'icon'):
return index.icon
try:
return self.objects[index].icon
except:
pass
return False
def getObjectRender(self, index, size):
'''Takes an object index or a KPTileObject and returns a render map for the
object, or False if failed.'''
if hasattr(index, 'render'):
return index.render(size)
try:
return self.objects[index].render(size)
except:
pass
return False
def getModel(self):
'''Returns the Group Model'''
return self.groupModel
def overrideTile(self, index, pixmap):
'''Takes a 24x24 QPixmap and a tile index, and returns True if it succeeds.'''
if index > 511:
return False
if index < 0:
return False
if not isinstance(pixmap, QtGui.QPixmap):
return False
if (pixmap.height() != 24) or (pixmap.width() != 24):
return False
self.tiles[index] = pixmap
return True
|