5. Factual Info - Appendices 1.6A to 1.6E
- 格式:pdf
- 大小:1.20 MB
- 文档页数:39
Solutions - Chapter 66-1: PersonUse a dictionary to store information about a person you know. Store their first name, last name, age, and the city in which they live. You should have keys such as first_name, last_name, age, and city. Print each piece of information stored in your dictionary.Output:6-2: Favorite NumbersUse a dictionary to store people’s favorite numbers. Think of five names, and use them as keys in your dictionary. Think of a favorite number for each person, and store each as a value in your dictionary. Print each person’s name and their favorite number. For even more fun, poll a few friends and get some actual data for your program.Output:6-3: GlossaryA Python dictionary can be used to model an actual dictionary. However, to avoid confusion, let’s call it a glossary.Think of five programming words you’ve learned about in the previous chapters. Use these words as the keys in yourglossary, and store their meanings as values.Print each word and its meaning as neatly formatted output.You might print the word followed by a colon and then itsmeaning, or print the word on one line and then print itsmeaning indented on a second line. Use the newline character ('\n') to insert a blank line between each word-meaning pair in your output.Output:6-4: Glossary 2Now that you know how to loop through a dictionary, clean up the code from Exercise 6-3 (page 102) by replacing your seriesof print statements with a loop that runs through the dictionary’s keysand values. When you’re sure that your loop works, add five more Python terms to your glossary. When you run your program again, these new words and meanings should automatically be included in the output.Output:6-5: RiversMake a dictionary containing three major rivers and the country each river runs through. One key-value pair might be 'nile': 'egypt'.∙Use a loop to print a sentence about each river, such as The Nile runs through Egypt.∙Use a loop to print the name of each river included in the dictionary.∙Use a loop to print the name of each country included in the dictionary.Output*:*Sometimes we like to think of Alaska as our own separate country.6-6: PollingUse the code in favorite_languages.py (page 104).∙Make a list of people who should take the favorite languages poll. Include some names that are already in the dictionary and some that are not.∙Loop through the list of people who should take the poll. If they have already taken the poll, print a message thanking them for responding. If they have not yet taken the poll, print a message inviting them to take the poll.Output:6-7: PeopleStart with the program you wrote for Exercise 6-1 (page 102). Make two new dictionaries representing different people, and store all three dictionaries in a list called people. Loop through your list of people. As you loop through the list, print everything you know about each person.Output:6-8: PetsMake several dictionaries, where the name of each dictionary is the name of a pet. In each dictionary, include the kind of animal and the owner’s name. Store these dictionaries in a list called pets. Next, loop through your list and as you do print everything you know about each pet.Output:6-9: Favorite PlacesMake a dictionary called favorite_places. Think of three names touse as keys in the dictionary, and store one to three favorite places for each person. To make this exericse a bit more interesting, ask somefriends to name a few of their favorite places. Loop through the dictionary, and print each person’s name and their favorite places.Output:6-10: Favorite NumbersModify your program from Exercise 6-2 (page 102) so each person can have more than one favorite number. Then print each person’s name along with their favorite numbers.Output:6-11: CitiesMake a dictionary called cities. Use the names of three cities askeys in your dictionary. Create a dictionary of information about each city and include the country that the city is in, its approximate population, and one fact about that city. The keys for each city’s dictionary should be something like country, population, and fact.Print the name of each city and all of the information you have stored about it.Output:。
高中python期末考试题库及答案一、选择题(每题2分,共20分)1. Python中用于定义函数的关键字是:A. classB. defC. functionD. method答案:B2. 下列哪个选项是Python中的注释?A. //B.C. //D. #答案:D3. 在Python中,以下哪个选项是合法的变量名?A. 2namesB. namesC. _namesD. names!答案:C4. Python中,以下哪个选项是列表(list)?A. [1, 2, 3]B. (1, 2, 3)C. {1, 2, 3}D. {key: 1, 2, 3}5. 下列哪个选项是Python中的逻辑运算符?A. andB. orC. notD. 以上都是答案:D6. 在Python中,以下哪个选项是正确的字符串格式化方法?A. "%s %d" % ("hello", 10)B. "{0} {1}".format("hello", 10)C. f"{'hello'} {10}"D. 以上都是答案:D7. Python中,以下哪个选项是正确的字典定义方式?A. {"name": "Alice", "age": 25}B. ["name": "Alice", "age": 25]C. ("name": "Alice", "age": 25)D. {name: "Alice", age: 25}答案:A8. 以下哪个选项是Python中的异常处理语句?A. try/exceptB. if/elseC. for/whileD. switch/case答案:A9. Python中,以下哪个选项是正确的文件写入模式?B. 'w'C. 'a'D. 'b'答案:B10. 在Python中,以下哪个选项是正确的列表推导式?A. [x for x in range(10)]B. [x if x % 2 == 0 else x for x in range(10)]C. [x for x in range(10) if x % 2 == 0]D. 以上都是答案:D二、填空题(每题2分,共20分)1. 在Python中,使用______关键字可以定义一个类。
Python数据分析笔记#4错误和异常处理原创Yuan的学习笔记2021-02-15 17:06:56Yuan的学习笔记作者 Yuan错误和异常处理我们写程序时常常会遇到各种错误,比如下面一个例子,当把一个字符串转化为浮点数类型时,程序就会报错:In [1]: float('1.2345') Out[1]: 1.2345 In [2]: float('something')---------------------------------------------------------------------------ValueError Traceback (most recent call last) <ipython-input-2-2649e4ade0e6> in <module>----> 1 float('something')ValueError: could not convert string to float: 'something'最下面的ValueError告诉你,不能把字符串转化为浮点数。
当有用户使用我们编写的程序时可能因为某些原因(比如不小心或不会用)导致了程序出错,我们可能需要更优雅的处理这些错误。
比如我们可以写一个函数:def attempt_float(x): try:return float(x)except:print('could not convert string to float')return x当float(x)出异常的时候,会执行下面except的部分:In [4]: attempt_float('1.2345') Out[4]: 1.2345In [5]: attempt_float('something') could not convert string to floatOut[5]: 'something'若我们输入了一个元组进去:In [6]: float((1, 2))---------------------------------------------------------------------------TypeError Traceback (most recent call last) <ipython-input-6-82f777b0e564> in <module>----> 1 float((1, 2))TypeError: float() argument must be a string or a number, not 'tuple'我们可以看到这次抛出的异常不是ValueError而是TypeError(类型错误),我们可以只处理ValueError的错误:def attempt_float(x):try:return float(x)except ValueError: print('could not convert string to float') return x当要把'banana'转化为浮点数时(ValueError):In [9]: attempt_float('banana')could not convert string to floatOut[9]: 'banana'当要把元组转化为浮点数时(TypeError):In [10]: attempt_float((1,2))---------------------------------------------------------------------------TypeError Traceback (most recent call last) <ipython-input-10-102527222085> in <module>----> 1 attempt_float((1,2))<ipython-input-8-3ff52c4ecd95> in attempt_float(x) 1 def attempt_float(x): 2 try:----> 3 return float(x) 4 except ValueError: 5 print('could not convert string to float') TypeError: float() argument must be a string or a number, not 'tuple'我们也可以用元组包含多个异常:def attempt_float(x):try:return float(x)except (ValueError, TypeError):。
Python 手册Python中文社区Python 手册向上:Python 文档索引向后:前言Python 手册Guido van RossumFred L. Drake, Jr., editorPythonLabsEmail: **********************Release 2.3July 29, 2003前言目录1. 开胃菜2. 使用Python解释器2.1 调用解释器2.1.1 传递参数2.1.2 交互模式2.2 解释器及其工作模式2.2.1 错误处理2.2.2 执行 Python 脚本2.2.3 源程序编码2.2.4 交互环境的启动文件3.初步认识Python3.1 像使用计算器一样使用Python3.1.1 数值3.1.2 字符串3.1.3 Unicode 字符串3.1.4 链表3.2 开始编程4. 流程控制4.1 if 语法4.2 for 语法4.3 range() 函数4.4 break 和continue 语法以及else 子句在循环中的用法4.5 pass 语法4.6 定义函数4.7 定义函数的进一步知识4.7.1 定义参数变量4.7.2 参数关键字4.7.3 可变参数表4.7.4 Lambda 结构4.7.5 文档字符串5. 数据结构5.1 深入链表5.1.1 将链表作为堆栈来使用5.1.2 将链表作为队列来使用5.1.3 函数化的编程工具5.1.4 链表的内含(Comprehensions)5.2 del 语法5.3 Tuples 和 Sequences5.4 字典(Dictionaries)5.5 循环技巧5.6 深入条件控制5.7 Sequences 和其它类型的比较6. 模块6.1 深入模块6.1.1 模块搜索路径6.1.2 “编译” Python 文件6.2 标准模块6.3 dir() 函数6.4 包6.4.1 从包中导入所有内容(import * )6.4.2 隐式包引用6.4.3 包中的多重路径7. 输入和输出7.1 格式化输出7.2 读写文件7.2.1 文件对象的方法7.2.2 pickle 模块8. 错误和异常8.1 语法 Errors8.2 异常8.3 捕获异常8.4 释放异常8.5 用户自定义异常8.6 定义 Clean-up Actions9. 类9.1 一个术语9.2 Python 的生存期和命名空间9.3 类(Classes)的初步印像9.3.1 类定义语法9.3.2 类对象9.3.3 实例对象9.3.4 方法对象9.4 自由标记(Random Remarks)9.5 继承9.5.1 多继承9.6 私有变量9.7 零杂技巧9.8 异常也是类9.9 迭代子(Iterators)9.10 发生器(Generators)10. 接下来?A. 交互式编辑和历史回溯A.1 行编辑A.2 历史回溯A.3 快捷键绑定A.4 注释B. 浮点计算:问题与极限B.1 表达错误C. 历史和授权C.1 本软件的历史C.2 修改和使用Python的条件(Terms and conditions for accessing or otherwise usingPython)关于本文档Python 手册向上:Python 文档索引向后:前言Release 2.3, documentation updated on July 29, 2003.See A bout this document... for information on suggesting changes.Python中文社区前言Python中文社区Python 指南向前:Python 指南向上: P ython 指南向下:目录前言Copyright © 2001, 2002, 2003 Python Software Foundation. All rights reserved.Copyright © 2000 . All rights reserved.Copyright © 1995-2000 Corporation for National Research Initiatives. All rights reserved.Copyright © 1991-1995 Stichting Mathematisch Centrum. All rights reserved.See the end of this document for complete license and permissions information.概要:Python 是一种容易学习的强大语言。
2021年高中信息科学Python操作试题(包含6套及答案)2021年高中信息科学Python操作试题(包含6套及答案)试题一:Python基础语法题目描述请编写一个Python程序,实现以下功能:1. 输出 "Hello, World!"2. 计算并输出两个整数的和3. 输入一个字符串,输出该字符串的反转输入输入的第一行包含一个整数n,表示测试用例的数量。
接下来n行,每行包含一个字符串。
输出对于每个输入的字符串,输出其反转后的结果。
示例输入:3HelloWorldPython输出:olleHdlroWnohtyP答案for _ in range(int(input())):print(input()[::-1])试题二:列表操作题目描述给定一个包含整数的列表,请实现以下功能:1. 输出列表中所有偶数的和2. 输出列表中所有奇数的乘积3. 输出列表中最大值和最小值的差输入输入的第一行包含一个整数n,表示列表的长度。
接下来n行,每行包含一个整数,表示列表中的一个元素。
输出分别输出列表中所有偶数的和、所有奇数的乘积以及最大值和最小值的差。
示例输入:512345输出:14124答案n = int(input())lst = list(map(int, input().split()))even_sum = sum(x for x in lst if x % 2 == 0) odd_product = 1for x in lst:if x % 2 != 0:odd_product *= xmax_min_diff = max(lst) - min(lst)print(even_sum, odd_product, max_min_diff) 试题三:函数与模块题目描述请编写一个Python程序,实现以下功能:1. 定义一个函数,计算两个整数的和2. 定义一个函数,计算两个整数的差3. 使用模块`math`,计算两个整数的乘积输入输入的第一行包含一个整数n,表示测试用例的数量。
aicepython7级知识点一、数据结构。
1. 列表(List)- 列表的创建:可以使用方括号 [] 来创建列表,例如 `my_list = [1, 2, 3, 'a', 'b']`。
- 列表的索引:从0开始,可以使用正向索引和反向索引。
正向索引如`my_list[0]` 得到第一个元素,反向索引如 `my_list[-1]` 得到最后一个元素。
- 列表的切片:`my_list[start:stop:step]`,例如 `my_list[1:3]` 得到索引为1和2的元素。
- 列表的操作。
- 追加元素:使用 `append()` 方法,如 `my_list.append('c')`。
- 插入元素:使用 `insert()` 方法,如 `my_list.insert(2, 'new')` 在索引2的位置插入'new'。
- 删除元素:可以使用 `del` 语句(如 `del my_list[0]`)或者 `remove()` 方法(如 `my_list.remove('a')`,删除指定值的元素)。
- 列表的排序:使用 `sorted()` 函数返回一个新的排好序的列表,或者使用列表的 `sort()` 方法对原列表进行排序,例如 `my_list.sort()`。
2. 元组(Tuple)- 元组的创建:使用圆括号 (),例如 `my_tuple=(1, 2, 3)`。
- 元组是不可变的数据类型,一旦创建不能修改元素。
但如果元组中的元素是可变类型(如列表),则可以修改该可变元素的内容。
- 元组的索引和切片操作与列表类似。
3. 字典(Dictionary)- 字典的创建:使用花括号 {},例如 `my_dict = {'key1': 'value1', 'key2': 'value2'}`。
Technical Log S/N, Date Entered andDefectDate Entered and Rectification1 S/N 4918754 – 07 March 2014Ref NTC #3 water qty indicationinoperative 07 March 2014Potable water serviced till overflow2 S/N 4918753 – 07 March 2014To carry out lavatory wastecompartment doors and flaps – ADinspection 07 March 2014Carried out as per task card SIPCM 2-4-002AD. Satisfactory3 S/N 4918753 – 07 March 2014To carry out fwd large cargo door anddoor to cutout mating surfaceslubrication 07 March 2014Task carried out as per AMM 12-21-21-640-802. SatisfactoryRefer task card SIPL8-5-007 for details4 S/N 4918753 – 07 March 2014Main entry task card T1400115-001 RefTSI/77/CIL/1420. To carry out terraindatabase loading. 07 March 2014Said terrain database loading carried out IAW AMM 34-46-00. Satis.5 S/N 4918752 – 07 March 2014Night Stop. Crew oxygen systempressure reads 1120 psi (EICAS). 07 March 2014Crew oxygen system replenished to 1800 psi – EICAS. AMM 12-15-08 refers.6 S/N 4918752 – 07 March 2014Maint : To carry out EPESC softwaredown grade. 07 March 2014EPESC software downgrade carried out IAW TSI/77/SR/14092 IFE of CHI satisfactory.7 S/N 4918751 – 06 March 2014Maint: Record APU OPS data 07 March 2014APU OPS hours: 22089 APU starts: 1556978 S/N 4918751 – 06 March 2014Ref NTC #3 potable water qtyindications inop 07 March 2014Potable water serviced to overflow9 S/N 4880500 – 06 March 2014Both Eng require oil uplift 06 March 2014Both Eng require oil uplift01 QTS added to RH Eng oil consumption0.02 QTS/HR01 QTS added to LH Eng oil consumption 0.02 QTS/HR10 S/N 4880500 – 06 March 2014To re inspect both eng oil caps 06 March 2014Both eng oil caps chkd. Found secured11 S/N 4880499 – 06 March 2014Maint- ref NTC #3 to service water tankuntil overflow as rel. 06 March 2014 Servicing c/out and satis12 S/N 4880498 – 05 March 2014Autoland Cat III carried out satisfactory 06 March 2014 Info noted.13 S/N 4880498 – 05 March 2014Maint entry – refer NTC #3 potablewater qty indication inop 06 March 2014Potable water serviced to overflow14 S/N 4880497 – 05 March 2014Hole found at 6 o’clock position of theright engine acoustic panel 05 March 2014Deferred to MR2 No. K 7033115 S/N 4880497 – 05 March 2014maint- ref NTC #3 potable water req.servicing until overflow 05 March 2014Potable water serviced until overflow1 of 416 S/N 4880496 – 05 March 2013Maint entry – ref NTC #3 potable waterqty ind is inop 05 March 2013Potable water serviced to overflow satis17 S/N 4880495 – 05 March 2014Maint entry: w.r.t card SIPA1-4-033, tocheck brake accumulator prechargepressure 05 March 2014Task carried out as per AMM task 32-41-00-720-804.Pressure shown on brake accum press gage within 200 psi to direct reading gage.18 S/N 4880495 – 05 March 2014Main entry: w.r.t cards SIPC4-4-0319and SIPC4-4-032, to check LH and RHENG BUGEN oil filter bypass condition. 05 March 2014Task carried out as per AMM task 12-13-07-200-802, nil abnormalities.19 S/N 4880494 – 05 March 2014Main entry: w.r.t. card SIPA2-6-008MR,to carry out primary flight controlactuation operational check. 05 March 2014Task carried out as per AMM task 27-02-00-400-801. Test passed satisfactory.20 S/N 4880494 – 05 March 2014Maint entry – w.r.t cards SIPC4-5-001and SIPC4-5-002 to c/out LH and RHeng IDG oil servicing 05 March 2014Task carried out as per task 12-13-03-600-801 - satisfactory21 S/N 4880494 – 05 March 2014Maint entry – w.r.t cards SIPL7-5-001MR and SIPL7-5-002MR, to c/outLH and RH MLG truck beam and innercylinder pivot joints lube 05 March 2014Task carried out as per AMM task 12-21-14-640-811-001. Satisfactory.22 S/N 488093 – 05 March 2014WRT SIPXE-2-6-034, 035 to carry outEmer Lt sys ops test. 05 March 2014Ops test carried out satis AMM 33-51-00.23 S/N 488093 – 05 March 2014WRT SIPX12-6-027 to carry out GPWSself test. 05 March 2014Test carried out satis test passed AMM 34-46-00.24 S/N 488093 – 05 March 2014Maint entry – w.r.t. NTC item No. 3potable water quantity indication inop 05 March 2014Potable water system serviced until overflow25 S/N 4880492 – 05 March 2014Please check alignment for left runwayturnoff light 05 March 2014Found slight misalignment towards a/c centerline. Deferred to MR2 for longer grd timeTransferred to MR2 K 7033026 S/N 4880492 – 05 March 2014Main entry wrt SIPX12-6-030 to carryout FQIS FQPU ops chk. 05 March 2014Ops check carried out. Test passed. Nil related existing faults. Satis. AMM 28-41-00.27 S/N 4880492 – 05 March 2014Main entry wrt SIPX12-4-011 to carryout portable oxy bottle/masksinspection. 05 March 2014Inspection carried out. Found satis. AMM 35-31-00.28 S/N 4880491 – 04 March 2014Ref NTC #3 potable water ind inop 04 March 2014Potable water serviced to overflow29 S/N 4880490 – 04 March 2014During transit check found No. 4 mainwheel worn to limit 04 March 2014No. 4 main wheel assy replaced. Torque load, spin, tyre pressure and security checked. satis30 S/N 4880490 – 04 March 2014Maint entry – w.r.t. NTC Item No. 3, 04 March 2014Potable water serviced until overflow2 of 4water quantity indication inop31 S/N 4880489 – 04 March 2014“shadow” on rudder trim indicator from L1.5 to R 1.0 units 04 March 2014Rudder trim indicator replaced. Ops chk c/out ok32 S/N 4880487 – 03 March 2014Maint entry – refer NTC #3 water qty indis inop. Fill all tanks with potable watertill o/flow 03 March 2014Potable water sys sucd to o/flow this transit. Confirmed by MH staff33 S/N 4880485 – 02 March 2014For Info: APU in flt start successful 03 March 2014 Info noted34 S/N 4880485 – 02 March 2014NTC #3 water qty indication is inop 03 March 2014Potable water sys serviced to overflow. Ref AMM 12-14-0135 S/N 4880484 – 02 March 2014Status mssg WXR sys 02 March 2014MMSG: 34-44002. WXR transceiver (right) has an internal fault. MSG erased from maintenance page. WXR (R) CB(P11/E16) Nil existing faults. Pls eml and report.36 S/N 4880484 – 02 March 2014Maint entry – Refer NTC #3. Water qtyind is inop. Fill all tanks with potablewater till o/flow 02 March 2014Potable water sys sucd to o/flow this transit. Confirmed by MH staff.37 S/N 4880483 – 02 March 2014Maint entry – ref: NTC 03 potable waterquantity indication inop 02 March 2014Potable water serviced to overflow38 S/N 4880483 – 02 March 2014Maint entry – No 8 Main wheel foundwith worn spot 02 March 2014No 8 main wheel assy replaced as per AMM 32-45-01. Spin, torque, leak, security and TPIS check satis.39 S/N 4880482 – 02 March 2014Please carry out reinspection for allengine oil tank caps for installation andsecurity 02 March 2014Both engines oil caps reinspected found secured40 S/N 4880482 – 02 March 2014Please remove all landing gear pin priorto departure 02 March 2014Landing gears down lock pins removed and stowed.41 S/N 4880481 – 01 March 2014Right hand nose taxi light lens foundcracked on arrival 02 March 2014Relamped ops check of right hand nose taxi light found satisfactory AMM 33-42-03 refers42 S/N 4880481 – 01 March 2014Refer NTC No. 3 potable waterindication inop 02 March 2014Potable water serviced to overflow43 S/N 4880480 – 28 February 2014Nil 01 March 2014Noted with thanks APU data hour: 22056; Starts 1566944 S/N 4880479 – 28 February 2014Nil further 28 February 2014Nil noted. APU data starts 15668, hrs 2204945 S/N 4880478 – 28 February 2014LLAR – Vanity light inop 28 February 2014TXFR to MR2 no K7032946 S/N 4880477 – 28 February 2014Nil 28 February 2014Noted with thanks APU data hour: 22048, starts: 156663 of 447 S/N 4880477 – 28 February 2014Maint entry – during W/A check foundone of tie bolt missing at nose L/H tire 28 February 2014Inspected wheel found satis. No leak pressure c/o tire press chk 198 psi with in limit.Transferred to MR2 per MEL K 7032748 S/N 4880477 – 28 February 2014Maint entry – seat 4K IFE inop 28 February 2014 TXFR to MR2 K7032849 S/N 4880476 – 28 February 2014To update FMC Nav database. 28 February 2014.FMC Nav database updated as perSIPX12-4-004, satis. Disk S/N:MH61403001 eff date: Mar 6-Apr 3, 2014.50 S/N 4880475 – 28 February 2014To raise APU inflight start program. 28 February 2014Task carried out as per TSI/77/NN/09/038 R03. Satisfactory.51 S/N 4880475 – 28 February 2014Maint entry – To c/out physically chkboth heat exchanger S/No and due dateas per card no STR 1400567-001 28 February 2014Task carried out. Found LH heat exchanger S/No 200310115 and RH Heat exchanger S/No 9709161. Unfortunately can’t find due date on both heat exchanger.52 S/N 4880475 – 28 February 2014To carry out flt control system ACE Opstest. 28 February 2014Flt cont ACE ops test c/out as per SIPX12-6-007MR. Satis.4 of 41 of 4EHM Parameter KeyParameter description UnitsParameter description Units A/P Autopilot status discrete ESTAT EEC statusA/T Autothrottle status discrete FAV ASCS FAMV Actual Position ACID Aircraft identificationFCC3 EEC status word AOHE Air Oil Heat Exchanger Position Selecteddiscrete FCC4 EEC status word ASMT Assumed Day Temperature CelsiusFCC5 EEC status word AVM Vibration monitoring system status wordhexadecimal FCC6 EEC status wordBBA Broadband vibration channel A ACU FLCT Report Copy number BBB Broadband vibration channel B ACU FLT Flight number CAS Calculated airspeed knotsFMFlight phaseDATE Datedd/mm/yyy FMVDMDFuel metering valve demanded positionDP ASCS Duct Pressure psi FMVSEL Fuel metering valve commandedpositionDPT Departure airport FNDERATESW Thrust derate switchDRTE Thrust derate switch FUELT Fuel temperature in a/c tank Celsius DST Destination airportGENLD Generator load shpEBFR Environmental control system bleed flow ratelb/s GMT Time hh:mm:ss EBLD Environmental control system discretediscrete GWT Gross WeightEECT EEC temperatureCelsius LAT Latitude degrees EGTExhaust gas temperature Celsius LONG Longitude degrees EPRACT EPR actualMACH Mach number EPRACT-L EPR actual - left N1 N1 shaft speed% EPRACT-R EPR actual - right N1VA N1 shaft vibration channel A ACU EPRCMD EPR commanded N1VB N1 shaft vibration channel B ACU EPRMAX EPR maximum N2 N2 shaft speed% EPRTRA EPR throttle angle N2VA N2 shaft vibration channel A ACU ESN Engine serial number N2VB N2 shaft vibration channel B ACUParameter description UnitsParameter description Units N3 N3 shaft speed% PKFR Pack mass flow rate lb/sN3VA N3 shaft vibration channel A ACU PKWD ECS status discreteshexadecimal N3VBN3 shaft vibration channel BACUPTOASCS PC Out temperatureCelsiusMH370/01/15Malaysian ICAO Annex 13 Safety Investigation Team for MH370 Ministry of Transport, Malaysia2 of 4NAC1 Nacelle temperature zone 1 (firewire resistance)ohms RATG EEC rating NAC2 Nacelle temperature zone 2 (firewire resistance) ohms SFCOILP Oil pressure psi SWID Software identificationOILT Oil temperatureCelsius T20 T20 temperature (inlet)Celsius P160 P160 pressure (bypass duct) psi T25 T25 temperature (HPC inlet) Celsius P2.5 P25 pressure (HPC inlet) psi T30 T30 temperature (HPC outlet) Celsius P20 P20 pressure (inlet)psi TAT Total Air Temperature Celsius P30 P30 pressure (HPC outlet) psi TCAF Turbine cooling air front Celsius P50 P50 pressure (LP turbine outlet)psi TCAR Turbine cooling air rear Celsius PACK Cabin bleed discrete discrete THDG True headingPALT Pressure altitude feet TRAThrottle resolver angle degrees PHF Vibration phase front degrees TRALOC Throttle resolver angle degrees PHR Vibration phase rear degrees VSV VSV angle degrees WF Fuel flow lb/hrMH370/01/15Malaysian ICAO Annex 13 Safety Investigation Team for MH370 Ministry of Transport, Malaysia3 of 4ACID FLT FM FLCT DATEGMT DPT DST GWT MRO S370 IC 318 07/03/2014 16:41:58 WMKK ZBAA 492320PALT CAS MACH TAT LAT LONG THDG SWID SFC 344 173.9 0.265 33 2.778 101.708 -349 71002 18676A/P A/T FUELT PKWD DRTE ASMT RHL RHR RHC TEGTL TEGTR 0 6 30 50F0 3 50 285 286 286 36 36ESN N1 N2 N3 EGT FMVDMD FMVSEL NAI WAI L 51463 88.3 96 96.3 760 77.5 77.5 0 0 R 51462 88.8 95.9 96.7 775.9 78.9 78.9 0 0P20 P160 P2.5 P30 P50 T20 T25 T30 L 15.262 23.65 109.31 444.2 19.8 32.9 282.2 595.8 R 15.242 23.778 108.53 444.2 19.8 32.9 279.7 593.9OILP OILT TRA EPRACT EPRMAX EPRCMD EPRTRA VSV L 103.6 112.5 66.8 1.299 1.497 1.298 1.298 90 R 109.3 111.6 66.8 1.299 1.5 1.299 1.299 92AVM N1VA N1VB N2VA N2VB N3VA N3VB BBA BBB PHF PHR L 0 1.13 1.18 0.13 0.12 0.31 0.31 0.71 0.73 66 299 R 0 1.46 1.49 0.59 0.58 0.28 0.28 0.9 0.92 159 99TCAF TCAR PACK PKFR EBLD EBFR FAV AOHE FCC3 RATG L 427.4 341.2 0 69.7 0 136.6 0 0 0E00 0058 R 425.5 349.2 0 66.8 0 181.5 0 0 0E00 0058NAC1 NAC2 GENLD WF ESTAT EECT TRALOC PTO DP L 3 4 40 22950 3060 38 66.8 366 87 R 1 2 44 23385 3060 39 66.7 408 85TOTL1 TOTL2 TOTL3 TOTL4 TOTL5 TOTL6 TOTL7 L 0 0 0 0 0 0 1 R 0 0 0 0 0 0 1FCC4 FCC5 FCC6 L 0008 4200 0088 R000842000088MH370/01/15Malaysian ICAO Annex 13 Safety Investigation Team for MH370 Ministry of Transport, Malaysia4 of 4ACID FLT FM FLCT DATE GMT DPT DST GWT MRO S370 CL 318 07/03/2014 16:52:21 WMKK ZBAA 485880PALT CAS MACH TAT LAT LONG THDG SWID SFC 22278 299.8 0.68 11.8 3.619 102.02 275 71002 19299A/P A/T FUELT PKWD DRTE ASMT 1 6 30 5030 8 5) Note 1ESN N1 N2 N3 EGT FMVDMD FMVSEL TRALOC L 51463 93.9 96.6 77.8 778.2 71.3 71.3 65.9 R 51462 94 96.7 78.8 788.1 72.3 72.3 66.1P20 P160 P2.5 P30 P50 T20 T25 T30 L 8.39 14.503 70.32 294.8 11.3 11.7 275.2 590.6 R 8.369 14.534 69.79 294.1 11.2 11.7 273.4 590.8OILP OILT TRA EPRACT EPRMAX EPRCMD EPRTRA VSV L 99 146.8 65.9 1.342 1.363 1.336 1.34 47 R 100 144.8 66.1 1.342 1.366 1.339 1.341 52AVM N1VA N1VB N2VA N2VB N3VA N3VB BBA BBB PHF PHR L 0 0.62 0.64 0.2 0.21 0.29 0.3 0.48 0.48 25 298 R 0 0.9 0.93 0.55 0.56 0.2 0.2 0.61 0.63 139 ) Note 1TCAF TCAR PACK PKFR EBLD EBFR FAV AOHE L 553.5 501.8 0 217.6 0 163.2 0 0 R 547 512.5 0 217.5 0 154.1 0 0NAC1 NAC2 GENLD WF ESTAT EECT PTO DP FCC3 RATG L 35 35 42 15583 3060 38 392 57 0E00 0058 R 27 29 46 15786 3060 41 392 55 0E00 0058ALT MACH TAT EPRACT-L EPRACT-R FNDERATESW 9536 0.449 23.5 1.302 1.302 28 15000 0.601 22.25 1.283 1.283 38 25024 0.722 9.5 1.34 1.34 08FCC4 FCC5 FCC6 L 0008 4200 0082 Note 1: The character, ), is generated by the ACMS to indicate that the source of information is valid and the parameter data bits are invalid.000844000082MH370/01/15Malaysian ICAO Annex 13 Safety Investigation Team for MH370 Ministry of Transport, MalaysiaAPPENDIX 1.6C – 9M-MRO RADIO LICENCE1 of 1MH370/01/15Malaysian ICAO Annex 13 Safety Investigation Team for MH370 Ministry of Transport, MalaysiaAPPENDIX 1.6D – ELT ACTIVATION SUMMARY (SOURCE: ICAO)Emergency Locater Transmitter ActivationThe parameters in the query for the status of Emergency Locator Transmitters (ELT) after an occurrence were set at:Dates between 1 January 1983 and 30 June 2014 (approximately 30 years), including all occurrences (accidents and incidents) involving aircraft in the mass group 5 701 kg and above and records with descriptive factors and ELT parameters that have value.The query found 403 records in the ADREP database in which a response was inserted relating to ELTs. Of these occurrences 257 were classified as accidents. Due to incidents being less severe, a lower probability of ELT implications are expected. The query then focused on accidents. The following table indicates the aircraft mass groupings of the aircraft involved in accidents:Aircraft mass group Accidents5 701 to 27 000 Kg 16127 001 to 272 000 Kg 87> 272 000 Kg 9Total 257The taxonomy for the attribute to indicate the status of the ELT (whether it worked as designed or why it did not work) was used to compile the following table: (* after 1994)APPENDIX 1.6D – ELT ACTIVATION SUMMARY (SOURCE: ICAO)ELT status CasesBattery failed 14Damaged 11Internal failure 5Not activated 22Not carried 84 (12)*Operated effectively 39Other 21Submerged 1Terrain shielding 1Unknown 59Total 257In 39 cases of the 257 accident records, the ELT operated effectively, which implies that 15% of the ELTs operated effectively. The data indicated that in 84 cases, no ELT was carried. Considering that provisions for the carriage of ELTs became applicable in Annex 6 on 10 November 1994, the no ELT carried data was evaluated to determine the situation after 1994 (past 20 years approximately) and the number reduced from 84 to 12.29 July 20141.6E.1 Air Conditioning and PressurisationThe aircraft has two air conditioning systems divided into left pack and right pack. Engine bleed air provides the pneumatic source for air conditioning and pressurisation.Two electronic controllers provide pack and zone control. Each controller has two channels that alternate command cycle. Cockpit and cabin temperature selection is monitored and the Air cycle machine and temperature control valves will be commanded to deliver temperature conditioned air to the various cabin zones.Conditioned air is also used for electronic equipment cooling. This is supplied through a series of pneumatic valves with supply and exhaust fans. Exhaust air from the equipment cooling flow is routed to the forward cargo and used for forward cargo compartment heating.Two cabin pressure controllers regulate the aircraft pressurisation and command the pneumatic system. System operation is automatic and works in conjunction with the forward and aft outflow valves that are used for pressurisation. The outflow valves can also be manually operated.1.6E.2 Autopilot Flight Director System (AFDS)The autopilot is engaged by operation of either of two A/P pushbutton switches on the Mode Control Panel (MCP) located on the glareshield panel (Figure 1.6EA). Once engaged the autopilot can control the aircraft in various modes selected on the MCP. Normal autopilot disengagement is through either control wheel autopilot disengage switch. The autopilot can disengage if the flight crew override an autopilot command through the use of the rudder pedals or control column. The autopilot can also be disengaged by pushing on the A/P Disengage Bar on the MCP. The AFDS consists of three autopilot flight director computers and the MCP.1.6E.2.1Roll ModesThe following AFDS roll modes are available during climb, cruise and descent (Figure 1.6EB below ):a) Lateral Navigation (LNAV)Pushing the LNAV switch arms, selects or disarms the LNAV mode. The commands come from the active Flight Management Computing Function (FMCF) when there is a valid navigation data base and an active flight plan. The Control Display Units (CDUs) can send LNAV steering commands when there is no active FMCF. The AFDS use this priority to select a CDU command: ∙ Left, if valid∙ Centre, if left not valid∙ Right, if left and centre not valid.The CDU is the primary control and display interface for the FMCF. The CDU is used to enter flight plan data and performance data. The CDU can also be used to manually tune the navigation radios and access maintenance pages.b) Heading Hold (HDG HOLD/Track hold (TRK HOLD)Pushing the Heading/Track Hold switch selects Heading or Track hold. In this mode, the aircraft holds either heading (HDG) or track (TRK). If the HDG/TRK display on the MCP shows TRK, the aircraft holds track. If the HDG/TRK display on the MCP shows HDG, the aircraft holds heading.b) Heading select (HDG SEL)/Track select (TRK SEL)Pushing the Heading/Track Select switch (inner) selects Heading select or Track selectmodes. In this mode, the aircraft turns to the heading or track that shows in theheading/track window. Pushing the Heading/Track (HDG/TRK) Reference switchalternately changes the heading/track reference between heading and track. Rotating theHeading/Track selector (middle) sets the heading or track in the heading/track window. Ifthe HDG/TRK display shows HDG, the aircraft goes to and holds the heading that showsin the heading/track window. If the HDG/TRK display shows TRK, the aircraft goes to andholds the track that shows in the heading/track window. Rotating the Bank Limit selector(outer) sets the bank limit when in the Heading select or Track select modes. In theAUTO position, the limit varies between 15 - 25 degrees, depending on True Airspeed.When the other detented positions are selected, the value is the maximum, regardless ofairspeed.1.6E.2.2 Pitch ModesThe following AFDS pitch modes are available during climb, cruise and descent (Figure1.6EC below).a) Vertical navigation (VNAV)Pushing the VNAV switch arms, selects or disarms the VNAV mode. The VNAV mode isa mix of throttle and elevator commands that control the vertical flight path. The FMCFvertical steering commands come from the active FMCF based on the navigation dataand the active flight plan.b) Vertical speed (V/S)/Flight Path Angle (FPA)Pushing the V/S-FPA switch selects the V/S or FPA mode. Rotating the V/S-FPAselector Up or Down sets the vertical speed or flight path angle in the verticalspeed/flight path angle window. Pushing the V/S-FPA Reference switch alternately changes vertical speed/flight path angle window references between verticalspeed and flight path angle. The vertical speed or flight path angle command is anelevator command. The pilot uses this mode to change flight levels. The pilot must setthe engine thrust necessary to hold the vertical speed or flight path angle command.When the V/S/FPA display shows V/S, the aircraft goes to and holds the vertical speedthat shows on the vertical speed/flight path angle window.Figure 1.6EC Vertical Mode Switches and Indicatorsc) Flight Level Change (FLCH)Pushing the FLCH switch selects the Flight level change speed mode. The FLCH command is a mix of thrust and elevator commands to change flight levels. When the IAS/MACH display shows IAS, the elevator command holds the speed that shows on the IAS/MACH window. When the IAS/MACH display shows MACH, the elevator command holds the MACH that shows on the IAS/MACH window. Rotating the IAS/MACH selector sets the speed in the IAS/MACH window. Pushing the IAS/MACH Reference switch alternately changes the IAS/MACH window between IAS and MACH.The Thrust Management Computing Function (TMCF) supplies the engine thrust commands.d) Altitude Hold (ALT)Pushing the Altitude Hold switch selects the Altitude hold mode. In this mode, the aircraft holds the barometric altitude present when the pilot pushes the altitude HOLD switch.1.6E.2.3 Landing ModesThe following AFDS functions are available for landing:a) Localizer (LOC)The LOC mode captures and holds the aircraft to a localizer flight path.b) Glideslope (G/S)The G/S mode captures and holds the aircraft to a vertical descent flight path.c) Flare (FLARE)The flare mode controls the aircraft to a smooth touchdown at a point past the glideslope antenna. This is a computed command and is not part of the glideslope mode.d) Runway AlignmentIn crosswind conditions, the runway alignment mode supplies roll and yaw control to decrease the aircraft crab angle for touchdown. The runway alignment mode also includes roll and yaw control for an engine failure in approach during autoland.e) Rollout (ROLLOUT)After touchdown, the rollout mode controls the aircraft to the runway centre line. Aircraft deviation from the localizer centre line supplies rudder and nose wheel steering signals.f) Go-Around (TO/GA)The go-around mode controls roll and pitch after an aborted approach. Also, the TMCF controls thrust during go-around.Pushing the Localizer (LOC) switch arms, disarms or captures the localizer as roll mode.Pushing the Approach (APP) switch arms, disarms or captures the localizer as roll mode and glidepath (G/S) as pitch mode (Figure 1.6DD below).Figure 1.6ED Approach Mode Switches1.6E.3 Autothrottle (Thrust Management Computing Function – TMCF)The autothrottle (A/T) commands the thrust levers to achieve an engine thrust setting, or a selected airspeed. The A/T is armed by the operation of two toggle switches and engaged by the operation of a pushbutton switch on the MCP (Figure 1.6DE below).Figure 1.6EE Autothrottle SwitchesDuring normal flight operations, the flight crew uses the TMCF to perform several routine or normal operations and tasks. These operations or tasks relate to autothrottle modes. The autothrottle (A/T) modes operate in these flight phases: ∙ Take-off (TO) ∙ Climb (CLB) ∙ Cruise (CRZ) ∙ Descent (DES) ∙ Approach (APP) ∙Go-around (GA)Autothrottle functions that relate to flight phases are flare retard during autoland and autothrottle disconnect. Autothrottle thrust mode annunciations relate to pitch mode annunciations on the Primary Flight Display (PFD). 1.6E.3.1Autothrottle Modesa) Take-off (TO)In TO, the autothrottle controls thrust to the take-off thrust limit. The autothrottle mode annunciation on the PFD is thrust reference (THR REF). At a threshold air speed, the autothrottle mode annunciation on the PFD changes to HOLD.b) Climb (CLB)i. These are the three autothrottle mode selections in climb: ∙ Vertical navigation (VNAV) ∙ Flight level change (FLCH)∙ Autothrottle (MCP) speed mode or thrust mode.ii. These are the autothrottle mode annunciations for these modes: ∙ THR REF when VNAV engages∙THR when FLCH engages∙SPD or THR REF when autothrottle mode engages.The autothrottle speed mode only engages when VNAV, FLCH, and TO/GO are not active and the aircraft is in the air.c) Cruise (CRZ)i. These are the two autothrottle modes in cruise:∙VNAV∙Autothrottle speed mode.ii. These are the autothrottle mode annunciations in cruise:∙SPD when VNAV engages∙SPD, VNAV is not actived) Descent (DES)i. These are the three autothrottle modes in descent:∙VNAV∙FLCH∙Autothrottle speed mode.ii. These are the autothrottle mode annunciations in descent:∙IDLE, THR, or HOLD shows for VNAV∙THR, or HOLD shows for FLCH∙SPD.e. Approach (APP)SPD is normal mode in approach with glideslope active or in a manual approach.i. Go-Around (GA)A GA mode request causes the autothrottle mode to change to THR. A second GArequest causes the autothrottle mode to change to THR REF. The TO/GA lever must be pushed to request GA.ii. Flare RetardFlare retard occurs when a specified altitude threshold has been achieved during approach with a command from the autopilot flight director system (AFDS). The autothrottle mode changes to IDLE during a flare retard.1.6E.3.2 Autothrottle DisconnectThe autothrottle disconnects when there is a manual autothrottle disconnect or when there is thrust reverser application. This occurs after initial touchdown during rollout.1.6E.4 Electrical PowerThe electrical system generates and distributes AC and DC power to other aircraft systems,and is comprised of: main AC power, backup power, DC power, standby power, and flightcontrols power. System operation is automatic. Electrical faults are automatically detectedand isolated. The AC electrical system is the main source for airplane electrical power.Figure 1.6EF shows the cockpit Electrical panel where electrical switching can be made. Italso shows the associated lights.1.6E.4.1 Electrical Load Management System (ELMS)The ELMS provides load management and protection to ensure power is available to criticaland essential equipment. If the electrical loads exceed the power available (aircraft or external), ELMS automatically sheds AC loads by priority until the loads are within thecapacity of the aircraft or ground power generators. The load shedding is non-essential equipment first, then utility busses. Utility busses are followed by individual equipment itemspowered by the main AC busses. When an additional power source becomes available orthe loads decrease, ELMS restores power to shed systems (in the reverse order). Themessage LOAD SHED displays on the electrical synoptic when load shed conditions exist.1.6E.4.2 AC Electrical System Power SourcesThe entire aircraft AC electrical load can be supplied by any two main AC power sources.The main AC electrical power sources are:∙left and right engine integrated drive generators (IDGs)∙APU generator∙primary and secondary external powerThe power sources normally operate isolated from one another. During power sourcetransfers on the ground (such as switching from the APU generator to an engine generator)operating sources are momentarily paralleled to prevent power interruption.1.6E.4.3 Integrated Drive Generators (IDGs)Each engine has an IDG. Each IDG has automatic control and system protection functions.When an engine starts, with the GENERATOR CONTROL switch selected ON, the IDG automatically powers the respective main bus. The previous power source is disconnectedfrom that bus.The IDG can be electrically disconnected from the busses by pushing the GENERATOR CONTROL switch to OFF. The IDG can also be electrically disconnected from its respective bus by selecting an available external power source prior toengine shutdown. The DRIVE light illuminates and the EICAS message ELEC GEN DRIVE Lor R displays when low oil pressure is detected in an IDG. The IDG drive can be disconnected from the engine by pushing the respective DRIVE DISCONNECT switch. TheIDG cannot be reconnected by the flight crew. High drive temperature causes the IDG to disconnect automatically.。