Angular2+ 进阶开发实战 广发证券

Size: px
Start display at page:

Download "Angular2+ 进阶开发实战 广发证券"

Transcription

1 Angular2+ 进阶开发实战 广发证券

2 关于我 Senior Securities( 广发证券 ) Core co-author of " 揭秘 Angular 2 Webpack China official team member Former tencent&baidu

3 大纲 ( 一 ) 性能优化探索 ( 运 行行时 ) ( 二 ) 工具与 工程化 ( 静态 ) ( 三 ) 常 见问题原因及解决 方法

4 ( 一 ) 性能优化探索

5

6 Angular 响应式处理理链路路 Trigger Change Detection Root Click Timer Zone 类深度优先 XHR Leaf

7 链路路优化 Event Zone.js Change Detection Root Component Leaf Component

8 典型例例 子 : 元素拖放

9 @Component({ template: ` <item // (touchstart)= touchstart($event) (touchmove)= touchmove($event) (touchend)= touchend($event) ></item> ` }) export class BoxComponent { constructor() { } touchstart(event: any) { // 记录原始位置 } touchmove(event: any) { // 更更新模型数据 } touchend(event: any) { } }

10 红 米 Note 4X 模拟 500 个组件 * 4 个 binding 每次 `touchmove` 事件都触发变化检测执 行行, 耗时约 15-20ms

11 Zone Click Timer 部分过滤 ALL Change Detection XHR

12 NgZone class NgZone { run(fn: () => any) : any runoutsideangular(fn: () => any) : any //... }

13 Zone Click Root Zone Timer fork XHR Angular Zone trigger Change Detection

14 Root Zone ngzone.run(cb) fork ngzone.runoutsideangular(cb) Angular Zone

15 export class BoxComponent { constructor( private ngzone: NgZone ) { } touchstart(event: any) { this.ngzone.runoutsideangular(() => { // 使 用DOM API 绑定 touchmove 事件 }); } touchmove(event: any) { // 更更新元素样式 } touchend(event: any) { // 移除 touchmove 事件监听 // 更更新模型数据, 保持与视图 一致 this.ngzone.run(() => { // 调 用run 防 止 一些异常情况出现 }); } }

16 NgZone S M M M M M E Change Detection

17 RootZone M M M M M NgZone S E Change Detection

18 优化前 优化后 touchmove 不不再触发变化检测逻辑

19 Event Zone Change Detection Root Component Leaf Component

20 开始 1. 更更新输 入数据 view.state & ViewState.ChecksEnable 2. 是否执 行行变化检测 Compiler 生成 3. 检查组件模型数据 精准更更新 4. 更更新 DOM 5. 执 行行 子组件变化检测 结束

21 基准性能衡量量 1. 单向变化检测 2. 组件数据模型优化 a. VM-friendliness b. 只检查模板上绑定的变量量 ( 非深度遍历对象 ) 红 米 Note 4X 个组件 * 3 个 binding 一次变化检测平均约 45ms

22 开始 view.state &= ViewState.ChecksEnable 1. 更更新输 入数据 2. 是否执 行行变化检测 3. 检查组件模型数据 4. 更更新 DOM 5. 执 行行 子组件变化检测 结束 Click, Timer, XHR

23 强 力力武器器 class ChangeDetectionStrategy { Default OnPush }

24 Default 每次变化检测阶段都检测 值是否变动 OnPush 1. 当前组件的输 入数据发 生变更更 2. 当前组件及其 子组件模板有 DOM 事件触发

25 开始 1. 输 入数据发 生变更更 2. 有 DOM 事件触发 1. 更更新输 入数据 2. 是否执 行行变化检测 updateprop markparentviewsforcheck 3. 检查组件模型数据 view.state = ViewState.ChecksEnable 4. 更更新 DOM 5. 执 行行 子组件变化检测 6. 关闭组件变化检测 view.state &= ~ViewState.ChecksEnable 结束

26 ChangeDetectionStrategy Parent Component Input OnPush Input Default model model 组件数据只依赖 父组件的输 入数据

27 输 入值不不变 OnPush click, xhr, timer

28 红 米 Note 4X 个组件 * 3 个 binding 一次变化检测约花费 7ms 上下 性能提升约 80%

29 Angular vs React 异曲同 工 OnPush shouldcomponentupdate() Angular React + Redux

30 OnPush 注意点 Parent Component OnPush { account: , balance: } { account: , balance: } model 输 入值只做浅 比较 引 用地址不不变故不不会触发变化检测

31 Immutable

32 @Component({ selector: 'my-app', template: '<my-child [data]="datatochild"></my-child>' }) export class MyComponent { private datatochild: any; ngoninit() { this.datatochild = Immutable.Map({ account: , balance: }); } charge() { this.datatochild = this.datatochild.set('balance', ); } }

33 Object.assign()

34 @Component({ selector: 'my-app', template: '<my-child [data]="datatochild"></my-child>' }) export class MyComponent { datatochild: any; ngoninit() { this.datatochild = { account: , balance: }; } charge() { this.datatochild = Object.assign({}, this.datatochild, { balance: }); } } lodash.merge()

35 OnPush 视图能更更新? template: ` Parent Component }) ` <p>current Value: {{ curvalue }}</p> export class BranchComponent { curvalue: string; stream: Observable<string>; ngoninit() { this.stream.subscribe(value => { model }); this.curvalue = value; } }

36 更更灵活的 方案 class ChangeDetectorRef { markforcheck() : void detach() : void reattach() : void detectchanges() : void checknochanges() : void }

37 markforcheck: 把当前分 支的所有组件标记为可执 行行变化检测 输 入值不不变 OnPush markforcheck() view.state = ViewState.ChecksEnable

38 markforcheck: 把当前分 支的所有组件标记为可执 行行变化检测 输 入值不不变 Default OnPush markforcheck() view.state = ViewState.ChecksEnable

39 export class BranchComponent { curvalue: string; constructor( private cd: ChangeDetectorRef Observable ) { stream: Observable<string>; OnPush ngoninit() { this.stream.subscribe(value => { this.curvalue = value; this.cd.markforcheck(); }) } }

40 detach: 把该组件及其所有 子组件从组件树的变化检测体系剥离出来 reattach: 把剥离出来的组件分 支重新接 入组件树的变化检测体系 view.state &= ~ViewState.ChecksEnable detach() reattach() view.state = ViewState.ChecksEnable

41 export class MenuComponent() ishide: boolean = false; constructor( private cd: ChangeDetectorRef ) { } ngonchanges( changes: SimpleChanges ) { if ( ishide in changes ) { if ( changes.ishide.currentvalue ) { // 隐藏时 this.cd.detach(); } else { // 显示时 this.cd.reattach(); } } } }

42 detectchanges: 手动触发该组件及其所有 子组件的变化检测 detectchanges() detach() detectchanges() $scope.$digest()

43 export class BranchComponent { curvalue: string; constructor( private cd: ChangeDetectorRef Observable ) { stream: Observable<string>; OnPush ngoninit() { this.stream.subscribe(value => { this.curvalue = value; this.cd.detectchanges(); this.cd.markforcheck(); }) } } 手动触发 一次变化更更新

44 其他性能优化点

45 enableprodmode() 可关闭运 行行时的特殊检查 import { enableprodmode } from '@angular/core'; if (ENV === 'production') { } enableprodmode();

46 ngfor-trackby 减少元素的销毁重建 // template <li *ngfor="let item of items; let i = index; trackby: trackbyfn >...</li> // class class AppComponent { trackbyfn(idx, item) { return item.id; } }

47 < ng-container /> 避免 DOM 嵌套过深 <ng-container> <h1>gf</h1> <span>i m in ng container</span> </ng-container> <h1>gf</h1> <span>i m in ng container</span>

48 ( 二 ) 工具与 工程化

49 Angular CLI 1. auto generate 2. webpack 3. ngtools

50 Angular Language Service Completions lists AoT Diagnostic messages Quick info Go to definition

51 其他 工具 Codelyzer Augury Compodoc & ngd Snippets Ngrev 更更好玩的 ngworld

52 构建

53 AoT Server 非常耗时 有隐患 Browser Inputs Parse & Generate View Source <script> Eval View Class new () Runing App Metadata Templates & Styles Directive Dependencies more JIT AOT

54 首屏 Scripting 指标 JiT AoT 12s 2s

55 AoT 构建 ngc 1. Angular CLI: 2. webpack: ng build --aot const { AotPlugin } = require('@ngtools/webpack'); module.exports = { //... module: { rules: [ // // 1. 添加必要的 loader { "test": /\.html$/, "loader": "raw-loader" }, { "test": /\.ts$/, "loader": "@ngtools/webpack" } ] }, plugins: [ //... // 2. 在插件栏添加 AotPlugin 实例例 } ] new AotPlugin({ "mainpath": "main.ts", "tsconfigpath": "tsconfig.json" })

56 AOT vs JIT JiT AoT

57 JiT AoT

58 main.js Binding View_ToyComponent_0() View_ToyComponent_Host_0() 数据 比较 ToyComponentNgFactory()

59 template: ` <cmp [name]="name"></cmp> ` //... }) // Dont t export class NameComponent private name: string; }; // Do export class NameComponent { name: string; };

60 Lazy Load 太 大了了!

61 Lazy Load { 黑魔法? path: 'lazy-path', loadchildren: 'path/to/lazy.module#lazymodule' } # 模块类名

62 Tree Shaking (webpack2) TS Compiler ESM ES2015 TS Code ESM ES5 TS Compiler // tsconfig.json "compileroptions": { "target": "es5", "module": "es2015", //... }, UglifyJS (DCE) Babili webpack target ES5

63 583KB vendor 564KB 尽量量使 用带 ES Module 版本的第三 方库 如果不不 支持 Tree Shaking, 尽量量使 用 小粒度导 入

64 小粒度导 入 // Bad import 'rxjs'; import { Observable } from 'rxjs'; import { Subject } from 'rxjs/rx'; // Good import { Observable } from 'rxjs/observable'; import { Subject } from 'rxjs/observer'; import 'rxjs/add/operator/switchmap.js';

65 ( 三 ) 常 见问题解决

66 3.1 依赖导 入 Error: Can't bind to 'x' since it isn't a known property of 'y' imports: [ XModule ] declarations: [ XComponent ]

67 3.2 CDN 使 用的 Angular CLI 提供的 deployurl 功能 ng build --deploy-url= 注意 : 1. 必须以 `/` 结尾 2. 暂不不 支持省略略协议头, 如 `//cdn.gfzq.cn/pah/`

68 3.3 detach & markforcheck detach() markforcheck()

69 3.4 视图更更新失效 Click Root Zone Timer XHR Angular Zone trigger Change Detection

70 function asyncfunc() { } console.log(zone.current.name); Click 异常输出 :<root> Root Zone Timer XHR 正常输出 :angular Angular Zone trigger Change Detection

71 JSBridge JSB.call( name, params, successcb, errorcb )

72 // angular zone function btnclick() { console.log(zone.current.name); calljsbridgefunction(() => { console.log(zone.current.name); settimeout(() => { console.log(zone.current.name); }); }); } CB Task Zone.current runtask Zone.current = task.zone; try { invokecbwithzone(); } finally { Zone.current = task.zone.parent; } current Zone <root> angular Tasks <root>?? settimeout asyncfunc task common callback Stack angular click task Log angular <root> <root>

73 解决 方法 // angular zone console.log(zone.current.name); JSBridgeAsyncMethod(() => { console.log(zone.current.name); settimeout(() => { console.log(zone.current.name); this.cd.detectchanges(); }); this.cd.detectchanges(); });

74 推荐解决 方法 // angular zone console.log(zone.current.name); JSBridgeAsyncMethod(() => { this.ngzone.run(() => { console.log(zone.current.name); settimeout(() => { console.log(zone.current.name); }); }); }); $scope.$apply()

75 谢谢 大家 Q&A

The dynamic N1-methyladenosine methylome in eukaryotic messenger RNA 报告人 : 沈胤

The dynamic N1-methyladenosine methylome in eukaryotic messenger RNA 报告人 : 沈胤 The dynamic N1-methyladenosine methylome in eukaryotic messenger RNA 报告人 : 沈胤 2016.12.26 研究背景 RNA 甲基化作为表观遗传学研究的重要内容之一, 是指发生在 RNA 分子上不同位置的甲基化修饰现象 RNA 甲基化在调控基因表达 剪接 RNA 编辑 RNA 稳定性 控制 mrna 寿命和降解等方面可能扮演重要角色

More information

On the Quark model based on virtual spacetime and the origin of fractional charge

On the Quark model based on virtual spacetime and the origin of fractional charge On the Quark model based on virtual spacetime and the origin of fractional charge Zhi Cheng No. 9 Bairong st. Baiyun District, Guangzhou, China. 510400. gzchengzhi@hotmail.com Abstract: The quark model

More information

USTC SNST 2014 Autumn Semester Lecture Series

USTC SNST 2014 Autumn Semester Lecture Series USTC SNST 2014 Autumn Semester Lecture Series Title: Introduction to Tokamak Fusion Energy Nuclear Science and Technology Research and Development (R&D) L8 A: Putting it all together: the box and thinking

More information

Service Bulletin-04 真空电容的外形尺寸

Service Bulletin-04 真空电容的外形尺寸 Plasma Control Technologies Service Bulletin-04 真空电容的外形尺寸 在安装或者拆装真空电容时, 由于真空电容的电级片很容易移位, 所以要特别注意避免对电容的损伤, 这对于过去的玻璃电容来说非常明显, 但对于如今的陶瓷电容则不那么明显, 因为它们能够承载更高的机械的 电性能的负载及热负载 尽管从外表看来电容非常结实, 但是应当注意, 由于采用焊接工艺来封装铜和陶瓷,

More information

Hebei I.T. (Shanghai) Co., Ltd LED SPECIFICATION

Hebei I.T. (Shanghai) Co., Ltd LED SPECIFICATION Features/ 特征 : Single color/ 单色 High Power output/ 高功率输出 Low power consumption/ 低功耗 High reliability and long life/ 可靠性高 寿命长 Descriptions/ 描述 : Dice material/ 芯片材质 :AlGaAs Emitting Color/ 发光颜色 : Infrared

More information

d) There is a Web page that includes links to both Web page A and Web page B.

d) There is a Web page that includes links to both Web page A and Web page B. P403-406 5. Determine whether the relation R on the set of all eb pages is reflexive( 自反 ), symmetric( 对 称 ), antisymmetric( 反对称 ), and/or transitive( 传递 ), where (a, b) R if and only if a) Everyone who

More information

ArcGIS 10.1 for Server OGC 标准支持. Esri 中国信息技术有限公司

ArcGIS 10.1 for Server OGC 标准支持. Esri 中国信息技术有限公司 ArcGIS 10.1 for Server OGC 标准支持 Esri 中国信息技术有限公司 李光辉 DEMO OpenLayers GoogleEarth Map Services udig OWS Image Service 商业 GIS 软件 ArcGIS for Server GP Services Globe Services GeoCoding Services GeoData Services

More information

三类调度问题的复合派遣算法及其在医疗运营管理中的应用

三类调度问题的复合派遣算法及其在医疗运营管理中的应用 申请上海交通大学博士学位论文 三类调度问题的复合派遣算法及其在医疗运营管理中的应用 博士生 : 苏惠荞 导师 : 万国华教授 专业 : 管理科学与工程 研究方向 : 运作管理 学校代码 : 10248 上海交通大学安泰经济与管理学院 2017 年 6 月 Dissertation Submitted to Shanghai Jiao Tong University for the Degree of

More information

Cooling rate of water

Cooling rate of water Cooling rate of water Group 5: Xihui Yuan, Wenjing Song, Ming Zhong, Kaiyue Chen, Yue Zhao, Xiangxie Li 目录. Abstract:... 2. Introduction:... 2 2.. Statement of the problem:... 2 2.2 objectives:... 2 2.3.

More information

Source mechanism solution

Source mechanism solution Source mechanism solution Contents Source mechanism solution 1 1. A general introduction 1 2. A step-by-step guide 1 Step-1: Prepare data files 1 Step-2: Start GeoTaos or GeoTaos_Map 2 Step-3: Convert

More information

系统生物学. (Systems Biology) 马彬广

系统生物学. (Systems Biology) 马彬广 系统生物学 (Systems Biology) 马彬广 通用建模工具 ( 第十四讲 ) 梗概 (Synopsis) 通用建模工具 ( 数学计算软件 ) 专用建模工具 ( 细胞生化体系建模 ) 通用建模工具 主要是各种数学计算软件, 有些是商业软件, 有些是自由软件 商业软件, 主要介绍 : MatLab, Mathematica, Maple, 另有 MuPAD, 现已被 MatLab 收购 自由软件

More information

Algorithms and Complexity

Algorithms and Complexity Algorithms and Complexity 2.1 ALGORITHMS( 演算法 ) Def: An algorithm is a finite set of precise instructions for performing a computation or for solving a problem The word algorithm algorithm comes from the

More information

Design, Development and Application of Northeast Asia Resources and Environment Scientific Expedition Data Platform

Design, Development and Application of Northeast Asia Resources and Environment Scientific Expedition Data Platform September, 2011 J. Resour. Ecol. 2011 2(3) 266-271 DOI:10.3969/j.issn.1674-764x.2011.03.010 www.jorae.cn Journal of Resources and Ecology Vol.2 No.3 NE Asia Design, Development and Application of Northeast

More information

Integrated Algebra. Simplified Chinese. Problem Solving

Integrated Algebra. Simplified Chinese. Problem Solving Problem Solving algebraically concept conjecture constraint equivalent formulate generalization graphically multiple representations numerically parameter pattern relative efficiency strategy verbally

More information

复合功能 VZθ 执行器篇 Multi-Functional VZθActuator

复合功能 VZθ 执行器篇 Multi-Functional VZθActuator 篇 Multi-Functional VZθActuator VZθ 系列 VZθ Series 应用 KSS 微型滚珠丝杆花键 (BSSP), 在同一产品里实现直线运动 (z), 旋转 (θ), 吸附 (Vacuum) 功能的模组化产品 The brand new products which applied the KSS miniature Ball Screw with Ball Spline

More information

The preload analysis of screw bolt joints on the first wall graphite tiles in East

The preload analysis of screw bolt joints on the first wall graphite tiles in East The preload analysis of screw bolt joints on the first wall graphite tiles in East AO ei( 曹磊 ), SONG Yuntao( 宋云涛 ) Institute of plasma physics, hinese academy of sciences, Hefei 230031, hina Abstract The

More information

Galileo Galilei ( ) Title page of Galileo's Dialogue concerning the two chief world systems, published in Florence in February 1632.

Galileo Galilei ( ) Title page of Galileo's Dialogue concerning the two chief world systems, published in Florence in February 1632. Special Relativity Galileo Galilei (1564-1642) Title page of Galileo's Dialogue concerning the two chief world systems, published in Florence in February 1632. 2 Galilean Transformation z z!!! r ' = r

More information

Riemann s Hypothesis and Conjecture of Birch and Swinnerton-Dyer are False

Riemann s Hypothesis and Conjecture of Birch and Swinnerton-Dyer are False Riemann s Hypothesis and Conjecture of Birch and Swinnerton-yer are False Chun-Xuan Jiang. O. Box 3924, Beijing 854 China jcxuan@sina.com Abstract All eyes are on the Riemann s hypothesis, zeta and L-functions,

More information

GRE 精确 完整 数学预测机经 发布适用 2015 年 10 月考试

GRE 精确 完整 数学预测机经 发布适用 2015 年 10 月考试 智课网 GRE 备考资料 GRE 精确 完整 数学预测机经 151015 发布适用 2015 年 10 月考试 20150920 1. n is an integer. : (-1)n(-1)n+2 : 1 A. is greater. B. is greater. C. The two quantities are equal D. The relationship cannot be determined

More information

QTM - QUALITY TOOLS' MANUAL.

QTM - QUALITY TOOLS' MANUAL. 1 2.4.1 Design Of Experiments (DOE) 1. Definition Experimentation is a systematic approach to answer questions and more specifically; how do changes to a system actually affect the quality function or

More information

Lecture 2. Random variables: discrete and continuous

Lecture 2. Random variables: discrete and continuous Lecture 2 Random variables: discrete and continuous Random variables: discrete Probability theory is concerned with situations in which the outcomes occur randomly. Generically, such situations are called

More information

Type and Propositions

Type and Propositions Fall 2018 Type and Propositions Yu Zhang Course web site: http://staff.ustc.edu.cn/~yuzhang/tpl Yu Zhang: Types and Propositions 1 Outline Curry-Howard Isomorphism - Constructive Logic - Classical Logic

More information

2. The lattice Boltzmann for porous flow and transport

2. The lattice Boltzmann for porous flow and transport Lattice Boltzmann for flow and transport phenomena 2. The lattice Boltzmann for porous flow and transport Li Chen XJTU, 2016 Mail: lichennht08@mail.xjtu.edu.cn http://gr.xjtu.edu.cn/web/lichennht08 Content

More information

( 选出不同类别的单词 ) ( 照样子完成填空 ) e.g. one three

( 选出不同类别的单词 ) ( 照样子完成填空 ) e.g. one three Contents 目录 TIPS: 对于数量的问答 - How many + 可数名词复数 + have you/i/we/they got? has he/she/it/kuan got? - I/You/We/They have got + 数字 (+ 可数名词复数 ). He/She/It/Kuan has got + 数字 (+ 可数名词复数 ). e.g. How many sweets

More information

Geomechanical Issues of CO2 Storage in Deep Saline Aquifers 二氧化碳咸水层封存的力学问题

Geomechanical Issues of CO2 Storage in Deep Saline Aquifers 二氧化碳咸水层封存的力学问题 Geomechanical Issues of CO2 Storage in Deep Saline Aquifers 二氧化碳咸水层封存的力学问题 Li Xiaochun( 李小春 ) Yuan Wei ( 袁维 ) Institute of Rock and Soil Mechanics Chinese Academy of Science 中国科学院武汉岩土力学研究所 Outlines ( 提纲

More information

Molecular weights and Sizes

Molecular weights and Sizes Polymer Physcs 高分子物理 olecular weghts and Szes 高分子的分子量与尺寸 1 olecular weghts and molecular weght dstrbuton 分子量与分子量分布 Characterstcs of polymer molecular weghts 高分子的分子量的特点 The molecular weghts are very hgh,

More information

通量数据质量控制的理论与方法 理加联合科技有限公司

通量数据质量控制的理论与方法 理加联合科技有限公司 通量数据质量控制的理论与方法 理加联合科技有限公司 通量变量 Rn = LE + H + G (W m -2 s -1 ) 净辐射 潜热 感热 地表热 通量 通量 通量 通量 Fc (mg m -2 s -1 ) 二氧化碳通量 τ [(kg m s -1 ) m -2 s -1 ] 动量通量 质量控制 1. 概率统计方法 2. 趋势法 3. 大气物理依据 4. 测定实地诊断 5. 仪器物理依据 '

More information

Effect of lengthening alkyl spacer on hydroformylation performance of tethered phosphine modified Rh/SiO2 catalyst

Effect of lengthening alkyl spacer on hydroformylation performance of tethered phosphine modified Rh/SiO2 catalyst Chinese Journal of Catalysis 37 (216) 268 272 催化学报 216 年第 37 卷第 2 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article Effect of lengthening alkyl

More information

澳作生态仪器有限公司 叶绿素荧光测量中的 PAR 测量 植物逆境生理生态研究方法专题系列 8 野外进行荧光测量时, 光照和温度条件变异性非常大 如果不进行光照和温度条件的控制或者精确测量, 那么荧光的测量结果将无法科学解释

澳作生态仪器有限公司 叶绿素荧光测量中的 PAR 测量 植物逆境生理生态研究方法专题系列 8 野外进行荧光测量时, 光照和温度条件变异性非常大 如果不进行光照和温度条件的控制或者精确测量, 那么荧光的测量结果将无法科学解释 叶绿素荧光测量中的 PAR 测量 植物逆境生理生态研究方法专题系列 8 野外进行荧光测量时, 光照和温度条件变异性非常大 如果不进行光照和温度条件的控制或者精确测量, 那么荧光的测量结果将无法科学解释 Yield can vary significantly with light level and with temperature. Without controlling irradiation

More information

Numerical Analysis in Geotechnical Engineering

Numerical Analysis in Geotechnical Engineering M.Sc. in Geological Engineering: Subject No. 8183B2 Numerical Analysis in Geotechnical Engineering Hong-Hu ZHU ( 朱鸿鹄 ) School of Earth Sciences and Engineering, Nanjing University www.slope.com.cn Lecture

More information

Mechatronics Engineering Course Introduction

Mechatronics Engineering Course Introduction Mechatronics Engineering Course Introduction Prof. Tianmiao Wang Prof. Li Wen School of Mechanical Engineering and Automation Beihang University 6/10/201 Professor biography Li Wen, Associate professor

More information

2012 AP Calculus BC 模拟试卷

2012 AP Calculus BC 模拟试卷 0 AP Calculus BC 模拟试卷 北京新东方罗勇 luoyong@df.cn 0-3- 说明 : 请严格按照实际考试时间进行模拟, 考试时间共 95 分钟 Multiple-Choice section A 部分 : 无计算器 B 部分 : 有计算器 Free-response section A 部分 : 有计算器 B 部分 : 无计算器 总计 45 题 /05 分钟 8 题,55 分钟

More information

0 0 = 1 0 = 0 1 = = 1 1 = 0 0 = 1

0 0 = 1 0 = 0 1 = = 1 1 = 0 0 = 1 0 0 = 1 0 = 0 1 = 0 1 1 = 1 1 = 0 0 = 1 : = {0, 1} : 3 (,, ) = + (,, ) = + + (, ) = + (,,, ) = ( + )( + ) + ( + )( + ) + = + = = + + = + = ( + ) + = + ( + ) () = () ( + ) = + + = ( + )( + ) + = = + 0

More information

A proof of the 3x +1 conjecture

A proof of the 3x +1 conjecture A proof of he 3 + cojecure (Xjag, Cha Rado ad Televso Uversy) (23..) Su-fawag Absrac: Fd a soluo o 3 + cojecures a mahemacal ool o fd ou he codo 3 + cojecures gve 3 + cojecure became a proof. Keywords:

More information

Physical design of photo-neutron source based on 15 MeV Electron Linac accelerator and Its Application

Physical design of photo-neutron source based on 15 MeV Electron Linac accelerator and Its Application TMSR Physical design of photo-neutron source based on 15 MeV Electron Linac accelerator and Its Application WANG Hongwei 10/2012 on behalf of Reactor Physics Division of TMSR Nuclear Physics Division Shanghai

More information

Principia and Design of Heat Exchanger Device 热交换器原理与设计

Principia and Design of Heat Exchanger Device 热交换器原理与设计 Principia and Design of Heat Exchanger Device 热交换器原理与设计 School of Energy and Power Engineering, SDU Presented: 杜文静 E-mail: wjdu@sdu.edu.cn Telephone: 88399000-511 1. Spiral heat exchanger 螺旋板式热交换器 basic

More information

上海激光电子伽玛源 (SLEGS) 样机的实验介绍

上海激光电子伽玛源 (SLEGS) 样机的实验介绍 上海激光电子伽玛源 (SLEGS) 样机的实验介绍 Pan Qiangyan for SLEGS collaborators 一. 引言二. 装置布局三. 实验及其结果四. 结论 一, 引言 为建设 SLEGS 光束线提供参考和研制依据, 中科院上海应用物理研究所于 2005 年成立了以徐望研究员为组长的 SLEGS 小组, 开展 SLEGS 样机的实验工作 ; 在中科院知识创新工程方向性项目 (

More information

APPROVAL SHEET 承认书 厚膜晶片电阻承认书 -CR 系列. Approval Specification for Thick Film Chip Resistors - Type CR 厂商 : 丽智电子 ( 昆山 ) 有限公司客户 : 核准 Approved by

APPROVAL SHEET 承认书 厚膜晶片电阻承认书 -CR 系列. Approval Specification for Thick Film Chip Resistors - Type CR 厂商 : 丽智电子 ( 昆山 ) 有限公司客户 : 核准 Approved by 承认书 APPROVAL SHEET 厂商 : 丽智电子 ( 昆山 ) 有限公司客户 : Supplier: customer: 核准 Approved by 审核 Checked by 制作 Prepared by 核准 Approved by 审核 Checked by 制作 Prepared by 地址 : 江苏省昆山市汉浦路 989 号 Address: No. 989, Hanpu Road

More information

Can phylogenomic data matrix end incongruence in the tree of life?

Can phylogenomic data matrix end incongruence in the tree of life? Can phylogenomic data matrix end incongruence in the tree of life? 系统发育基因组数据能否解决生命之树中的冲突? Xing-Xing Shen( 沈星星 ) https://xingxingshen.github.io/ Rokas Lab Mar 2018 1 自我简介 https://xingxingshen.github.io/

More information

Explainable Recommendation: Theory and Applications

Explainable Recommendation: Theory and Applications Explainable Recommendation: Theory and Applications Dissertation Submitted to Tsinghua University in partial fulfillment of the requirement for the degree of Doctor of Philosophy in Computer Science and

More information

目錄 Contents. Copyright 2008, FengShui BaZi Centre < 2

目錄 Contents. Copyright 2008, FengShui BaZi Centre <  2 目錄 Contents 1. 子平八字命理学简介 Introduction of [Zi Ping Ba Zi] Destiny, Fate & Luck Analysis 1.1 日历种类 Type of Calendar 1.2 年, 月, 日, 时, 的关系 The Relationships between Year, Month, Day & Hour 1.3 命运的原理 The Principle

More information

Digital Image Processing. Point Processing( 点处理 )

Digital Image Processing. Point Processing( 点处理 ) Digital Image Processing Point Processing( 点处理 ) Point Processing of Images In a digital image, point = pixel. Point processing transforms a pixel s value as function of its value alone; it it does not

More information

Concurrent Engineering Pdf Ebook Download >>> DOWNLOAD

Concurrent Engineering Pdf Ebook Download >>> DOWNLOAD 1 / 6 Concurrent Engineering Pdf Ebook Download >>> DOWNLOAD 2 / 6 3 / 6 Rozenfeld, WEversheim, HKroll - Springer.US - 1998 WDuring 2005 年 3 月 1 日 - For.the.journal,.see.Conc urrent.engineering.(journal)verhagen

More information

= lim(x + 1) lim x 1 x 1 (x 2 + 1) 2 (for the latter let y = x2 + 1) lim

= lim(x + 1) lim x 1 x 1 (x 2 + 1) 2 (for the latter let y = x2 + 1) lim 1061 微乙 01-05 班期中考解答和評分標準 1. (10%) (x + 1)( (a) 求 x+1 9). x 1 x 1 tan (π(x )) (b) 求. x (x ) x (a) (5 points) Method without L Hospital rule: (x + 1)( x+1 9) = (x + 1) x+1 x 1 x 1 x 1 x 1 (x + 1) (for the

More information

Chapter 22 Lecture. Essential University Physics Richard Wolfson 2 nd Edition. Electric Potential 電位 Pearson Education, Inc.

Chapter 22 Lecture. Essential University Physics Richard Wolfson 2 nd Edition. Electric Potential 電位 Pearson Education, Inc. Chapter 22 Lecture Essential University Physics Richard Wolfson 2 nd Edition Electric Potential 電位 Slide 22-1 In this lecture you ll learn 簡介 The concept of electric potential difference 電位差 Including

More information

Conditional expectation and prediction

Conditional expectation and prediction Conditional expectation and prediction Conditional frequency functions and pdfs have properties of ordinary frequency and density functions. Hence, associated with a conditional distribution is a conditional

More information

2NA. MAYFLOWER SECONDARY SCHOOL 2018 SEMESTER ONE EXAMINATION Format Topics Comments. Exam Duration. Number. Conducted during lesson time

2NA. MAYFLOWER SECONDARY SCHOOL 2018 SEMESTER ONE EXAMINATION Format Topics Comments. Exam Duration. Number. Conducted during lesson time Art NA T2 W3-W6 Project Work 1) Investigation and Interpretation of Theme 2) Control of Technical Processes 3) Reflection Conducted during lesson time Bahasa Melayu Express Stream SBB 1 2h Bahagian A E-mel

More information

Giant magnetoresistance in Fe/SiO 2 /p-si hybrid structure under non-equilibrium conditions

Giant magnetoresistance in Fe/SiO 2 /p-si hybrid structure under non-equilibrium conditions Trans. Nonferrous Met. Soc. China 24(2014) 3158 3163 Giant magnetoresistance in Fe/SiO 2 /p-si hybrid structure under non-equilibrium conditions N. V. VOLKOV 1, 2, A. S. TARASOV 1, A. O. GUSTAJCEV 1, 2,

More information

Human CXCL9 / MIG ELISA Kit

Human CXCL9 / MIG ELISA Kit Human CXCL9 / MIG ELISA Kit Catalog Number: KIT10888 Please read this instruction manual carefully before using the product. For Research Use Only. Not for use in diagnostic or therapeutic procedures.

More information

Lecture Note on Linear Algebra 14. Linear Independence, Bases and Coordinates

Lecture Note on Linear Algebra 14. Linear Independence, Bases and Coordinates Lecture Note on Linear Algebra 14 Linear Independence, Bases and Coordinates Wei-Shi Zheng, wszheng@ieeeorg, 211 November 3, 211 1 What Do You Learn from This Note Do you still remember the unit vectors

More information

2004 Journal of Software 软件学报

2004 Journal of Software 软件学报 000-9825/2004/5(07)0977 2004 Journal of Software 软件学报 Vol5, No7 如何测量 SMP 机群可扩放性 何家华 +, 陈国良, 单久龙 ( 中国科学技术大学计算机科学技术系国家高性能计算中心 ( 合肥 ), 安徽合肥 230027) How to Measure Scalability of SMP Cluster HE Jia-Hua +,

More information

5. Polymorphism, Selection. and Phylogenetics. 5.1 Population genetics. 5.2 Phylogenetics

5. Polymorphism, Selection. and Phylogenetics. 5.1 Population genetics. 5.2 Phylogenetics 5. Polymorphism, Selection 5.1 Population genetics and Phylogenetics Polymorphism in the genomes Types of polymorphism Measure of polymorphism Natural and artificial selection: the force shaping the genomes

More information

钽电解电容器 选型指南 2013 版 宁夏星日电子有限公司. Selection Guide For Tantalum Electrolytic Capacitor NINGXIA XINGRI ELECTRONICS CO., LTD

钽电解电容器 选型指南 2013 版 宁夏星日电子有限公司. Selection Guide For Tantalum Electrolytic Capacitor NINGXIA XINGRI ELECTRONICS CO., LTD 钽电解电容器 Selection Guide or Tantalum lectrolytic apacitor 选型指南 版 宁夏星日电子有限公司 NINGXI XINGI LTONIS O., LT 特点与用途 模压封装 表面贴装 体积小 重量轻 极性电容器 ; 电性能优良稳定 可靠性高 寿命长 贮存稳定性好 ; 符合欧盟 ohs 和 H 法规的无铅要求 ; 适用于通讯 计算机 摄像机 移动通讯等领域

More information

La pietra da altre colline può levigare la giada di questa qui Il Classico dei Versi 可 以 攻 玉

La pietra da altre colline può levigare la giada di questa qui Il Classico dei Versi 可 以 攻 玉 T r e n d s o f H e a l t h c a r e P e r f o r m a n c e E v a l u a t i o n i n C h i n a : a n E c o n o m i c a n d S o c i a l A n a l y s i s A t h e s i s p r e s e n t e d b y H a o L i T o T h

More information

Alternative flat coil design for electromagnetic forming using FEM

Alternative flat coil design for electromagnetic forming using FEM Alternative flat coil design for electromagnetic forming using FEM M. AHMED 1, S. K. PANTHI 1, N. RAMAKRISHNAN 2, A. K. JHA 1, A. H. YEGNESWARAN 1, R. DASGUPTA 1, S. AHMED 3 1. Advanced Materials and Processes

More information

Ni based catalysts derived from a metal organic framework for selective oxidation of alkanes

Ni based catalysts derived from a metal organic framework for selective oxidation of alkanes Chinese Journal of Catalysis 37 (2016) 955 962 催化学报 2016 年第 37 卷第 6 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article (Special Issue on Environmental

More information

深圳市凯琦佳科技股份有限公司 纳入规格书

深圳市凯琦佳科技股份有限公司 纳入规格书 深圳市凯琦佳科技股份有限公司 铝电解电容器 PE20450471M2J002 450V470μF Ф 35 X 50 纳入规格书 客户名称 : 物料编码 : 受领印栏 注 : 对此规格书确认后, 在确认后签名, 返传一份与敝公司 第 1 页共 8 页 Snap-in Al-capacitors 铝电解电容器 PE20450471M2J002 450V 470μF Ф 35 X 50 85 2000h

More information

2018 Mid-Year Examination - Sec 3 Normal (Academic) Editing Skills, Situational Writing Skills, Continuous Writing Skills

2018 Mid-Year Examination - Sec 3 Normal (Academic) Editing Skills, Situational Writing Skills, Continuous Writing Skills Subject Format / Topics English Language Paper 1 Duration: 1 h 50 min Total marks: 70 (45%) Editing Skills, Situational Writing Skills, Continuous Writing Skills Paper 2 Duration: 1 h 50 min Total marks:

More information

A new approach to inducing Ti 3+ in anatase TiO2 for efficient photocatalytic hydrogen production

A new approach to inducing Ti 3+ in anatase TiO2 for efficient photocatalytic hydrogen production Chinese Journal of Catalysis 39 (2018) 510 516 催化学报 2018 年第 39 卷第 3 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article (Special Issue of Photocatalysis

More information

Synthesis of PdS Au nanorods with asymmetric tips with improved H2 production efficiency in water splitting and increased photostability

Synthesis of PdS Au nanorods with asymmetric tips with improved H2 production efficiency in water splitting and increased photostability Chinese Journal of Catalysis 39 (2018) 407 412 催化学报 2018 年第 39 卷第 3 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Communication (Special Issue of

More information

Key Topic. Body Composition Analysis (BCA) on lab animals with NMR 采用核磁共振分析实验鼠的体内组分. TD-NMR and Body Composition Analysis for Lab Animals

Key Topic. Body Composition Analysis (BCA) on lab animals with NMR 采用核磁共振分析实验鼠的体内组分. TD-NMR and Body Composition Analysis for Lab Animals TD-NMR and Body Composition Analysis for Lab Animals 时域磁共振及实验鼠体内组分的测量 Z. Harry Xie ( 谢宗海 谢宗海 ), PhD Bruker Optics, Inc. Key Topic Body Composition Analysis (BCA) on lab animals with NMR 采用核磁共振分析实验鼠的体内组分

More information

MAX21003 超高精度 低功耗 双轴数字输出陀螺仪

MAX21003 超高精度 低功耗 双轴数字输出陀螺仪 19-6645; Rev 0; 6/13 备有评估板 概述 是低功耗 低噪声 双轴角速度传感器, 在整个温度范围和工作期限内, 提供前所未有的高精度和高灵敏度指标 器件工作电压低至 1.71V, 使功耗降至最低 器件包括检测元件和 IC 接口, 通过数字接口 (I 2 C/SPI) 提供测得的角速率 IC 满量程为 ±31.25/±62.50/±125/±250/±500/±1000 度 / 秒 (dps),

More information

Theory of Water-Proton Spin Relaxation in Complex Biological Systems

Theory of Water-Proton Spin Relaxation in Complex Biological Systems Theory of Water-Proton Spin Relaxation in Complex Biological Systems Zhiwei Chang Doctoral Thesis by due permission of the Faculty of Engineering LTH, Lund University, Sweden. The thesis will be publicly

More information

A Tutorial on Variational Bayes

A Tutorial on Variational Bayes A Tutorial on Variational Bayes Junhao Hua ( 华俊豪 ) Laboratory of Machine and Biological Intelligence, Department of Information Science & Electronic Engineering, ZheJiang University 204/3/27 Email: huajh7@gmail.com

More information

强子谱和强子结构研究前沿简介 邹冰松 中国科学院高能物理研究所 中国科学院大科学装置理论物理研究中心

强子谱和强子结构研究前沿简介 邹冰松 中国科学院高能物理研究所 中国科学院大科学装置理论物理研究中心 强子谱和强子结构研究前沿简介 邹冰松 中国科学院高能物理研究所 中国科学院大科学装置理论物理研究中心 内容提要 一. 背景知识简介 二. 强子谱和强子结构研究前沿热点 三. 北京正负电子对撞机 BEPC 强子谱研究 一. 背景知识简介 1) 物质的基本相互作用和结构 2) 强子物理研究的基本问题 3) 探索强子内部结构的基本途径 1) 物质的基本相互作用和结构 引力相互作用宇宙 天体结构 > 10-2

More information

第五届控制科学与工程前沿论坛 高志强. Center for Advanced Control Technologies

第五届控制科学与工程前沿论坛 高志强. Center for Advanced Control Technologies 第五届控制科学与工程前沿论坛 自抗扰控制技术的理念 方法与应用 纪念韩京清先生逝世五周年 高志强 二零一三年四月十九日 Center for Advanced Control Technologies http://cact.csuohio.edu 概要 引言自抗扰控制的渊源自抗扰控制的应用自抗扰控制的论证抗扰技术研究小结 引言 君子务本, 本立而道生 韩京清 :1937-2008 六十年代 : 最优控制,

More information

Lecture 13 Metabolic Diversity 微生物代谢的多样性

Lecture 13 Metabolic Diversity 微生物代谢的多样性 Lecture 13 Metabolic Diversity 微生物代谢的多样性 Chapter 17 in BROCK BIOLOGY OF MICROORGANISMS School of Life Science and Biotechnology Shanghai Jiao Tong University http://micro.sjtu.edu.cn I. The Phototrophic

More information

Zinc doped g C3N4/BiVO4 as a Z scheme photocatalyst system for water splitting under visible light

Zinc doped g C3N4/BiVO4 as a Z scheme photocatalyst system for water splitting under visible light Chinese Journal of Catalysis 39 (218) 472 478 催化学报 218 年第 39 卷第 3 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article (Special Issue of Photocatalysis

More information

A STUDY OF FACTORS THAT AFFECT CAPILLARY

A STUDY OF FACTORS THAT AFFECT CAPILLARY 20/6/ GROUP A STUDY OF FACTORS THAT AFFECT CAPILLARY DOE Project Report 杨路怡陆泓宇陈驰 Content Abstract... 4 Experiment Background & Objective... 4 Background... 4 Objective... 5 Experiment Principles... 5 Phenomenon

More information

Chapter 20 Cell Division Summary

Chapter 20 Cell Division Summary Chapter 20 Cell Division Summary Bk3 Ch20 Cell Division/1 Table 1: The concept of cell (Section 20.1) A repeated process in which a cell divides many times to make new cells Cell Responsible for growth,

More information

生物統計教育訓練 - 課程. Introduction to equivalence, superior, inferior studies in RCT 謝宗成副教授慈濟大學醫學科學研究所. TEL: ext 2015

生物統計教育訓練 - 課程. Introduction to equivalence, superior, inferior studies in RCT 謝宗成副教授慈濟大學醫學科學研究所. TEL: ext 2015 生物統計教育訓練 - 課程 Introduction to equivalence, superior, inferior studies in RCT 謝宗成副教授慈濟大學醫學科學研究所 tchsieh@mail.tcu.edu.tw TEL: 03-8565301 ext 2015 1 Randomized controlled trial Two arms trial Test treatment

More information

数理经济学教学大纲 内容架构 资料来源 : 集合与映射 (JR,pp ) 1. 数学 : 概念 定理 证明, 重在直觉, 多用图形 ; 2. 举例 : 数学例子 ; 3. 应用 : 经济学实例 ;

数理经济学教学大纲 内容架构 资料来源 : 集合与映射 (JR,pp ) 1. 数学 : 概念 定理 证明, 重在直觉, 多用图形 ; 2. 举例 : 数学例子 ; 3. 应用 : 经济学实例 ; 数理经济学教学大纲 内容架构 1. 数学 : 概念 定理 证明, 重在直觉, 多用图形 ; 2. 举例 : 数学例子 ; 3. 应用 : 经济学实例 ; 资料来源 : 杰里和瑞尼 : 高级微观经济理论, 上海财大出版社和培生集团,2002 年 (JR) 马斯 - 科莱尔 温斯顿和格林 : 微观经济学, 中国社会科学出版社,2001 年 (MWG) 巴罗和萨拉伊马丁 : 经济增长, 中国社会科学出版社,2000

More information

Integrating non-precious-metal cocatalyst Ni3N with g-c3n4 for enhanced photocatalytic H2 production in water under visible-light irradiation

Integrating non-precious-metal cocatalyst Ni3N with g-c3n4 for enhanced photocatalytic H2 production in water under visible-light irradiation Chinese Journal of Catalysis 4 (219) 16 167 催化学报 219 年第 4 卷第 2 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article Integrating non-precious-metal

More information

Lecture English Term Definition Chinese: Public

Lecture English Term Definition Chinese: Public Lecture English Term Definition Chinese: Public A Convert Change between two forms of measurements 变换 A Equilateral Triangle Triangle with equal sides and angles A FPS Units The American system of measurement.

More information

Ch.9 Liquids and Solids

Ch.9 Liquids and Solids Ch.9 Liquids and Solids 9.1. Liquid-Vapor Equilibrium 1. Vapor Pressure. Vapor Pressure versus Temperature 3. Boiling Temperature. Critical Temperature and Pressure 9.. Phase Diagram 1. Sublimation. Melting

More information

MILESTONES Let there be light

MILESTONES Let there be light http://www.nature.com/milestones/milephotons/collection/index.html MILESTONES Let there be light LETTER The conservation of photons Gilbert N. Lewis Nature 118, 874-875 (1926); doi:10.1038/118874a0

More information

There are only 92 stable elements in nature

There are only 92 stable elements in nature There are only stable elements in nature Jiang Chun-xuan P. O. Box, Beijing 0, P. R. China jcxxxx@.com Abstract Using mathematical method we prove that there are only stable elements in nature and obtain

More information

Enhancement of the activity and durability in CO oxidation over silica supported Au nanoparticle catalyst via CeOx modification

Enhancement of the activity and durability in CO oxidation over silica supported Au nanoparticle catalyst via CeOx modification Chinese Journal of Catalysis 39 (2018) 1608 1614 催化学报 2018 年第 39 卷第 10 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article Enhancement of the activity

More information

Rigorous back analysis of shear strength parameters of landslide slip

Rigorous back analysis of shear strength parameters of landslide slip Trans. Nonferrous Met. Soc. China 23(2013) 1459 1464 Rigorous back analysis of shear strength parameters of landslide slip Ke ZHANG 1, Ping CAO 1, Rui BAO 1,2 1. School of Resources and Safety Engineering,

More information

Easter Traditions 复活节习俗

Easter Traditions 复活节习俗 Easter Traditions 复活节习俗 1 Easter Traditions 复活节习俗 Why the big rabbit? 为什么有个大兔子? Read the text below and do the activity that follows 阅读下面的短文, 然后完成练习 : It s Easter in the UK and the shops are full of Easter

More information

STUDIES ON CLITICS OF CHINESE - THE GRAMMATICALIZATION APPROACH

STUDIES ON CLITICS OF CHINESE - THE GRAMMATICALIZATION APPROACH 汉语的附着成分研究 从语法化的角度考察 STUDIES ON CLITICS OF CHINESE - THE GRAMMATICALIZATION APPROACH 林尔嵘 LIM NI ENG (B.A. Hons, NUS) 新加坡国立大学中文系硕士学位论文 A THESIS SUBMITTED FOR THE DEGREE OF MASTERS OF ARTS DEPARTMENT OF CHINESE

More information

A novel method for fast identification of a machine tool selected point temperature rise based on an adaptive unscented Kalman filter *

A novel method for fast identification of a machine tool selected point temperature rise based on an adaptive unscented Kalman filter * Xia et al. / J Zhejiang Univ-Sci A (Appl Phys & Eng) 214 15(1):761-773 761 Journal of Zhejiang University-SCIENCE A (Applied Physics & Engineering) ISSN 1673-565X (Print); ISSN 1862-1775 (Online) www.zju.edu.cn/jzus;

More information

Chapter 6. Series-Parallel Circuits ISU EE. C.Y. Lee

Chapter 6. Series-Parallel Circuits ISU EE. C.Y. Lee Chapter 6 Series-Parallel Circuits Objectives Identify series-parallel relationships Analyze series-parallel circuits Determine the loading effect of a voltmeter on a circuit Analyze a Wheatstone bridge

More information

available at journal homepage:

available at   journal homepage: Chinese Journal of Catalysis 40 (2019) 141 146 催化学报 2019 年第 40 卷第 2 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Communication The origin of the

More information

Chapter 4. Mobile Radio Propagation Large-Scale Path Loss

Chapter 4. Mobile Radio Propagation Large-Scale Path Loss Chapter 4 Mobile Radio Propagation Large-Scale Path Loss The mobile radio channel places fundamental limitations on the performance. The transmission path between the T-R maybe very complexity. Radio channels

More information

Z-Factory Physics. Physics for Modernized Z-Factory. Chao-Hsi Chang (Zhao-Xi Zhang) ITP, CAS

Z-Factory Physics. Physics for Modernized Z-Factory. Chao-Hsi Chang (Zhao-Xi Zhang) ITP, CAS Z-Factory Physics Physics for Modernized Z-Factory Chao-Hsi Chang (Zhao-Xi Zhang) ITP, CAS --- Working Group for Z-factory Physics --- Group Meeting @ WeiHai The topics for Z-factory Physics July 13-17,

More information

Operating characteristics of a single-stage Stirling-type pulse tube cryocooler with high cooling power at liquid nitrogen temperatures *

Operating characteristics of a single-stage Stirling-type pulse tube cryocooler with high cooling power at liquid nitrogen temperatures * Sun et al. / J Zhejiang Univ-Sci A (Appl Phys & Eng) 2015 16(7):577-585 577 Journal of Zhejiang University-SCIENCE A (Applied Physics & Engineering) ISSN 1673-565X (Print); ISSN 1862-1775 (Online) www.zju.edu.cn/jzus;

More information

Iolanda S. Klein,* Zuofeng Zhao, Stephen K. Davidowski, Jeffery L. Yarger, and C. Austen Angell

Iolanda S. Klein,* Zuofeng Zhao, Stephen K. Davidowski, Jeffery L. Yarger, and C. Austen Angell Communication 固体 Solid Electrolytes 电解质 A New 新型 Version of the 锂 Lithium 离子导电 Ion Conducting 塑料 Plastic Crystal 固体 Solid 电解质 Electrolyte Iolanda S. Klein,* Zuofeng Zhao, Stephen K. Davidowski, Jeffery

More information

Halloween 万圣节. Do you believe in ghosts? 你相信有鬼吗? Read the text below and do the activity that follows. 阅读下面的短文, 然后完成练习 :

Halloween 万圣节. Do you believe in ghosts? 你相信有鬼吗? Read the text below and do the activity that follows. 阅读下面的短文, 然后完成练习 : Halloween 万圣节 1 Halloween 万圣节 Do you believe in ghosts? 你相信有鬼吗? Read the text below and do the activity that follows. 阅读下面的短文, 然后完成练习 : Though many people think it is an American festival, Halloween is

More information

Atomic & Molecular Clusters / 原子分子团簇 /

Atomic & Molecular Clusters / 原子分子团簇 / Atomic & Molecular Clusters / 原子分子团簇 / 王金兰 Email: jlwang@seu.edu.cn Department of Physics Southeast University What is nanometer? Nano is Small (10-7 --10-9 m; 1-100 nm) 10 0 m 10-1 m 10-2 m 10-3 m 10-4

More information

Proton gradient transfer acid complexes and their catalytic performance for the synthesis of geranyl acetate

Proton gradient transfer acid complexes and their catalytic performance for the synthesis of geranyl acetate Chinese Journal of Catalysis 37 (216) 2114 2121 催化学报 216 年第 37 卷第 12 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article Proton gradient transfer

More information

碳酸盐岩缝洞型油藏开发关键技术. Key Petroleum Development Technologies in Fractured & Caverned Carbonate Reservoirs Illustrated by the Example of Tahe Oilfield

碳酸盐岩缝洞型油藏开发关键技术. Key Petroleum Development Technologies in Fractured & Caverned Carbonate Reservoirs Illustrated by the Example of Tahe Oilfield 碳酸盐岩缝洞型油藏开发关键技术 以塔河油田为例 Key Petroleum Development Technologies in Fractured & Caverned Carbonate Reservoirs Illustrated by the Example of Tahe Oilfield 中国石油化工股份有限公司西北油田分公司 SINOPEC Northwest Oilfield Company

More information

Photo induced self formation of dual cocatalysts on semiconductor surface

Photo induced self formation of dual cocatalysts on semiconductor surface Chinese Journal of Catalysis 39 (2018) 1730 1735 催化学报 2018 年第 39 卷第 11 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Communication Photo induced self

More information

NiFe layered double hydroxide nanoparticles for efficiently enhancing performance of BiVO4 photoanode in

NiFe layered double hydroxide nanoparticles for efficiently enhancing performance of BiVO4 photoanode in Chinese Journal of Catalysis 39 (218) 613 618 催化学报 218 年第 39 卷第 4 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Communication (Special Issue on Environmental

More information

Lecture 4-1 Nutrition, Laboratory Culture and Metabolism of Microorganisms

Lecture 4-1 Nutrition, Laboratory Culture and Metabolism of Microorganisms 1896 1920 1987 2006 Lecture 4-1 Nutrition, Laboratory Culture and Metabolism of Microorganisms CHAPTER 4 in BROCK BIOLOGY OF MICROORGANISMS Zhao Liping, Chen Feng School of Life Science and Biotechnology

More information

Lecture 2: Introduction to Probability

Lecture 2: Introduction to Probability Statistical Methods for Intelligent Information Processing (SMIIP) Lecture 2: Introduction to Probability Shuigeng Zhou School of Computer Science September 20, 2017 Outline Background and concepts Some

More information

Effect of promoters on the selective hydrogenolysis of glycerol over Pt/W containing catalysts

Effect of promoters on the selective hydrogenolysis of glycerol over Pt/W containing catalysts Chinese Journal of Catalysis 37 (2016) 1513 1520 催化学报 2016 年第 37 卷第 9 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Article Effect of promoters on

More information

Fabrication of ultrafine Pd nanoparticles on 3D ordered macroporous TiO2 for enhanced catalytic activity during diesel soot combustion

Fabrication of ultrafine Pd nanoparticles on 3D ordered macroporous TiO2 for enhanced catalytic activity during diesel soot combustion Chinese Journal of Catalysis 39 (2018) 606 612 催化学报 2018 年第 39 卷第 4 期 www.cjcatal.org available at www.sciencedirect.com journal homepage: www.elsevier.com/locate/chnjc Communication (Special Issue on

More information

能源化学工程专业培养方案. Undergraduate Program for Specialty in Energy Chemical Engineering 专业负责人 : 何平分管院长 : 廖其龙院学术委员会主任 : 李玉香

能源化学工程专业培养方案. Undergraduate Program for Specialty in Energy Chemical Engineering 专业负责人 : 何平分管院长 : 廖其龙院学术委员会主任 : 李玉香 能源化学工程专业培养方案 Undergraduate Program for Specialty in Energy Chemical Engineering 专业负责人 : 何平分管院长 : 廖其龙院学术委员会主任 : 李玉香 Director of Specialty: He Ping Executive Dean: Liao Qilong Academic Committee Director:

More information