什么是zIndex?
设置和获取zIndex的值
// get |
zIndex 是节点在它父节点的子结点列表中的索引,不要和CSS的 z-index
的概念混淆。
const group = new Konva.Group(); |
你不能像CSS那样,使用zIndex
设置节点的绝对位置。Konva 将严格按照节点树中定义的顺序来绘制节点。
让我们来创建一个示例,先创建一个含有两个分组的图层,第一个组含有两个图形(黑色矩形和红色圆形),第二个组含有一个绿色矩形。
查看源码
<html>
<head>
<script src="https://unpkg.com/konva@4.0.18/konva.min.js"></script>
<meta charset="utf-8" />
<title>Konva Shape Layering Demo</title>
<style>
body {
margin: 0;
padding: 0;
overflow: hidden;
background-color: #f0f0f0;
}
</style>
</head>
<body>
<div id="container"></div>
<script>
var width = window.innerWidth;
var height = window.innerHeight;
var stage = new Konva.Stage({
container: 'container',
width: width,
height: height
});
var layer = new Konva.Layer();
stage.add(layer);
// create first group with two shapes
var group1 = new Konva.Group();
layer.add(group1);
var blackRect = new Konva.Rect({
x: 20,
y: 20,
fill: 'black',
width: 100,
height: 100
});
group1.add(blackRect);
var redCircle = new Konva.Circle({
x: 70,
y: 70,
fill: 'red',
radius: 30
});
group1.add(redCircle);
// now the red circle on on top of black rectangle
// we can change its zIndex with:
redCircle.zIndex(0);
// if we what to move it back to the top we can change its zIndex again
// or we can change zIndex of black rectangle:
blackRect.zIndex(0);
// after that zIndex of red circle will be changed back to 1:
console.log('red circle index: ' + redCircle.zIndex());
// crete second group with one shape
var group2 = new Konva.Group();
layer.add(group2);
var greenRect = new Konva.Rect({
x: 70,
y: 70,
width: 100,
height: 100,
fill: 'green'
});
group2.add(greenRect);
layer.draw();
</script>
</body>
</html>
红色圆形的 zIndex
是1,绿色的矩形是0。红色的圆形的 zIndex 大于绿色矩形,但是为什么绿色矩形看起来在红色圆形上面?前面提到过Konva会严格按照顺序绘制节点树,因此他会先绘制第一个组的所有子结点,然后再绘制第二个组。
那么怎样才能绘制红色圆形在绿色矩形上面呢?你可以将红色圆形移动到第二个分组,或者移动到一个图层,并且图层的zIndex大于分组。