Godot Version
4.4
Question
My game requires of me to first apply rotations, and then flips to a tile based on received tile data. While my solution works for most of them, there are cases where the mirroring and/or rotation is incorrect and I think that’s due to godot’s behavior when it comes to mixing rotations and flips together and/or the order of operations.

What I tried is this:

# Rotation methods
enum TileTransform {
		ROTATE_0 = 0,
		ROTATE_90 = TileSetAtlasSource.TRANSFORM_TRANSPOSE | TileSetAtlasSource.TRANSFORM_FLIP_H,
		ROTATE_180 = TileSetAtlasSource.TRANSFORM_FLIP_H | TileSetAtlasSource.TRANSFORM_FLIP_V,
		ROTATE_270 = TileSetAtlasSource.TRANSFORM_TRANSPOSE | TileSetAtlasSource.TRANSFORM_FLIP_V,
	}

func get_tile_transform(properties: String) -> int:
	var rotation = int(properties[0]) % 4  # 0-3
	var flip = int(properties[1])          # 0-3
	var transform = 0

	match rotation:
		0: transform = 0
		1: transform = TileTransform.ROTATE_90  # ROTATE_90
		2: transform = TileTransform.ROTATE_180     # ROTATE_180
		3: transform = TileTransform.ROTATE_270  # ROTATE_270

	# 2. Apply additional flips
	if flip & 1:  # Horizontal flip (codes 1 or 3)
		transform |= TileSetAtlasSource.TRANSFORM_FLIP_H
	if flip & 2:  # Vertical flip (codes 2 or 3)
		transform |= TileSetAtlasSource.TRANSFORM_FLIP_V

	return transform

And this is what used to work perfect, before I switched from using sprite2d’s as tiles to a tilemap:

var rotation_keys = [0, 90, 180, 270]

# Applies tile properties (rotation, flip, etc.) based on tile properties string
func apply_tile_properties(sprite, properties: String):
	var xScale = 1
	var yScale = 1
	var collision = int(properties[2])
	
	var rotation_code = int(properties[0])
	if rotation_code in range(0, rotation_keys.size()):
		sprite.rotation_degrees = rotation_keys[rotation_code]  # Apply rotation based on the index

	var flip = int(properties[1])  # Second digit for flipping
	
	if flip == 1 or flip == 3:
		xScale = -1  # Flip horizontally
	if flip == 2 or flip == 3:
		yScale = -1  # Flip vertically

	# Apply the scale transformation to flip the sprite
	sprite.scale = Vector2(xScale, yScale)
	
	# apply collision shapes
	apply_collision_shape(sprite, collision)

What am I doing wrong? Or is there a workaround? I'll add that the rotations rotate without a problem, but the flips (even without rotation) seem to not work as expected.