Cesium学习笔记(六):几何和外观(Geometry and Appearances)【转】
https://blog.csdn.net/UmGsoil/article/details/74912638
我们先直接来看一个例子
- var viewer = new Cesium.Viewer('cesiumContainer');
- var flag = viewer.entities.add({
- rectangle : {
- coordinates : Cesium.Rectangle.fromDegrees(-100.0, 20.0, -90.0, 30.0),
- material : new Cesium.StripeMaterialProperty({
- evenColor: Cesium.Color.WHITE,
- oddColor: Cesium.Color.BLUE,
- repeat: 5
- })
- }
- });
这是我们之前的写法,直接创建一个实体对象
而在这一章,我们将会使用几何和外观来创建实体对象,这样更灵活更有效率
首先,还是先看一下,上面那段代码的改造
- var viewer = new Cesium.Viewer('cesiumContainer');
- var scene = viewer.scene;
- //创建几何图形
- var instance = new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-100.0, 20.0, -90.0, 30.0),
- vertexFormat : Cesium.EllipsoidSurfaceAppearance.VERTEX_FORMAT
- })
- });
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : instance,
- //使用系统自带的条纹样式
- appearance : new Cesium.EllipsoidSurfaceAppearance({
- material : Cesium.Material.fromType('Stripe')
- })
- }));
这样的写法自然是有优点也有缺点的
优点:
性能 - 当绘制大量静态图元时,直接使用几何形状可以将它们组合成单个几何体,以减少CPU开销并更好地利用GPU。并且组合是在网络上完成的,可以保持UI的响应。
灵活性 - 基元组合几何和外观。通过解耦,我们可以独立地修改。我们可以添加与许多不同外观兼容的新几何体,反之亦然。
低级访问 - 外观提供了接近于渲染器的访问,可以直接使用渲染器的所有细节(Appearances provide close-to-the-metal access to rendering without having to worry about all the details of using the Renderer directly)。外观使其易于:
编写完整的GLSL顶点和片段着色器。
使用自定义渲染状态。
缺点:
代码量增大,并且需要使用者对这方面有更深入的理解。
组合几何可以使用静态数据,不一定是动态数据。
primitives 的抽象级别适合于映射应用程序;几何图形和外观的抽象层次接近传统的3D引擎(Primitives are at the level of abstraction appropriate for mapping apps; geometries and appearances have a level of abstraction closer to a traditional 3D engine)(感觉翻译的不太好的地方都给上了原文)
我们可以用一个primitives画出多个几何图形,这样可以明显能看出性能上的优势
- var viewer = new Cesium.Viewer('cesiumContainer');
- var scene = viewer.scene;
- var instance = new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-100.0, 20.0, -90.0, 30.0),
- vertexFormat : Cesium.EllipsoidSurfaceAppearance.VERTEX_FORMAT
- })
- });
- var anotherInstance = new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-85.0, 20.0, -75.0, 30.0),
- vertexFormat : Cesium.EllipsoidSurfaceAppearance.VERTEX_FORMAT
- })
- });
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : [instance, anotherInstance],
- appearance : new Cesium.EllipsoidSurfaceAppearance({
- material : Cesium.Material.fromType('Stripe')
- })
- }));
对于不同的图形,我们可以单独给它们设置属性,这里,我们使用PerInstanceColorAppearance不同颜色来遮蔽每个实例
- var viewer = new Cesium.Viewer('cesiumContainer');
- var scene = viewer.scene;
- var instance = new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-100.0, 20.0, -90.0, 30.0),
- vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT
- }),
- attributes : {
- //(红,绿,蓝,透明度)
- color : new Cesium.ColorGeometryInstanceAttribute(0.0, 0.0, 1.0, 0.8)
- }
- });
- var anotherInstance = new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-85.0, 20.0, -75.0, 30.0),
- vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT
- }),
- attributes : {
- color : new Cesium.ColorGeometryInstanceAttribute(1.0, 0.0, 0.0, 0.8) }
- });
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : [instance, anotherInstance],
- appearance : new Cesium.PerInstanceColorAppearance()
- }));
可能这样大家还感觉不出来性能上的优势,那我们可以这样
- var viewer = new Cesium.Viewer('cesiumContainer');
- var scene = viewer.scene;
- var instances = [];
- //循环创建随机颜色的矩形
- for (var lon = -180.0; lon < 180.0; lon += 5.0) {
- for (var lat = -85.0; lat < 85.0; lat += 5.0) {
- instances.push(new Cesium.GeometryInstance({
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(lon, lat, lon + 5.0, lat + 5.0),
- vertexFormat: Cesium.PerInstanceColorAppearance.VERTEX_FORMAT
- }),
- attributes : {
- color : Cesium.ColorGeometryInstanceAttribute.fromColor(Cesium.Color.fromRandom({alpha : 0.5}))
- }
- }));
- }
- }
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : instances,
- appearance : new Cesium.PerInstanceColorAppearance()
- }));
这里画了2592个不同颜色的矩形,而且速度非常快,这就更明显的看出primitives在性能上的优势了
虽然我们是通过一个primitives来创建的,但是我们可以给每一个几何图形一个id,这样我们就可以单独访问他们了、
- var instance = new Cesium.GeometryInstance({
- id : "blue rectangle",
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-100.0, 20.0, -90.0, 30.0),
- vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT
- }),
- attributes : {
- color : new Cesium.ColorGeometryInstanceAttribute(0.0, 0.0, 1.0, 0.8)
- }
- });
- var anotherInstance = new Cesium.GeometryInstance({
- id : "red rectangle",
- geometry : new Cesium.RectangleGeometry({
- rectangle : Cesium.Rectangle.fromDegrees(-85.0, 20.0, -75.0, 30.0),
- vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT
- }),
- attributes : {
- color : new Cesium.ColorGeometryInstanceAttribute(1.0, 0.0, 0.0, 0.8)
- }
- });
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : [instance, anotherInstance],
- appearance : new Cesium.PerInstanceColorAppearance()
- }));
- //获取屏幕事件管理器
- var handler = new Cesium.ScreenSpaceEventHandler(scene.canvas);
- //监听屏幕输入事件(这里是监听左键点击事件)
- handler.setInputAction(function (movement) {
- var pick = scene.pick(movement.position);
- if (Cesium.defined(pick) ) {
- switch (pick.id)
- {
- case 'blue rectangle':
- console.log('Mouse clicked blue rectangle.');
- break;
- case 'red rectangle':
- console.log('Mouse clicked red rectangle.');
- break;
- }
- }
- }, Cesium.ScreenSpaceEventType.LEFT_CLICK);
然后我点击两个矩形,控制台就输出了相应的log
当只要改变属性,不需要改变几何形状时候还可以把几何图形的创建给提出来
- var viewer = new Cesium.Viewer('cesiumContainer');
- var scene = viewer.scene;
- //使用同一个几何图形
- var ellipsoidGeometry = new Cesium.EllipsoidGeometry({
- vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT,
- radii : new Cesium.Cartesian3(300000.0, 200000.0, 150000.0)
- });
- var cyanEllipsoidInstance = new Cesium.GeometryInstance({
- geometry : ellipsoidGeometry,
- //不同的模型矩阵改变了位置
- modelMatrix : Cesium.Matrix4.multiplyByTranslation(
- Cesium.Transforms.eastNorthUpToFixedFrame(Cesium.Cartesian3.fromDegrees(-100.0, 40.0)),
- new Cesium.Cartesian3(0.0, 0.0, 150000.0),
- new Cesium.Matrix4()
- ),
- //改变了颜色
- attributes : {
- color : Cesium.ColorGeometryInstanceAttribute.fromColor(Cesium.Color.CYAN)
- }
- });
- var orangeEllipsoidInstance = new Cesium.GeometryInstance({
- geometry : ellipsoidGeometry,
- modelMatrix : Cesium.Matrix4.multiplyByTranslation(
- Cesium.Transforms.eastNorthUpToFixedFrame(Cesium.Cartesian3.fromDegrees(-100.0, 40.0)),
- new Cesium.Cartesian3(0.0, 0.0, 450000.0),
- new Cesium.Matrix4()
- ),
- attributes : {
- color : Cesium.ColorGeometryInstanceAttribute.fromColor(Cesium.Color.ORANGE)
- }
- });
- scene.primitives.add(new Cesium.Primitive({
- geometryInstances : [cyanEllipsoidInstance, orangeEllipsoidInstance],
- appearance : new Cesium.PerInstanceColorAppearance({
- //不透明
- translucent : false,
- closed : true
- })
- }));
在创建完之后,我们依旧可以动态的修改模型的属性,当然,这需要给模型加上一个id
var viewer = new Cesium.Viewer('cesiumContainer');
var scene = viewer.scene;
var ellipsoidGeometry = new Cesium.EllipsoidGeometry({
vertexFormat : Cesium.PerInstanceColorAppearance.VERTEX_FORMAT,
radii : new Cesium.Cartesian3(300000.0, 200000.0, 150000.0)
});
var cyanEllipsoidInstance = new Cesium.GeometryInstance({
id : 'cyan',
geometry : ellipsoidGeometry,
modelMatrix : Cesium.Matrix4.multiplyByTranslation(
Cesium.Transforms.eastNorthUpToFixedFrame(Cesium.Cartesian3.fromDegrees(-100.0, 40.0)),
new Cesium.Cartesian3(0.0, 0.0, 150000.0),
new Cesium.Matrix4()
),
attributes : {
color : Cesium.ColorGeometryInstanceAttribute.fromColor(Cesium.Color.CYAN)
}
});
var orangeEllipsoidInstance = new Cesium.GeometryInstance({
id : 'orange',
geometry : ellipsoidGeometry,
modelMatrix : Cesium.Matrix4.multiplyByTranslation(
Cesium.Transforms.eastNorthUpToFixedFrame(Cesium.Cartesian3.fromDegrees(-100.0, 40.0)),
new Cesium.Cartesian3(0.0, 0.0, 450000.0),
new Cesium.Matrix4()
),
attributes : {
color : Cesium.ColorGeometryInstanceAttribute.fromColor(Cesium.Color.ORANGE)
}
});
var primitive = scene.primitives.add(new Cesium.Primitive({
geometryInstances : [cyanEllipsoidInstance, orangeEllipsoidInstance],
appearance : new Cesium.PerInstanceColorAppearance({
//不透明
translucent : false,
closed : true
})
}));
setInterval(function() {
var attributes1 = primitive.getGeometryInstanceAttributes('cyan');
attributes1.color = Cesium.ColorGeometryInstanceAttribute.toValue(Cesium.Color.fromRandom({alpha : 1.0}));
var attributes2 = primitive.getGeometryInstanceAttributes('orange');
attributes2.color = Cesium.ColorGeometryInstanceAttribute.toValue(Cesium.Color.fromRandom({alpha : 1.0}));
},1000);
下面列举下cesium中的几何图形和外观,要注意的是有些外观和几何是不兼容的
几何图形 描述
BoxGeometry 盒子
BoxOutlineGeometry 只有外部线条的的盒子
CircleGeometry 圆圈或挤压圆
CircleOutlineGeometry 同上(只有线条的圆,后面我就省略了)
CorridorGeometry 垂直于表面的折线,宽度以米为单位,可选择挤压高度
CorridorOutlineGeometry
CylinderGeometry 圆柱体,圆锥体或截锥体
CylinderOutlineGeometry
EllipseGeometry 椭圆或挤出椭圆
EllipseOutlineGeometry
EllipsoidGeometry 椭圆形
EllipsoidOutlineGeometry
RectangleGeometry 矩形或挤压矩形
RectangleOutlineGeometry
PolygonGeometry 具有可选孔或挤出多边形的多边形
PolygonOutlineGeometry
PolylineGeometry 一组宽度为像素的线段
SimplePolylineGeometry
PolylineVolumeGeometry 沿着折线挤压的2D形状
PolylineVolumeOutlineGeometry
SphereGeometry 一个球体
SphereOutlineGeometry
WallGeometry 垂直于地球的墙壁
WallOutlineGeometry
外观 描述
MaterialAppearance 外观与所有几何类型一起使用,并支持材料描述阴影。
EllipsoidSurfaceAppearance 几何像几何平行于地球表面的“Material Appearance”一样,就像一个多边形,并且使用这个假设来通过程序上计算许多顶点属性来节省内存。
PerInstanceColorAppearance 使用每个实例的颜色来遮蔽每个实例。
PolylineMaterialAppearance 支持材料遮蔽Polyline。
PolylineColorAppearance 使用每顶点或每段着色来遮蔽折线。
原文链接:https://blog.csdn.net/UmGsoil/article/details/74912638
Cesium学习笔记(六):几何和外观(Geometry and Appearances)【转】的更多相关文章
- java之jvm学习笔记六-十二(实践写自己的安全管理器)(jar包的代码认证和签名) (实践对jar包的代码签名) (策略文件)(策略和保护域) (访问控制器) (访问控制器的栈校验机制) (jvm基本结构)
java之jvm学习笔记六(实践写自己的安全管理器) 安全管理器SecurityManager里设计的内容实在是非常的庞大,它的核心方法就是checkPerssiom这个方法里又调用 AccessCo ...
- Learning ROS for Robotics Programming Second Edition学习笔记(六) indigo xtion pro live
中文译著已经出版,详情请参考:http://blog.csdn.net/ZhangRelay/article/category/6506865 Learning ROS for Robotics Pr ...
- Typescript 学习笔记六:接口
中文网:https://www.tslang.cn/ 官网:http://www.typescriptlang.org/ 目录: Typescript 学习笔记一:介绍.安装.编译 Typescrip ...
- python3.4学习笔记(六) 常用快捷键使用技巧,持续更新
python3.4学习笔记(六) 常用快捷键使用技巧,持续更新 安装IDLE后鼠标右键点击*.py 文件,可以看到Edit with IDLE 选择这个可以直接打开编辑器.IDLE默认不能显示行号,使 ...
- Go语言学习笔记六: 循环语句
Go语言学习笔记六: 循环语句 今天学了一个格式化代码的命令:gofmt -w chapter6.go for循环 for循环有3种形式: for init; condition; increment ...
- 【opencv学习笔记六】图像的ROI区域选择与复制
图像的数据量还是比较大的,对整张图片进行处理会影响我们的处理效率,因此常常只对图像中我们需要的部分进行处理,也就是感兴趣区域ROI.今天我们来看一下如何设置图像的感兴趣区域ROI.以及对ROI区域图像 ...
- Linux学习笔记(六) 进程管理
1.进程基础 当输入一个命令时,shell 会同时启动一个进程,这种任务与进程分离的方式是 Linux 系统上重要的概念 每个执行的任务都称为进程,在每个进程启动时,系统都会给它指定一个唯一的 ID, ...
- # go微服务框架kratos学习笔记六(kratos 服务发现 discovery)
目录 go微服务框架kratos学习笔记六(kratos 服务发现 discovery) http api register 服务注册 fetch 获取实例 fetchs 批量获取实例 polls 批 ...
- Spring Boot 学习笔记(六) 整合 RESTful 参数传递
Spring Boot 学习笔记 源码地址 Spring Boot 学习笔记(一) hello world Spring Boot 学习笔记(二) 整合 log4j2 Spring Boot 学习笔记 ...
随机推荐
- CentOS 7 - 修改时区为上海时区
1.查看时间各种状态: timedatectl Local time: 四 2014-12-25 10:52:10 CSTUniversal time: 四 2014-12-25 02:52:10 U ...
- 【DATAGUARD】物理dg的failover切换(六)
[DATAGUARD]物理dg的failover切换(六) 一.1 BLOG文档结构图 一.2 前言部分 一.2.1 导读 各位技术爱好者,看完本文后,你可以掌握如下的技能,也可以学到一些其它你 ...
- 搭建helm私服ChartMuseum
介绍 ChartMuseum是一个用Go(Golang)编写的开源Helm Chart Repository服务器 ChartMuseum是一个用Go(Golang)编写的开源Helm Chart R ...
- node基础学习——操作文件系统fs
操作文件系统fs 1.在Node.js中,使用fs模块来实现所有有关文件及目录的创建.写入及删除.在fs模块中,所有对文件及目录的操作都可以使用同步与异步两种方法,具有Sync后缀的方法均为同步方法. ...
- 2019年牛客多校第二场 H题Second Large Rectangle
题目链接 传送门 题意 求在\(n\times m\)的\(01\)子矩阵中找出面积第二大的内部全是\(1\)的子矩阵的面积大小. 思路 处理出每个位置往左连续有多少个\(1\),然后对每一列跑单调栈 ...
- pycharm——常用快捷键操作
编辑类(Editing): Ctrl + Space 基本的代码完成(类.方法.属性)Ctrl + Alt + Space 类名完成Ctrl + Shift + Enter 语句完成Ctrl + P ...
- TAPD---“文档”的用途
主要用途:文件的存放 (1)对于测试组:存放测试用例.主要针对当前的迭代,可新建对应的文件夹,上传存放相应的xmind.excel文件.方便开发查找用例文件 (2)对于项目:存放共用的文档等 这里只是 ...
- 更新GitHub上自己 Fork 的代码与原作者的项目进度一致
在GitHub上我们会去fork别人的一个项目,这就在自己的Github上生成了一个与原作者项目互不影响的副本,自己可以将自己Github上的这个项目再clone到本地进行修改,修改后再push,只有 ...
- python完成加密参数sign计算并输出指定格式的字符串
加密规则: 1.固定加密字符串+字符串组合(key/value的形式,并通过aissc码排序), 2.通过sha1算法对排序后的字符串进行加密, 3.最终输出需要的参数sign 4.完成请求参数数据的 ...
- LeetCode 1143. Longest Common Subsequence
原题链接在这里:https://leetcode.com/problems/longest-common-subsequence/ 题目: Given two strings text1 and te ...