def __init__(self, mapTag, mapID, adapter): if "data" not in mapTag: raise LevelFormatError("Map NBT is missing required tag 'data'") super(AnvilMapData, self).__init__(mapTag["data"], adapter) self.mapTag = mapTag if self._colors.shape[0] != self.width * self.height: raise LevelFormatError("Map colors array does not match map size. (%dx%d != %d)" % (self.width, self.height, self.colors.shape[0])) self.mapID = mapID self.adapter = adapter
def loadMetadata(self): try: metadataTag = nbt.load( buf=self.selectedRevision.readFile("level.dat")) self.metadata = AnvilWorldMetadata(metadataTag) self.loadBlockMapping() except (EnvironmentError, zlib.error, NBTFormatError) as e: log.info( "Error loading level.dat, trying level.dat_old ({0})".format( e)) try: metadataTag = nbt.load( buf=self.selectedRevision.readFile("level.dat_old")) self.metadata = AnvilWorldMetadata(metadataTag) self.metadata.dirty = True log.info("level.dat restored from backup.") except Exception as e: traceback.print_exc() log.info( "%r while loading level.dat_old. Initializing with defaults.", e) self._createMetadataTag() if self.metadata.version != VERSION_ANVIL: raise LevelFormatError( "Pre-Anvil world formats are not supported (for now)")
def __init__(self, shape=None, filename=None, blocktypes='Alpha', readonly=False, resume=False): """ Creates an object which stores a section of a Minecraft world as an NBT structure. The order of the coordinates for the block arrays in the file is y,z,x. This is the same order used in Minecraft 1.4's chunk sections. :type shape: tuple :param shape: The shape of the schematic as (x, y, z) :type filename: basestring :param filename: Path to a file to load a saved schematic from. :type blocktypes: basestring or BlockTypeSet :param blocktypes: The name of a builtin blocktypes set (one of "Classic", "Alpha", "Pocket") to indicate allowable blocks. The default is Alpha. An instance of BlockTypeSet may be passed instead. :rtype: SchematicFileAdapter """ self.EntityRef = PCEntityRef self.TileEntityRef = PCTileEntityRef if filename is None and shape is None: raise ValueError("shape or filename required to create %s" % self.__class__.__name__) if filename: self.filename = filename if os.path.exists(filename): rootTag = nbt.load(filename) else: rootTag = None else: self.filename = None rootTag = None if blocktypes in blocktypeClassesByName: self.blocktypes = blocktypeClassesByName[blocktypes]() else: assert (isinstance(blocktypes, BlockTypeSet)) self.blocktypes = blocktypes if rootTag: self.rootTag = rootTag if "Materials" in rootTag: self.blocktypes = blocktypeClassesByName[self.Materials]() else: rootTag["Materials"] = nbt.TAG_String(self.blocktypes.name) w = self.rootTag["Width"].value l = self.rootTag["Length"].value h = self.rootTag["Height"].value assert self.rootTag["Blocks"].value.size == w * l * h self._Blocks = self.rootTag["Blocks"].value.astype( 'uint16').reshape(h, l, w) # _Blocks is y, z, x del self.rootTag["Blocks"] if "AddBlocks" in self.rootTag: # Use WorldEdit's "AddBlocks" array to load and store the 4 high bits of a block ID. # Unlike Minecraft's NibbleArrays, this array stores the first block's bits in the # 4 high bits of the first byte. size = (h * l * w) # If odd, add one to the size to make sure the adjacent slices line up. add = numpy.empty(size + (size & 1), 'uint16') # Fill the even bytes with data add[::2] = self.rootTag["AddBlocks"].value # Copy the low 4 bits to the odd bytes add[1::2] = add[::2] & 0xf # Shift the even bytes down add[::2] >>= 4 # Shift every byte up before merging it with Blocks add <<= 8 self._Blocks |= add[:size].reshape(h, l, w) del self.rootTag["AddBlocks"] self.rootTag["Data"].value = self.rootTag["Data"].value.reshape( h, l, w) if "Biomes" in self.rootTag: self.rootTag["Biomes"].value.shape = (l, w) # If BlockIDs is present, it contains an ID->internalName mapping # from the source level's FML tag. if "BlockIDs" in self.rootTag: self.blocktypes.addBlockIDsFromSchematicTag( self.rootTag["BlockIDs"]) # If itemStackVersion is present, it was exported from MCEdit 2.0. # Its value is either 17 or 18, the values of the version constants. # ItemIDs will also be present. # If itemStackVersion is not present, this schematic was exported from # WorldEdit or MCEdit 1.0. The itemStackVersion cannot be determined # without searching the entities for an itemStack and checking # the type of its `id` tag. If no itemStacks are found, the # version defaults to 1.8 which does not need an ItemIDs tag. if "itemStackVersion" in self.rootTag: itemStackVersion = self.rootTag["itemStackVersion"].value if itemStackVersion not in (VERSION_1_7, VERSION_1_8): raise LevelFormatError("Unknown item stack version %d" % itemStackVersion) if itemStackVersion == VERSION_1_7: itemIDs = self.rootTag.get("ItemIDs") if itemIDs is not None: self.blocktypes.addItemIDsFromSchematicTag(itemIDs) self.blocktypes.itemStackVersion = itemStackVersion else: self.blocktypes.itemStackVersion = self.getItemStackVersionFromEntities( ) else: rootTag = nbt.TAG_Compound(name="Schematic") rootTag["Height"] = nbt.TAG_Short(shape[1]) rootTag["Length"] = nbt.TAG_Short(shape[2]) rootTag["Width"] = nbt.TAG_Short(shape[0]) rootTag["Entities"] = nbt.TAG_List() rootTag["TileEntities"] = nbt.TAG_List() rootTag["Materials"] = nbt.TAG_String(self.blocktypes.name) rootTag["itemStackVersion"] = nbt.TAG_Byte( self.blocktypes.itemStackVersion) self._Blocks = zeros((shape[1], shape[2], shape[0]), 'uint16') rootTag["Data"] = nbt.TAG_Byte_Array( zeros((shape[1], shape[2], shape[0]), uint8)) rootTag["Biomes"] = nbt.TAG_Byte_Array( zeros((shape[2], shape[0]), uint8)) self.rootTag = rootTag self.rootTag["BlockIDs"] = blockIDMapping(blocktypes) itemMapping = itemIDMapping(blocktypes) if itemMapping is not None: self.rootTag[ "ItemIDs"] = itemMapping # Only present for Forge 1.7 # Expand blocks and data to chunk edges h16 = (self.Height + 15) & ~0xf l16 = (self.Length + 15) & ~0xf w16 = (self.Width + 15) & ~0xf blocks = self._Blocks self._Blocks = numpy.zeros((h16, l16, w16), blocks.dtype) self._Blocks[:blocks.shape[0], :blocks.shape[1], :blocks. shape[2]] = blocks data = self.rootTag["Data"].value self.rootTag["Data"].value = numpy.zeros((h16, l16, w16), data.dtype) self.rootTag["Data"].value[:data.shape[0], :data.shape[1], :data. shape[2]] = data self.rootTag["Data"].value &= 0xF # discard high bits self.entitiesByChunk = defaultdict(list) for tag in self.rootTag["Entities"]: ref = self.EntityRef(tag) pos = ref.Position cx, cy, cz = pos.chunkPos() self.entitiesByChunk[cx, cz].append(tag) self.tileEntitiesByChunk = defaultdict(list) for tag in self.rootTag["TileEntities"]: ref = self.TileEntityRef(tag) pos = ref.Position cx, cy, cz = pos.chunkPos() self.tileEntitiesByChunk[cx, cz].append(tag)