From 3bfb7b4b580a73efb8ade5d97eaac208da6dc23f Mon Sep 17 00:00:00 2001 From: fishjam Date: Sun, 21 Sep 2025 21:17:24 +0800 Subject: [PATCH] https://github.com/mavlink/qgroundcontrol/issues/13410 1. add translate python tools; 2. translate current zh_CN text. --- tools/translations/Readme.md | 37 + tools/translations/dict_base.py | 66 + tools/translations/dict_zh_CN.py | 14 + tools/translations/qgc_translate.py | 161 ++ translations/qgc_json_zh_CN.ts | 1098 +++++----- translations/qgc_source_zh_CN.ts | 2970 +++++++++++++-------------- 6 files changed, 2312 insertions(+), 2034 deletions(-) create mode 100644 tools/translations/Readme.md create mode 100644 tools/translations/dict_base.py create mode 100644 tools/translations/dict_zh_CN.py create mode 100644 tools/translations/qgc_translate.py diff --git a/tools/translations/Readme.md b/tools/translations/Readme.md new file mode 100644 index 000000000000..a75788b74feb --- /dev/null +++ b/tools/translations/Readme.md @@ -0,0 +1,37 @@ +### Extract translation text and use AI to perform the translation. +- modify `files_to_process` list in qgc_translate.py +- run qgc_translate.py, it will generate qgc_xxx.ts_missing in translations folders, +- all the text in it are the text that need translate, copy them to let AI translate. +- copy result to dict_xxx.py's get_dict function, and then run qgc_translate.py again. +- Bingo!!!, you will found the xxx.ts already translated. + +### Notice: +- Do not copy too much text to the AI at once, as it may exceed the limit. 500 is ok. +- The AI translation might also have issues, so it's best to have it double-checked manually. +- Can not support long multi-line text. +- ***This method can be used for all QT projects translate.*** + +### Translation prompt(For zh_CN in https://chat.deepseek.com/) +``` +以下文本都是 "英文":"TODO", 的形式, 这些英文是无人机相关的英文, 将他们翻译成中文, 并替换成 "英文": """中文""", 的格式. +注意: +1.不要更改原始输入英文的格式,在输出的中文中也保留对应的格式字符,只要 txt 的纯文本格式, 不要转换成其他格式. +2.不需要流式给我推送结果, 整体处理完以后一起给我翻译后的结果. + +输入示例: +"Forward": "TODO", +"Frame Class": "TODO", +"Currently set to frame class '%1'": "TODO", +"All Files (*)": "TODO", +"Receiving signal. Perform range test & confirm.": "TODO", + +输出示例: +"Forward": """前进""", +"Frame Class": """机架类别""", +"Currently set to frame class '%1'": """当前设置为机架类别 '%1'""", +"All Files (*)": """所有文件 (*)""", +"Receiving signal. Perform range test & confirm.": """正在接收信号。执行距离测试 & 确认""", + +以下是对应要翻译部分的列表: + +``` diff --git a/tools/translations/dict_base.py b/tools/translations/dict_base.py new file mode 100644 index 000000000000..ddaba19ea2e2 --- /dev/null +++ b/tools/translations/dict_base.py @@ -0,0 +1,66 @@ +#!/usr/bin/env python3 +# -*- coding: utf-8 -*- + +from abc import ABC, abstractmethod + +class DictBase(ABC): + def __init__(self): + self.name = "base" + self.dictionary = None + + def translate_text(self, english_text: str, keep_space: bool = False): + if not self.dictionary: + d = self.get_dict() + self.dictionary = {} + for k, v in d.items(): + self.dictionary[k.strip()] = v.strip() + + # Remove leading and trailing spaces for matching + stripped_text = english_text.strip() + + # Convert character entity references to plain characters for matching + compare_text = self.decode_html_entities(stripped_text) + + if compare_text in self.dictionary: + if keep_space: + leading_spaces = len(english_text) - len(english_text.lstrip()) + trailing_spaces = len(english_text) - len(english_text.rstrip()) + translation = self.dictionary[compare_text] + return self.encode_html_entities(' ' * leading_spaces + translation + ' ' * trailing_spaces) + + return self.encode_html_entities(self.dictionary[compare_text]) + + # return None to indicate untranslatable + return None + + def decode_html_entities(self, text): + # Convert character entity references to plain characters for matching + replacements = { + ''': "'", + '"': '"', + '&': '&', + '<': '<', + '>': '>', + } + result = text + for entity, char in replacements.items(): + result = result.replace(entity, char) + return result + + def encode_html_entities(self, text): + replacements = { + "'":''', + '"':'"', + # '&':'&', # don't encode this + '<':'<', + '>':'>', + } + result = text + for entity, char in replacements.items(): + result = result.replace(entity, char) + return result + + @abstractmethod + def get_dict(self) -> dict[str, str]: + return None + diff --git a/tools/translations/dict_zh_CN.py b/tools/translations/dict_zh_CN.py new file mode 100644 index 000000000000..365cc925ae80 --- /dev/null +++ b/tools/translations/dict_zh_CN.py @@ -0,0 +1,14 @@ +#!/usr/bin/env python3 +# -*- coding: utf-8 -*- + +from dict_base import DictBase + +class DictZhCN(DictBase): + + def get_dict(self) -> dict[str, str]: + + """ Return translate items """ + return { + """Help""": """帮助""", + + } diff --git a/tools/translations/qgc_translate.py b/tools/translations/qgc_translate.py new file mode 100644 index 000000000000..ebe44498c76d --- /dev/null +++ b/tools/translations/qgc_translate.py @@ -0,0 +1,161 @@ +#!/usr/bin/env python3 +# -*- coding: utf-8 -*- + +import logging +import os +import sys +import re + +from dict_zh_CN import DictZhCN + +LOG_FORMAT_CONSOLE = '%(asctime)s.%(msecs)03d|%(levelname)s|%(message)s' + +logger = logging.getLogger(__name__) +logger.setLevel(logging.INFO) +console_handler = logging.StreamHandler(sys.stdout) +console_formatter = logging.Formatter(fmt=LOG_FORMAT_CONSOLE,datefmt='%H:%M:%S') +console_handler.setFormatter(console_formatter) +logger.addHandler(console_handler) + +class QgcTranslater: + + def __init__(self): + super().__init__() + self.dictionary = DictZhCN() + + def translate_text(self, english_text): + return self.dictionary.translate_text(english_text) + + def process_qt_file(self, source_path, target_path): + logger.info(f"dict include {len(self.dictionary.get_dict())} items") + + logger.info(f"load qt file: {source_path}") + + with open(source_path, 'r', encoding='utf-8') as f: + content = f.read() + + # Count the number of messages processed + self.processed_count = 0 + self.translated_count = 0 + + # save the original text for which no translation was found, making it convenient for AI translation. + self.missings = set() + + message_pattern = r'(.*?)' + new_content = re.sub(message_pattern, self.process_message, content, flags=re.DOTALL) + + # write translate result + with open(target_path, 'w', encoding='utf-8') as f: + f.write(new_content) + + missing_file = target_path + "_missing.txt" + if len(self.missings) > 0: + with open(missing_file, 'wt', encoding='utf-8') as f: + lines = [] + for m in self.missings: + lines.append(rf'"{m}": "TODO",'+"\n") + f.writelines(lines) + + logger.info(f"handle {source_path} complete") + logger.info(f" handle {self.processed_count} messages") + logger.info(f" translate {self.translated_count} items") + logger.info(f" found {len(self.missings)} missing, saved in {missing_file}") + + def process_message(self, match): + # nonlocal processed_count, translated_count + self.processed_count += 1 + + message_content = match.group(1) + + # extract source content + source_match = re.search(r'(.*?)', message_content, re.DOTALL) + if not source_match: + return message_content + + source_text = source_match.group(1).strip() + # logger.info(f"handle source_text={source_text}") + + if 'type="unfinished"' not in message_content: + return message_content # already translate + + # try translate + translate_result = self.translate_text(source_text) + if translate_result is None: + # can not translate, just add the original text to missing set + self.missings.add(source_text.strip()) + return message_content + + self.translated_count += 1 + + # Display only the first 50 characters to avoid overly long output. + source_preview = source_text[:50] + '...' if len(source_text) > 50 else source_text + translation_preview = translate_result[:50] + '...' if len(translate_result) > 50 else translate_result + logger.info(f"[{self.translated_count}]: '{source_preview}' => '{translation_preview}'") + + # Replace the content of the translation and remove type="unfinished" + return re.sub( + r'.*?', + f'{translate_result}', + message_content, + flags=re.DOTALL + ) + + + def do_demo(self): + logger.info(f"there are {len(self.dictionary.get_dict())} translate items") + + sample_keys = list(self.dictionary.get_dict().keys())[:10] + logger.info("translate items demos:") + for key in sample_keys: + logger.info(f"'{key}' -> '{self.dictionary.get_dict()[key]}'") + + return 0 + +def main(): + base_path = os.path.join("..", "..", "translations" ) + files_to_process = [ + 'qgc_json_zh_CN.ts', + 'qgc_source_zh_CN.ts', + # 'qgc_zh_CN.ts', + #'qgc-json.ts' + ] + try: + logger.info("start translate") + translater = QgcTranslater() + for file_name in files_to_process: + source_path = os.path.join(base_path, file_name) + target_path = source_path # + ".new" + + logger.info(f"source_path={source_path}, target_path={target_path}") + if os.path.exists(source_path): + translater.process_qt_file(source_path, target_path) + else: + logger.warning(f"file not exist:{source_path}") + sys.exit(0) + except KeyboardInterrupt: + logger.warning("user break") + sys.exit(1) + except Exception as e: + logger.error(f"there is error while translate: {e}") + logger.exception("error details:") + sys.exit(1) + +def check_dict_duplicate(dict_path: str): + check_dict = {} + duplicate_count = 0 + with open(dict_path, 'r', encoding='utf-8') as f: + for idx, line in enumerate(f): + # logger.info(f"[{idx}]line={line.strip()}") + if ":" in line: + split_results = line.split(":", 1) + key = split_results[0].strip() + if not key in check_dict: + check_dict[key] = split_results[1] + else: + logger.warning(f"duplicate: idx={idx}, key={key}") + duplicate_count += 1 + logger.info(f"duplicate_count={duplicate_count}") + +if __name__ == "__main__": + main() + # check_dict_duplicate("dict_zh_CN.py") diff --git a/translations/qgc_json_zh_CN.ts b/translations/qgc_json_zh_CN.ts index 8d0261015d18..6cd9e624eaf7 100644 --- a/translations/qgc_json_zh_CN.ts +++ b/translations/qgc_json_zh_CN.ts @@ -7,31 +7,31 @@ .QGC.MetaData.Facts[gimbalRoll].shortDesc, Gimbal Roll - Gimbal Roll + 云台横滚 .QGC.MetaData.Facts[gimbalPitch].shortDesc, Gimbal Pitch - Gimbal Pitch + 云台俯仰 .QGC.MetaData.Facts[gimbalYaw].shortDesc, Gimbal Yaw - Gimbal Yaw + 云台偏航 .QGC.MetaData.Facts[gimbalAzimuth].shortDesc, Azimuth - Azimuth + 方位角 .QGC.MetaData.Facts[deviceId].shortDesc, gimbal device Id - gimbal device Id + 云台设备 ID @@ -111,79 +111,79 @@ .QGC.MetaData.Facts[LandingDistance].shortDesc, Distance between approach and land points. - Distance between approach and land points. + 进近点和着陆点之间的距离。 .QGC.MetaData.Facts[LandingHeading].shortDesc, Heading from approach to land point. - Heading from approach to land point. + 从进近点到着陆点的航向。 .QGC.MetaData.Facts[FinalApproachAltitude].shortDesc, Altitude to begin landing approach from. - Altitude to begin landing approach from. + 开始降落进近的高度。 .QGC.MetaData.Facts[UseDoChangeSpeed].shortDesc, Command a specific speed for the approach, useful for reducing energy before the glide slope. - Command a specific speed for the approach, useful for reducing energy before the glide slope. + 为进近指定一个特定的速度,有助于在下滑坡度前减少能量。 .QGC.MetaData.Facts[FinalApproachSpeed].shortDesc, Speed to perform the approach at. - Speed to perform the approach at. + 执行进近的速度。 .QGC.MetaData.Facts[LoiterRadius].shortDesc, Loiter radius. - Loiter radius. + 盘旋半径。 .QGC.MetaData.Facts[LoiterClockwise].shortDesc, Loiter clockwise around the final approach point. - Loiter clockwise around the final approach point. + 围绕最终进近点顺时针盘旋。 .QGC.MetaData.Facts[LandingAltitude].shortDesc, Altitude for landing point. - Altitude for landing point. + 降落点高度。 .QGC.MetaData.Facts[GlideSlope].shortDesc, The glide slope between the loiter and landing point. - The glide slope between the loiter and landing point. + 盘旋点和着陆点之间的下滑坡度。 .QGC.MetaData.Facts[ValueSetIsDistance].shortDesc, Value controller approach point is distance - Value controller approach point is distance + 值控制器进近点是距离 .QGC.MetaData.Facts[UseLoiterToAlt].shortDesc, Use a loiter to altitude item for final appoach. Otherwise use a regular waypoint. - Use a loiter to altitude item for final appoach. Otherwise use a regular waypoint. + 使用盘旋至高度项目进行最终进近。否则使用常规航点。 .QGC.MetaData.Facts[StopTakingPhotos].shortDesc, Stop taking photos - Stop taking photos + 停止拍照 .QGC.MetaData.Facts[StopTakingVideo].shortDesc, Stop taking video - Stop taking video + 停止录像 @@ -192,67 +192,67 @@ .QGC.MetaData.Facts[LandingDistance].shortDesc, Distance between approach and land points. - Distance between approach and land points. + 进近点和着陆点之间的距离。 .QGC.MetaData.Facts[LandingHeading].shortDesc, Heading from approach to land point. - Heading from approach to land point. + 从进近点到着陆点的航向。 .QGC.MetaData.Facts[FinalApproachAltitude].shortDesc, Altitude to begin landing approach from. - Altitude to begin landing approach from. + 开始降落进近的高度。 .QGC.MetaData.Facts[UseDoChangeSpeed].shortDesc, Command a specific speed for the approach, useful for reducing energy before the glide slope. - Command a specific speed for the approach, useful for reducing energy before the glide slope. + 为进近指定一个特定的速度,有助于在下滑坡度前减少能量。 .QGC.MetaData.Facts[FinalApproachSpeed].shortDesc, Speed to perform the approach at. - Speed to perform the approach at. + 执行进近的速度。 .QGC.MetaData.Facts[LoiterRadius].shortDesc, Loiter radius. - Loiter radius. + 盘旋半径。 .QGC.MetaData.Facts[LoiterClockwise].shortDesc, Loiter clockwise around the final approach point. - Loiter clockwise around the final approach point. + 围绕最终进近点顺时针盘旋。 .QGC.MetaData.Facts[LandingAltitude].shortDesc, Altitude for landing point on ground. - Altitude for landing point on ground. + 地面着陆点的高度。 .QGC.MetaData.Facts[UseLoiterToAlt].shortDesc, Use a loiter to altitude item for final appoach. Otherwise use a regular waypoint. - Use a loiter to altitude item for final appoach. Otherwise use a regular waypoint. + 使用盘旋至高度项目进行最终进近。否则使用常规航点。 .QGC.MetaData.Facts[StopTakingPhotos].shortDesc, Stop taking photos - Stop taking photos + 停止拍照 .QGC.MetaData.Facts[StopTakingVideo].shortDesc, Stop taking video - Stop taking video + 停止录像 @@ -261,7 +261,7 @@ .mavCmdInfo[MAV_CMD_NAV_TAKEOFF].param1.label, Pitch - Pitch + 俯仰 @@ -270,7 +270,7 @@ .QGC.MetaData.Facts[PlannedHomePositionAltitude].shortDesc, Launch position altitude - Launch position altitude + 发射位置高度 @@ -279,7 +279,7 @@ .QGC.MetaData.Facts[FlightSpeed].shortDesc, Set the current flight speed - Set the current flight speed + 设置当前飞行速度 @@ -288,55 +288,55 @@ .QGC.MetaData.Facts[Name].shortDesc, Camera name. - Camera name. + 相机名称。 .QGC.MetaData.Facts[SensorWidth].shortDesc, Width of camera image sensor. - Width of camera image sensor. + 相机图像传感器宽度。 .QGC.MetaData.Facts[SensorHeight].shortDesc, Height of camera image sensor. - Height of camera image sensor. + 相机图像传感器高度。 .QGC.MetaData.Facts[ImageWidth].shortDesc, Camera image resolution width. - Camera image resolution width. + 相机图像分辨率宽度。 .QGC.MetaData.Facts[ImageHeight].shortDesc, Camera image resolution height. - Camera image resolution height. + 相机图像分辨率高度。 .QGC.MetaData.Facts[FocalLength].shortDesc, Focal length of camera lens. - Focal length of camera lens. + 相机镜头焦距。 .QGC.MetaData.Facts[Landscape].shortDesc, Camera on vehicle is in landscape orientation. - Camera on vehicle is in landscape orientation. + 飞行器上的相机处于横向方向。 .QGC.MetaData.Facts[FixedOrientation].shortDesc, Camera orientation ix fixed and cannot be changed. - Camera orientation ix fixed and cannot be changed. + 相机方向已固定且无法更改。 .QGC.MetaData.Facts[MinTriggerInterval].shortDesc, Minimum amount of time between each camera trigger. - Minimum amount of time between each camera trigger. + 每次相机触发之间的最短时间。 @@ -345,37 +345,37 @@ .QGC.MetaData.Facts[GimbalPitch].shortDesc, Gimbal pitch rotation. - Gimbal pitch rotation. + 云台俯仰旋转。 .QGC.MetaData.Facts[EntranceAltitude].shortDesc, Vehicle will fly to/from the structure at this altitude. - Vehicle will fly to/from the structure at this altitude. + 飞行器将在此高度飞向/飞离结构物。 .QGC.MetaData.Facts[ScanBottomAlt].shortDesc, Altitude for the bottomost covered area of the scan. You can adjust this value such that the Bottom Layer Alt will fly above obstacles on the ground. - Altitude for the bottomost covered area of the scan. You can adjust this value such that the Bottom Layer Alt will fly above obstacles on the ground. + 扫描区域最底层的覆盖高度。您可以调整此值,使底层飞行高度高于地面障碍物。 .QGC.MetaData.Facts[Layers].shortDesc, Number of scan layers. - Number of scan layers. + 扫描层数。 .QGC.MetaData.Facts[StructureHeight].shortDesc, Height of structure being scanned. - Height of structure being scanned. + 被扫描结构的高度。 .QGC.MetaData.Facts[StartFromTop].shortDesc, Start scanning from top of structure. - Start scanning from top of structure. + 从结构顶部开始扫描。 @@ -384,7 +384,7 @@ .QGC.MetaData.Facts[CameraAction].shortDesc, Specify whether the camera should take photos or video - Specify whether the camera should take photos or video + 指定相机应拍照还是录像 .QGC.MetaData.Facts[CameraAction].enumStrings, @@ -397,31 +397,31 @@ .QGC.MetaData.Facts[CameraPhotoIntervalDistance].shortDesc, Specify the distance between each photo - Specify the distance between each photo + 指定每张照片之间的拍摄距离 .QGC.MetaData.Facts[CameraPhotoIntervalTime].shortDesc, Specify the time between each photo - Specify the time between each photo + 指定每张照片之间的拍摄时间间隔 .QGC.MetaData.Facts[GimbalPitch].shortDesc, Gimbal pitch rotation. - Gimbal pitch rotation. + 云台俯仰旋转。 .QGC.MetaData.Facts[GimbalYaw].shortDesc, Gimbal yaw rotation. - Gimbal yaw rotation. + 云台偏航旋转。 .QGC.MetaData.Facts[CameraMode].shortDesc, Specify whether the camera should switch to Photo, Video or Survey mode - Specify whether the camera should switch to Photo, Video or Survey mode + 指定相机应切换到照片、视频还是测量模式 .QGC.MetaData.Facts[CameraMode].enumStrings, @@ -437,19 +437,19 @@ .QGC.MetaData.Facts[GridAngle].shortDesc, Angle for parallel lines of grid. - Angle for parallel lines of grid. + 网格平行线的角度。 .QGC.MetaData.Facts[FlyAlternateTransects].shortDesc, Fly every other transect in each pass. - Fly every other transect in each pass. + 每次飞行时交替飞越横断面。 .QGC.MetaData.Facts[SplitConcavePolygons].shortDesc, Split mission concave polygons into separate regular, convex polygons. - Split mission concave polygons into separate regular, convex polygons. + 将任务中的凹多边形分割成独立的规则凸多边形。 @@ -458,19 +458,19 @@ .QGC.MetaData.Facts[Latitude].shortDesc, Latitude of breach return point position - Latitude of breach return point position + 违反返回点位置纬度 .QGC.MetaData.Facts[Longitude].shortDesc, Longitude of breach return point position - Longitude of breach return point position + 突破返回点的经度 .QGC.MetaData.Facts[Altitude].shortDesc, Altitude of breach return point position (Rel) - Altitude of breach return point position (Rel) + 违反返回点位置高度 (相对) @@ -479,7 +479,7 @@ .mavCmdInfo[MAV_CMD_NAV_TAKEOFF].param4.label, Yaw - Yaw + 偏航 @@ -488,31 +488,31 @@ .QGC.MetaData.Facts[Altitude].shortDesc, Altitude for the bottom layer of the structure scan. - Altitude for the bottom layer of the structure scan. + 结构扫描底层的高度。 .QGC.MetaData.Facts[CorridorWidth].shortDesc, Corridor width. Specify 0 width for a single pass scan. - Corridor width. Specify 0 width for a single pass scan. + 走廊宽度。指定宽度为 0 进行单次扫描。 .QGC.MetaData.Facts[Trigger distance].shortDesc, Distance between each triggering of the camera. 0 specifies not camera trigger. - Distance between each triggering of the camera. 0 specifies not camera trigger. + 每次相机触发之间的距离。0 表示不触发相机。 .QGC.MetaData.Facts[GridSpacing].shortDesc, Amount of spacing in between parallel grid lines. - Amount of spacing in between parallel grid lines. + 平行网格线之间的间距量。 .QGC.MetaData.Facts[TurnaroundDistance].shortDesc, Amount of additional distance to add outside the survey area for vehicle turnaround. - Amount of additional distance to add outside the survey area for vehicle turnaround. + 为飞行器调头而在测量区域外增加的额外距离量。 @@ -521,43 +521,43 @@ .QGC.MetaData.Facts[TurnAroundDistance].shortDesc, .QGC.MetaData.Facts[TurnAroundDistanceMultiRotor].shortDesc, Amount of additional distance to add outside the survey area for vehicle turn around. - Amount of additional distance to add outside the survey area for vehicle turn around. + 为飞行器调头而在测量区域外增加的额外距离量。 .QGC.MetaData.Facts[CameraTriggerInTurnAround].shortDesc, Camera continues taking images in turn arounds. - Camera continues taking images in turn arounds. + 相机在调头时继续拍摄图像。 .QGC.MetaData.Facts[HoverAndCapture].shortDesc, Stop and Hover at each image point before taking image - Stop and Hover at each image point before taking image + 在每个图像点拍摄图像前停止并悬停 .QGC.MetaData.Facts[Refly90Degrees].shortDesc, Refly the pattern at a 90 degree angle - Refly the pattern at a 90 degree angle + 以 90 度角重新飞行航线 .QGC.MetaData.Facts[TerrainAdjustTolerance].shortDesc, Additional waypoints within the transect will be added if the terrain altitude difference grows larger than this tolerance. - Additional waypoints within the transect will be added if the terrain altitude difference grows larger than this tolerance. + 如果地形高度差超过此容差,将在样条线内添加额外的航点。 .QGC.MetaData.Facts[TerrainAdjustMaxClimbRate].shortDesc, The maximum climb rate from one waypoint to another when adjusting for terrain. Set to 0 for no max. - The maximum climb rate from one waypoint to another when adjusting for terrain. Set to 0 for no max. + 在调整地形时,从一个航点到另一个航点的最大爬升率。设置为 0 表示无限制。 .QGC.MetaData.Facts[TerrainAdjustMaxDescentRate].shortDesc, The maximum descent rate from one waypoint to another when adjusting for terrain. Set to 0 for no max. - The maximum descent rate from one waypoint to another when adjusting for terrain. Set to 0 for no max. + 在调整地形时,从一个航点到另一个航点的最大下降率。设置为 0 表示无限制。 @@ -566,19 +566,19 @@ .QGC.MetaData.Facts[Latitude].shortDesc, Latitude of rally point position - Latitude of rally point position + 集结点点位纬度 .QGC.MetaData.Facts[Longitude].shortDesc, Longitude of rally point position - Longitude of rally point position + 集结点的经度 .QGC.MetaData.Facts[RelativeAltitude].shortDesc, Altitude of rally point position (home relative) - Altitude of rally point position (home relative) + 集结点点位高度(相对家) @@ -587,37 +587,37 @@ .QGC.MetaData.Facts[CameraName].shortDesc, Camera name. - Camera name. + 相机名称。 .QGC.MetaData.Facts[ValueSetIsDistance].shortDesc, Value specified is distance to surface. - Value specified is distance to surface. + 指定值为到地表的距离。 .QGC.MetaData.Facts[DistanceToSurface].shortDesc, Distance vehicle is away from surface. - Distance vehicle is away from surface. + 飞行器离地表的距离。 .QGC.MetaData.Facts[ImageDensity].shortDesc, Image desity at surface. - Image desity at surface. + 地表图像密度。 .QGC.MetaData.Facts[FrontalOverlap].shortDesc, Amount of overlap between images in the forward facing direction. - Amount of overlap between images in the forward facing direction. + 前向图像之间的重叠量。 .QGC.MetaData.Facts[SideOverlap].shortDesc, Amount of overlap between images in the side facing direction. - Amount of overlap between images in the side facing direction. + 侧向图像之间的重叠量。 @@ -735,7 +735,7 @@ Only use english comma ',' to separate strings Direction of next waypoint,Any direction - Direction of next waypoint,Any direction + 下一个航点方向,任意方向 .mavCmdInfo[MAV_CMD_NAV_LOITER_TURNS].param4.label, .mavCmdInfo[MAV_CMD_NAV_LOITER_TIME].param4.label, .mavCmdInfo[MAV_CMD_NAV_LOITER_TO_ALT].param4.label, @@ -760,20 +760,20 @@ .mavCmdInfo[MAV_CMD_NAV_LOITER_TIME].description, Travel to a position and Loiter around the specified position for an amount of time. - Travel to a position and Loiter around the specified position for an amount of time. + 行进到一个位置并在指定位置周围盘旋一段时间。 .mavCmdInfo[MAV_CMD_NAV_LOITER_TIME].param1.label, Loiter Time - Loiter Time + 盘旋时间 .mavCmdInfo[MAV_CMD_NAV_LOITER_TIME].param2.enumStrings, Only use english comma ',' to separate strings Direction of next waypoint,Current direction - Direction of next waypoint,Current direction + 下一个航点方向,当前方向 .mavCmdInfo[MAV_CMD_NAV_RETURN_TO_LAUNCH].friendlyName, @@ -809,14 +809,14 @@ .mavCmdInfo[MAV_CMD_NAV_LAND].param2.label, Precision Land - Precision Land + 精准降落 .mavCmdInfo[MAV_CMD_NAV_LAND].param2.enumStrings, Only use english comma ',' to separate strings Disabled,Opportunistic,Required - Disabled,Opportunistic,Required + 禁用,机会性,必需 .mavCmdInfo[MAV_CMD_NAV_TAKEOFF].friendlyName, @@ -987,14 +987,14 @@ .mavCmdInfo[MAV_CMD_NAV_VTOL_TAKEOFF].param2.label, Transition Heading - Transition Heading + 过渡航向 .mavCmdInfo[MAV_CMD_NAV_VTOL_TAKEOFF].param2.enumStrings, Only use english comma ',' to separate strings Default,Next waypoint,Takeoff,Specified,Any - Default,Next waypoint,Takeoff,Specified,Any + 默认, 下一个航点, 起飞, 指定, 任意 .mavCmdInfo[MAV_CMD_NAV_VTOL_LAND].friendlyName, @@ -1012,7 +1012,7 @@ .mavCmdInfo[MAV_CMD_NAV_VTOL_LAND].param3.label, Approach Alt - Approach Alt + 进近高度 .mavCmdInfo[MAV_CMD_NAV_GUIDED_ENABLE].friendlyName, @@ -1049,7 +1049,7 @@ .mavCmdInfo[MAV_CMD_NAV_DELAY].description, Delay until the specified time is reached. - Delay until the specified time is reached. + 延迟直到达到指定时间。 .mavCmdInfo[MAV_CMD_NAV_DELAY].param2.label, @@ -1133,13 +1133,13 @@ .mavCmdInfo[MAV_CMD_CONDITION_YAW].description, Delay the mission until the specified heading is reached. - Delay the mission until the specified heading is reached. + 延迟任务直到达到指定的航向。 .mavCmdInfo[MAV_CMD_CONDITION_YAW].param1.label, Heading - Heading + 航向 .mavCmdInfo[MAV_CMD_CONDITION_YAW].param3.label, .mavCmdInfo[MAV_CMD_DO_SET_REVERSE].param1.label, @@ -1152,7 +1152,7 @@ Only use english comma ',' to separate strings Clockwise,Shortest,Counter-Clockwise - Clockwise,Shortest,Counter-Clockwise + 顺时针, 最短, 逆时针 .mavCmdInfo[MAV_CMD_CONDITION_YAW].param4.label, .mavCmdInfo[MAV_CMD_DO_CHANGE_SPEED].param4.label, @@ -1244,7 +1244,7 @@ Only use english comma ',' to separate strings Airspeed,Ground Speed,Ascend Speed,Descend Speed - Airspeed,Ground Speed,Ascend Speed,Descend Speed + 空速, 地速, 上升速度, 下降速度 .mavCmdInfo[MAV_CMD_DO_CHANGE_SPEED].param2.label, @@ -1365,37 +1365,37 @@ .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].friendlyName, Set actuator - Set actuator + 设置执行器 .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].description, Set actuator to specified output value (range [-1, 1]). - Set actuator to specified output value (range [-1, 1]). + 将舵机设置为指定的输出值(范围[-1, 1])。 .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].param1.label, Actuator 1 - Actuator 1 + 执行器 1 .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].param2.label, Actuator 2 - Actuator 2 + 舵机 2 .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].param3.label, Actuator 3 - Actuator 3 + 舵机 3 .mavCmdInfo[MAV_CMD_DO_SET_ACTUATOR].param4.label, Actuator 4 - Actuator 4 + 执行器 4 .mavCmdInfo[MAV_CMD_DO_FLIGHTTERMINATION].friendlyName, @@ -1717,57 +1717,57 @@ .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].friendlyName, Gimbal Manager PitchYaw - Gimbal Manager PitchYaw + 云台管理器俯仰偏航 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].description, Control the gimbal during the mission - Control the gimbal during the mission + 在任务期间控制云台 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param1.label, Pitch - Pitch + 俯仰 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param3.label, Pitch rate - Pitch rate + 俯仰率 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param4.label, Yaw rate - Yaw rate + 偏航率 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param5.label, Follow yaw - Follow yaw + 跟随偏航 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param5.enumStrings, Only use english comma ',' to separate strings Follow yaw, Lock yaw - Follow yaw, Lock yaw + 跟随偏航, 锁定偏航 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param7.label, Gimbal - Gimbal + 云台 .mavCmdInfo[MAV_CMD_DO_GIMBAL_MANAGER_PITCHYAW].param7.enumStrings, Only use english comma ',' to separate strings Primary,first gimbal,second gimbal - Primary,first gimbal,second gimbal + 主, 第一个云台, 第二个云台 .mavCmdInfo[MAV_CMD_DO_SET_CAM_TRIGG_DIST].friendlyName, @@ -1835,7 +1835,7 @@ .mavCmdInfo[MAV_CMD_DO_PARACHUTE].description, Enable/Disable auto-release or Release a parachute - Enable/Disable auto-release or Release a parachute + 启用/禁用自动释放或释放降落伞 .mavCmdInfo[MAV_CMD_DO_PARACHUTE].param1.enumStrings, @@ -1879,13 +1879,13 @@ .mavCmdInfo[MAV_CMD_DO_GRIPPER].friendlyName, Gripper Mechanism - Gripper Mechanism + 抓取器机制 .mavCmdInfo[MAV_CMD_DO_GRIPPER].description, Control a gripper mechanism. - Control a gripper mechanism. + 控制抓取器机制。 .mavCmdInfo[MAV_CMD_DO_GRIPPER].param1.label, @@ -2134,7 +2134,7 @@ .mavCmdInfo[MAV_CMD_CONTROL_HIGH_LATENCY].friendlyName, Control high latency link - Control high latency link + 控制高延迟链路 .mavCmdInfo[MAV_CMD_PANORAMA_CREATE].friendlyName, @@ -2211,55 +2211,55 @@ .QGC.MetaData.Facts[connected].shortDesc, Connected - Connected + 已连接 .QGC.MetaData.Facts[currentAccuracy].shortDesc, Current Survey-In Accuracy - Current Survey-In Accuracy + 当前测量输入精度 .QGC.MetaData.Facts[currentLatitude].shortDesc, Current Survey-In Latitude - Current Survey-In Latitude + 当前测量输入纬度 .QGC.MetaData.Facts[currentLongitude].shortDesc, Current Survey-In Longitude - Current Survey-In Longitude + 当前测站设置经度 .QGC.MetaData.Facts[currentAltitude].shortDesc, Current Survey-In Altitude - Current Survey-In Altitude + 当前测量输入高度 .QGC.MetaData.Facts[currentDuration].shortDesc, Current Survey-In Duration - Current Survey-In Duration + 当前测量输入持续时间 .QGC.MetaData.Facts[valid].shortDesc, Survey-In Valid - Survey-In Valid + 测量输入有效 .QGC.MetaData.Facts[active].shortDesc, Survey-In Active - Survey-In Active + 测量输入激活 .QGC.MetaData.Facts[numSatellites].shortDesc, Number of Satellites - Number of Satellites + 卫星数量 @@ -2268,19 +2268,19 @@ .QGC.MetaData.Facts[angle].shortDesc, Angle from ground station to vehicle - Angle from ground station to vehicle + 从地面站到飞行器的角度 .QGC.MetaData.Facts[distance].shortDesc, Horizontal distance from ground station to vehicle - Horizontal distance from ground station to vehicle + 从地面站到飞行器的水平距离 .QGC.MetaData.Facts[height].shortDesc, Vertical distance from Launch (home) position to vehicle - Vertical distance from Launch (home) position to vehicle + 从发射(家)位置到飞行器的垂直距离 @@ -2289,25 +2289,25 @@ .QGC.MetaData.Facts[Scale].shortDesc, Scale the RC range - Scale the RC range + 缩放遥控器范围 .QGC.MetaData.Facts[CenterValue].shortDesc, Parameter value when RC output is 0 - Parameter value when RC output is 0 + RC输出为0时的参数值 .QGC.MetaData.Facts[MinValue].shortDesc, Minimum parameter value - Minimum parameter value + 最小参数值 .QGC.MetaData.Facts[MaxValue].shortDesc, Maximum parameter value - Maximum parameter value + 最大参数值 @@ -2316,7 +2316,7 @@ .QGC.MetaData.Facts[Radius].shortDesc, Radius for geofence circle. - Radius for geofence circle. + 地理围栏圆圈半径。 @@ -2325,37 +2325,37 @@ .QGC.MetaData.Facts[Latitude].shortDesc, Latitude of item position - Latitude of item position + 项目位置的纬度 .QGC.MetaData.Facts[Longitude].shortDesc, Longitude of item position - Longitude of item position + 项目位置经度 .QGC.MetaData.Facts[Easting].shortDesc, Easting of item position - Easting of item position + 项目位置东向坐标 .QGC.MetaData.Facts[Northing].shortDesc, Northing of item position - Northing of item position + 项目位置北向坐标 .QGC.MetaData.Facts[Zone].shortDesc, UTM zone - UTM zone + UTM 区域 .QGC.MetaData.Facts[Hemisphere].shortDesc, Hemisphere for position - Hemisphere for position + 位置半球 .QGC.MetaData.Facts[Hemisphere].enumStrings, @@ -2368,7 +2368,7 @@ .QGC.MetaData.Facts[MGRS].shortDesc, MGRS coordinate - MGRS coordinate + MGRS 坐标 @@ -2377,37 +2377,37 @@ .QGC.MetaData.Facts[roll].shortDesc, Roll Setpoint - Roll Setpoint + 横滚设定值 .QGC.MetaData.Facts[pitch].shortDesc, Pitch Setpoint - Pitch Setpoint + 俯仰设定值 .QGC.MetaData.Facts[yaw].shortDesc, Yaw Setpoint - Yaw Setpoint + 偏航设定值 .QGC.MetaData.Facts[rollRate].shortDesc, Roll Rate Setpoint - Roll Rate Setpoint + 横滚率设定值 .QGC.MetaData.Facts[pitchRate].shortDesc, Pitch Rate Setpoint - Pitch Rate Setpoint + 俯仰率设定值 .QGC.MetaData.Facts[yawRate].shortDesc, Yaw Rate Setpoint - Yaw Rate Setpoint + 偏航率设定值 @@ -2416,49 +2416,49 @@ .QGC.MetaData.Facts[lat].shortDesc, Latitude - Latitude + 纬度 .QGC.MetaData.Facts[lon].shortDesc, Longitude - Longitude + 经度 .QGC.MetaData.Facts[mgrs].shortDesc, MGRS Position - MGRS Position + MGRS位置 .QGC.MetaData.Facts[hdop].shortDesc, HDOP - HDOP + HDOP .QGC.MetaData.Facts[vdop].shortDesc, VDOP - VDOP + 垂直精度因子 .QGC.MetaData.Facts[courseOverGround].shortDesc, Course Over Ground - Course Over Ground + 地面航向 .QGC.MetaData.Facts[yaw].shortDesc, Yaw - Yaw + 偏航 .QGC.MetaData.Facts[lock].shortDesc, GPS Lock - GPS Lock + GPS 锁定 .QGC.MetaData.Facts[lock].enumStrings, @@ -2471,7 +2471,7 @@ .QGC.MetaData.Facts[count].shortDesc, Sat Count - Sat Count + 卫星计数 @@ -2480,13 +2480,13 @@ .QGC.MetaData.Facts[blocksPending].shortDesc, Blocks Pending - Blocks Pending + 区块挂起中 .QGC.MetaData.Facts[blocksLoaded].shortDesc, Blocks Loaded - Blocks Loaded + 加载的块数 @@ -2495,19 +2495,19 @@ .QGC.MetaData.Facts[currentTime].shortDesc, Time - Time + 时间 .QGC.MetaData.Facts[currentUTCTime].shortDesc, UTC Time - UTC Time + UTC 时间 .QGC.MetaData.Facts[currentDate].shortDesc, Date - Date + 日期 @@ -2516,103 +2516,103 @@ .QGC.MetaData.Facts[health].shortDesc, Health - Health + 健康状况 .QGC.MetaData.Facts[ecuIndex].shortDesc, Ecu Index - Ecu Index + ECU 索引 .QGC.MetaData.Facts[rpm].shortDesc, Rpm - Rpm + 转速 .QGC.MetaData.Facts[fuelConsumed].shortDesc, Fuel Consumed - Fuel Consumed + 燃油消耗量 .QGC.MetaData.Facts[fuelFlow].shortDesc, Fuel Flow - Fuel Flow + 燃油流量 .QGC.MetaData.Facts[engineLoad].shortDesc, Engine Load - Engine Load + 发动机负载 .QGC.MetaData.Facts[throttlePos].shortDesc, Throttle Position - Throttle Position + 油门位置 .QGC.MetaData.Facts[sparkTime].shortDesc, Spark dwell time - Spark dwell time + 火花停留时间 .QGC.MetaData.Facts[baroPress].shortDesc, BarometricPressure - BarometricPressure + 气压 .QGC.MetaData.Facts[intakePress].shortDesc, Intake mainfold pressure - Intake mainfold pressure + 进气歧管压力 .QGC.MetaData.Facts[intakeTemp].shortDesc, Intake mainfold temperature - Intake mainfold temperature + 进气歧管温度 .QGC.MetaData.Facts[cylinderTemp].shortDesc, Cylinder head temperature - Cylinder head temperature + 气缸盖温度 .QGC.MetaData.Facts[ignTime].shortDesc, Ignition Timing - Ignition Timing + 点火正时 .QGC.MetaData.Facts[injTime].shortDesc, Injection Time - Injection Time + 喷射时间 .QGC.MetaData.Facts[exGasTemp].shortDesc, Exhaust gas Temperature - Exhaust gas Temperature + 排气温度 .QGC.MetaData.Facts[throttleOut].shortDesc, Throttle Out - Throttle Out + 油门输出 .QGC.MetaData.Facts[ptComp].shortDesc, Pt Compensation - Pt Compensation + Pt 补偿 @@ -2621,37 +2621,37 @@ .QGC.MetaData.Facts[xAxis].shortDesc, Vibe xAxis - Vibe xAxis + 振动 X 轴 .QGC.MetaData.Facts[yAxis].shortDesc, Vibe yAxis - Vibe yAxis + 振动 Y 轴 .QGC.MetaData.Facts[zAxis].shortDesc, Vibe zAxis - Vibe zAxis + 振动 Z 轴 .QGC.MetaData.Facts[clipCount1].shortDesc, Clip Count (1) - Clip Count (1) + 片段计数 (1) .QGC.MetaData.Facts[clipCount2].shortDesc, Clip Count (2) - Clip Count (2) + 片段计数 (2) .QGC.MetaData.Facts[clipCount3].shortDesc, Clip Count (3) - Clip Count (3) + 片段计数 (3) @@ -2660,67 +2660,67 @@ .QGC.MetaData.Facts[status].shortDesc, Status - Status + 状态 .QGC.MetaData.Facts[genSpeed].shortDesc, Generator Speed - Generator Speed + 发电机转速 .QGC.MetaData.Facts[batteryCurrent].shortDesc, Battery Current - Battery Current + 电池电流 .QGC.MetaData.Facts[loadCurrent].shortDesc, Load Current - Load Current + 负载电流 .QGC.MetaData.Facts[powerGenerated].shortDesc, Power Generated - Power Generated + 发电量 .QGC.MetaData.Facts[busVoltage].shortDesc, Bus Voltage - Bus Voltage + 总线电压 .QGC.MetaData.Facts[rectifierTemp].shortDesc, Rectifier Temperature - Rectifier Temperature + 整流器温度 .QGC.MetaData.Facts[batCurrentSetpoint].shortDesc, Battery Current Setpoint - Battery Current Setpoint + 电池电流设定值 .QGC.MetaData.Facts[genTemp].shortDesc, Generator Temperature - Generator Temperature + 发电机温度 .QGC.MetaData.Facts[runtime].shortDesc, runtime - runtime + 运行时间 .QGC.MetaData.Facts[timeMaintenance].shortDesc, Time until Maintenance - Time until Maintenance + 距维护时间 @@ -2729,37 +2729,37 @@ .QGC.MetaData.Facts[cameraTilt].shortDesc, Camera Tilt - Camera Tilt + 相机俯仰角 .QGC.MetaData.Facts[tetherTurns].shortDesc, Tether Turns - Tether Turns + 系绳圈数 .QGC.MetaData.Facts[lights1].shortDesc, Lights 1 level - Lights 1 level + 灯光 1 级别 .QGC.MetaData.Facts[lights2].shortDesc, Lights 2 level - Lights 2 level + 灯光 2 级别 .QGC.MetaData.Facts[pilotGain].shortDesc, Pilot Gain - Pilot Gain + 飞行员增益 .QGC.MetaData.Facts[inputHold].shortDesc, Input Hold - Input Hold + 输入保持 .QGC.MetaData.Facts[inputHold].enumStrings, @@ -2772,19 +2772,19 @@ .QGC.MetaData.Facts[rangefinderDistance].shortDesc, Rangefinder - Rangefinder + 测距仪 .QGC.MetaData.Facts[rangefinderTarget].shortDesc, RFTarget - RFTarget + 射频目标 .QGC.MetaData.Facts[rollPitchToggle].shortDesc, Roll/Pitch Toggle - Roll/Pitch Toggle + 横滚/俯仰切换 .QGC.MetaData.Facts[rollPitchToggle].enumStrings, @@ -2800,145 +2800,145 @@ .QGC.MetaData.Facts[roll].shortDesc, Roll - Roll + 横滚 .QGC.MetaData.Facts[pitch].shortDesc, Pitch - Pitch + 俯仰 .QGC.MetaData.Facts[heading].shortDesc, Heading - Heading + 航向 .QGC.MetaData.Facts[rollRate].shortDesc, Roll Rate - Roll Rate + 横滚率 .QGC.MetaData.Facts[pitchRate].shortDesc, Pitch Rate - Pitch Rate + 俯仰率 .QGC.MetaData.Facts[yawRate].shortDesc, Yaw Rate - Yaw Rate + 偏航率 .QGC.MetaData.Facts[groundSpeed].shortDesc, Ground Speed - Ground Speed + 地速 .QGC.MetaData.Facts[airSpeed].shortDesc, Air Speed - Air Speed + 空速 .QGC.MetaData.Facts[climbRate].shortDesc, Climb Rate - Climb Rate + 爬升率 .QGC.MetaData.Facts[altitudeRelative].shortDesc, Alt (Rel) - Alt (Rel) + 高度 (相对) .QGC.MetaData.Facts[altitudeAMSL].shortDesc, Alt (AMSL) - Alt (AMSL) + 高度 (海拔) .QGC.MetaData.Facts[altitudeAboveTerr].shortDesc, Alt (Above Terrain) - Alt (Above Terrain) + 高度 (离地) .QGC.MetaData.Facts[flightDistance].shortDesc, Flight Distance - Flight Distance + 飞行距离 .QGC.MetaData.Facts[distanceToHome].shortDesc, Distance to Home - Distance to Home + 到家的距离 .QGC.MetaData.Facts[timeToHome].shortDesc, Time to Home - Time to Home + 回家时间 .QGC.MetaData.Facts[headingToHome].shortDesc, Heading to Home - Heading to Home + 回家航向 .QGC.MetaData.Facts[distanceToGCS].shortDesc, Distance to GCS - Distance to GCS + 到地面控制站 (GCS) 的距离 .QGC.MetaData.Facts[missionItemIndex].shortDesc, Mission Item Index - Mission Item Index + 任务项索引 .QGC.MetaData.Facts[headingToNextWP].shortDesc, Next WP Heading - Next WP Heading + 下一个航点航向 .QGC.MetaData.Facts[distanceToNextWP].shortDesc, Next WP distance - Next WP distance + 下一个航点距离 .QGC.MetaData.Facts[flightTime].shortDesc, Flight Time - Flight Time + 飞行时间 .QGC.MetaData.Facts[hobbs].shortDesc, Hobbs Meter - Hobbs Meter + 霍布斯表 .QGC.MetaData.Facts[throttlePct].shortDesc, Throttle % - Throttle % + 油门百分比 .QGC.MetaData.Facts[imuTemp].shortDesc, Imu temperature - Imu temperature + IMU 温度 @@ -2947,121 +2947,121 @@ .QGC.MetaData.Facts[goodAttitudeEsimate].shortDesc, Good Attitude Esimate - Good Attitude Esimate + 良好的姿态估计 .QGC.MetaData.Facts[goodHorizVelEstimate].shortDesc, Good Horiz Vel Estimate - Good Horiz Vel Estimate + 水平速度估计良好 .QGC.MetaData.Facts[goodVertVelEstimate].shortDesc, Good Vert Vel Estimate - Good Vert Vel Estimate + 良好的垂直速度估计 .QGC.MetaData.Facts[goodHorizPosRelEstimate].shortDesc, Good Horiz Pos Rel Estimate - Good Horiz Pos Rel Estimate + 良好的相对水平位置估计 .QGC.MetaData.Facts[goodHorizPosAbsEstimate].shortDesc, Good Horiz Pos Abs Estimate - Good Horiz Pos Abs Estimate + 水平绝对位置估计良好 .QGC.MetaData.Facts[goodVertPosAbsEstimate].shortDesc, Good Vert Pos Abs Estimate - Good Vert Pos Abs Estimate + 良好的绝对垂直位置估计 .QGC.MetaData.Facts[goodVertPosAGLEstimate].shortDesc, Good Vert Pos AGL Estimate - Good Vert Pos AGL Estimate + 良好的垂直位置 AGL 估计 .QGC.MetaData.Facts[goodConstPosModeEstimate].shortDesc, Good Const Pos Mode Estimate - Good Const Pos Mode Estimate + 良好的恒定位置模式估计 .QGC.MetaData.Facts[goodPredHorizPosRelEstimate].shortDesc, Good Pred Horiz Pos Rel Estimate - Good Pred Horiz Pos Rel Estimate + 预测水平相对位置估计良好 .QGC.MetaData.Facts[goodPredHorizPosAbsEstimate].shortDesc, Good Pred Horiz Pos Abs Estimate - Good Pred Horiz Pos Abs Estimate + 良好的预测绝对水平位置估计 .QGC.MetaData.Facts[gpsGlitch].shortDesc, Gps Glitch - Gps Glitch + GPS 故障 .QGC.MetaData.Facts[accelError].shortDesc, Accel Error - Accel Error + 加速度计误差 .QGC.MetaData.Facts[velRatio].shortDesc, Vel Ratio - Vel Ratio + 速度比率 .QGC.MetaData.Facts[horizPosRatio].shortDesc, Horiz Pos Ratio - Horiz Pos Ratio + 水平位置比率 .QGC.MetaData.Facts[vertPosRatio].shortDesc, Vert Pos Ratio - Vert Pos Ratio + 垂直位置比率 .QGC.MetaData.Facts[magRatio].shortDesc, Mag Ratio - Mag Ratio + 磁力计比率 .QGC.MetaData.Facts[haglRatio].shortDesc, HAGL Ratio - HAGL Ratio + 离地高度比率 .QGC.MetaData.Facts[tasRatio].shortDesc, TAS Ratio - TAS Ratio + 真空速比率 .QGC.MetaData.Facts[horizPosAccuracy].shortDesc, Horiz Pos Accuracy - Horiz Pos Accuracy + 水平位置精度 .QGC.MetaData.Facts[vertPosAccuracy].shortDesc, Vert Pos Accuracy - Vert Pos Accuracy + 垂直位置精度 @@ -3070,88 +3070,88 @@ .QGC.MetaData.Facts[id].shortDesc, Battery Id - Battery Id + 电池 ID .QGC.MetaData.Facts[batteryFunction].shortDesc, Battery Function - Battery Function + 电池功能 .QGC.MetaData.Facts[batteryFunction].enumStrings, Only use english comma ',' to separate strings n/a,All Flight Systems,Propulsion,Avionics,Payload - n/a,All Flight Systems,Propulsion,Avionics,Payload + 不适用,所有飞行系统,推进系统,航电系统,任务载荷 .QGC.MetaData.Facts[batteryType].shortDesc, Battery Type - Battery Type + 电池类型 .QGC.MetaData.Facts[batteryType].enumStrings, Only use english comma ',' to separate strings n/a,LIPO,LIFE,LION,NIMH - n/a,LIPO,LIFE,LION,NIMH + 不适用, 锂聚合物, 磷酸铁锂, 锂离子, 镍氢 .QGC.MetaData.Facts[voltage].shortDesc, Voltage - Voltage + 电压 .QGC.MetaData.Facts[percentRemaining].shortDesc, Percent - Percent + 百分比 .QGC.MetaData.Facts[mahConsumed].shortDesc, Consumed - Consumed + 已消耗 .QGC.MetaData.Facts[current].shortDesc, Current - Current + 电流 .QGC.MetaData.Facts[temperature].shortDesc, Temperature - Temperature + 温度 .QGC.MetaData.Facts[instantPower].shortDesc, Watts - Watts + 瓦特 .QGC.MetaData.Facts[timeRemaining].shortDesc, .QGC.MetaData.Facts[timeRemainingStr].shortDesc, Time Remaining - Time Remaining + 剩余时间 .QGC.MetaData.Facts[chargeState].shortDesc, Charge State - Charge State + 充电状态 .QGC.MetaData.Facts[chargeState].enumStrings, Only use english comma ',' to separate strings n/a,Ok,Low,Critical,Emergency,Failed,Unhealthy,Charging - n/a,Ok,Low,Critical,Emergency,Failed,Unhealthy,Charging + 不适用, 正常, 低, 严重, 紧急, 失败, 不健康, 充电中 @@ -3160,19 +3160,19 @@ .QGC.MetaData.Facts[direction].shortDesc, Wind Direction - Wind Direction + 风向 .QGC.MetaData.Facts[speed].shortDesc, Wind Spd - Wind Spd + 风速 .QGC.MetaData.Facts[verticalSpeed].shortDesc, Wind Spd (vert) - Wind Spd (vert) + 风速 (垂直) @@ -3181,25 +3181,25 @@ .QGC.MetaData.Facts[index].shortDesc, Index Of The First ESC In This Message - Index Of The First ESC In This Message + 此消息中第一个ESC的索引 .QGC.MetaData.Facts[rpmFirst].shortDesc, .QGC.MetaData.Facts[rpmSecond].shortDesc, .QGC.MetaData.Facts[rpmThird].shortDesc, .QGC.MetaData.Facts[rpmFourth].shortDesc, Rotation Per Minute - Rotation Per Minute + 每分钟转数 .QGC.MetaData.Facts[currentFirst].shortDesc, .QGC.MetaData.Facts[currentSecond].shortDesc, .QGC.MetaData.Facts[currentThird].shortDesc, .QGC.MetaData.Facts[currentFourth].shortDesc, Current - Current + 电流 .QGC.MetaData.Facts[voltageFirst].shortDesc, .QGC.MetaData.Facts[voltageSecond].shortDesc, .QGC.MetaData.Facts[voltageThird].shortDesc, .QGC.MetaData.Facts[voltageFourth].shortDesc, Voltage - Voltage + 电压 @@ -3208,19 +3208,19 @@ .QGC.MetaData.Facts[temperature1].shortDesc, Temperature (1) - Temperature (1) + 温度 (1) .QGC.MetaData.Facts[temperature2].shortDesc, Temperature (2) - Temperature (2) + 温度 (2) .QGC.MetaData.Facts[temperature3].shortDesc, Temperature (3) - Temperature (3) + 温度 (3) @@ -3229,19 +3229,19 @@ .QGC.MetaData.Facts[temperature].shortDesc, Temperature - Temperature + 温度 .QGC.MetaData.Facts[humidity].shortDesc, Humidity % - Humidity % + 湿度 % .QGC.MetaData.Facts[hygrometerid].shortDesc, ID - ID + ID @@ -3250,73 +3250,73 @@ .QGC.MetaData.Facts[rotationNone].shortDesc, Forward - Forward + 前进 .QGC.MetaData.Facts[rotationYaw45].shortDesc, Forward/Right - Forward/Right + 前/右 .QGC.MetaData.Facts[rotationYaw90].shortDesc, Right - Right + .QGC.MetaData.Facts[rotationYaw135].shortDesc, Rear/Right - Rear/Right + 后/右 .QGC.MetaData.Facts[rotationYaw180].shortDesc, Rear - Rear + .QGC.MetaData.Facts[rotationYaw225].shortDesc, Rear/Left - Rear/Left + 后/左 .QGC.MetaData.Facts[rotationYaw270].shortDesc, Left - Left + .QGC.MetaData.Facts[rotationYaw315].shortDesc, Forward/Left - Forward/Left + 前/左 .QGC.MetaData.Facts[rotationPitch90].shortDesc, Up - Up + .QGC.MetaData.Facts[rotationPitch270].shortDesc, Down - Down + .QGC.MetaData.Facts[minDistance].shortDesc, Minimum distance sensor can detect - Minimum distance sensor can detect + 距离传感器可检测的最小距离 .QGC.MetaData.Facts[maxDistance].shortDesc, Maximum distance sensor can detect - Maximum distance sensor can detect + 距离传感器可检测的最大距离 @@ -3325,37 +3325,37 @@ .QGC.MetaData.Facts[x].shortDesc, X - X + X (X轴) .QGC.MetaData.Facts[y].shortDesc, Y - Y + Y (Y轴) .QGC.MetaData.Facts[z].shortDesc, Z - Z + Z (Z轴) .QGC.MetaData.Facts[vx].shortDesc, VX - VX + VX (X轴速度) .QGC.MetaData.Facts[vy].shortDesc, Vy - Vy + VY (Y轴速度) .QGC.MetaData.Facts[vz].shortDesc, Vz - Vz + VZ (Z轴速度) @@ -3364,25 +3364,25 @@ .QGC.MetaData.Facts[rpm1].shortDesc, RPM 1 - RPM 1 + 转速 1 .QGC.MetaData.Facts[rpm2].shortDesc, RPM 2 - RPM 2 + 转速 2 .QGC.MetaData.Facts[rpm3].shortDesc, RPM 3 - RPM 3 + 转速 3 .QGC.MetaData.Facts[rpm4].shortDesc, RPM 4 - RPM 4 + 转速 4 @@ -3400,286 +3400,286 @@ .QGC.MetaData.Facts[operatorID].shortDesc, Operator ID - Operator ID + 操作员 ID .QGC.MetaData.Facts[operatorID].longDesc, Operator ID. Maximum 20 characters. - Operator ID. Maximum 20 characters. + 操作员 ID。最多 20 个字符。 .QGC.MetaData.Facts[operatorIDValid].shortDesc, Operator ID is valid - Operator ID is valid + 操作员 ID 有效 .QGC.MetaData.Facts[operatorIDValid].longDesc, Operator ID has been checked using checksum. - Operator ID has been checked using checksum. + 操作员 ID 已使用校验和检查。 .QGC.MetaData.Facts[operatorIDType].shortDesc, Operator ID type - Operator ID type + 操作员 ID 类型 .QGC.MetaData.Facts[operatorIDType].enumStrings, Only use english comma ',' to separate strings CAA - CAA + 民航局 .QGC.MetaData.Facts[sendOperatorID].shortDesc, Send Operator ID - Send Operator ID + 发送操作员ID .QGC.MetaData.Facts[sendOperatorID].longDesc, When enabled, sends operator ID message - When enabled, sends operator ID message + 启用时,发送操作员 ID 消息 .QGC.MetaData.Facts[selfIDFree].shortDesc, Flight Purpose - Flight Purpose + 飞行目的 .QGC.MetaData.Facts[selfIDFree].longDesc, Optional plain text for operator to specify operations data (Free Text). Maximum 23 characters. - Optional plain text for operator to specify operations data (Free Text). Maximum 23 characters. + 供操作员指定操作数据的可选纯文本(自由文本)。最多 23 个字符。 .QGC.MetaData.Facts[selfIDEmergency].shortDesc, Emergency Text - Emergency Text + 紧急文本 .QGC.MetaData.Facts[selfIDEmergency].longDesc, Optional plain text for operator to specify operations data (Emergency Text). Maximum 23 characters. - Optional plain text for operator to specify operations data (Emergency Text). Maximum 23 characters. + 供操作员指定操作数据的可选纯文本(紧急文本)。最多 23 个字符。 .QGC.MetaData.Facts[selfIDExtended].shortDesc, Extended Status - Extended Status + 扩展状态 .QGC.MetaData.Facts[selfIDExtended].longDesc, Optional plain text for operator to specify operations data (Extended Text). Maximum 23 characters. - Optional plain text for operator to specify operations data (Extended Text). Maximum 23 characters. + 供操作员指定操作数据的可选纯文本(扩展文本)。最多 23 个字符。 .QGC.MetaData.Facts[selfIDType].shortDesc, Self ID type - Self ID type + 自我识别类型 .QGC.MetaData.Facts[selfIDType].enumStrings, Only use english comma ',' to separate strings Flight Purpose,Emergency,Extended Status - Flight Purpose,Emergency,Extended Status + 飞行目的, 紧急, 扩展状态 .QGC.MetaData.Facts[sendSelfID].shortDesc, Send Self ID - Send Self ID + 发送自身ID .QGC.MetaData.Facts[sendSelfID].longDesc, When enabled, sends self ID message - When enabled, sends self ID message + 启用时,发送自身ID消息 .QGC.MetaData.Facts[basicID].shortDesc, Basic ID - Basic ID + 基本 ID .QGC.MetaData.Facts[basicIDType].shortDesc, Basic ID Type - Basic ID Type + 基本 ID 类型 .QGC.MetaData.Facts[basicIDType].enumStrings, Only use english comma ',' to separate strings None,SerialNumber (ANSI/CTA-2063),CAA,UTM (RFC4122),Specific - None,SerialNumber (ANSI/CTA-2063),CAA,UTM (RFC4122),Specific + 无,序列号 (ANSI/CTA-2063),CAA,UTM (RFC4122),特定 .QGC.MetaData.Facts[basicIDUaType].shortDesc, UA type - UA type + 无人航空器类型 .QGC.MetaData.Facts[basicIDUaType].enumStrings, Only use english comma ',' to separate strings Undefined,Airplane/FixedWing,Helicopter/Multirrotor,Gyroplane,VTOL,Ornithopter,Glider,Kite,Free Ballon,Captive Ballon,Airship,Parachute,Rocket,Tethered powered aircraft,Ground Obstacle,Other - Undefined,Airplane/FixedWing,Helicopter/Multirrotor,Gyroplane,VTOL,Ornithopter,Glider,Kite,Free Ballon,Captive Ballon,Airship,Parachute,Rocket,Tethered powered aircraft,Ground Obstacle,Other + 未定义, 飞机/固定翼, 直升机/多旋翼, 旋翼机, 垂直起降, 扑翼机, 滑翔机, 风筝, 自由气球, 系留气球, 飞艇, 降落伞, 火箭, 系留动力航空器, 地面障碍物, 其他 .QGC.MetaData.Facts[sendBasicID].shortDesc, Send Basic ID - Send Basic ID + 发送基本ID .QGC.MetaData.Facts[sendBasicID].longDesc, When enabled, sends basic ID message - When enabled, sends basic ID message + 启用时,发送基本 ID 消息 .QGC.MetaData.Facts[region].shortDesc, Region of operation - Region of operation + 操作区域 .QGC.MetaData.Facts[region].longDesc, The region of operation the mission will take place in - The region of operation the mission will take place in + 任务执行的操作区域 .QGC.MetaData.Facts[region].enumStrings, Only use english comma ',' to separate strings FAA,EU - FAA,EU + FAA, EU (美国联邦航空管理局, 欧盟) .QGC.MetaData.Facts[locationType].shortDesc, Location Type - Location Type + 位置类型 .QGC.MetaData.Facts[locationType].longDesc, Operator location Type - Operator location Type + 操作员位置类型 .QGC.MetaData.Facts[locationType].enumStrings, Only use english comma ',' to separate strings Takeoff(Not Supported),Live GNNS, Fixed (not for FAA) - Takeoff(Not Supported),Live GNNS, Fixed (not for FAA) + 起飞(不支持), 实时 GNSS, 固定(不适用于 FAA) .QGC.MetaData.Facts[latitudeFixed].shortDesc, Latitude Fixed - Latitude Fixed + 固定纬度 .QGC.MetaData.Facts[latitudeFixed].longDesc, Fixed latitude to send on SYSTEM message - Fixed latitude to send on SYSTEM message + 在 SYSTEM 消息上发送的固定纬度 .QGC.MetaData.Facts[longitudeFixed].shortDesc, Longitude Fixed - Longitude Fixed + 固定经度 .QGC.MetaData.Facts[longitudeFixed].longDesc, Fixed Longitude to send on SYSTEM message - Fixed Longitude to send on SYSTEM message + 在 SYSTEM 消息上发送的固定经度 .QGC.MetaData.Facts[altitudeFixed].shortDesc, Altitude Fixed - Altitude Fixed + 固定高度 .QGC.MetaData.Facts[altitudeFixed].longDesc, Fixed Altitude to send on SYSTEM message - Fixed Altitude to send on SYSTEM message + 在 SYSTEM 消息上发送的固定高度 .QGC.MetaData.Facts[classificationType].shortDesc, Classification Type - Classification Type + 分类类型 .QGC.MetaData.Facts[classificationType].longDesc, Classification Type of UAS - Classification Type of UAS + UAS 分类类型 .QGC.MetaData.Facts[classificationType].enumStrings, Only use english comma ',' to separate strings Undeclared,EU - Undeclared,EU + 未声明, 欧盟 .QGC.MetaData.Facts[categoryEU].shortDesc, Category - Category + 类别 .QGC.MetaData.Facts[categoryEU].longDesc, Category of the UAS in the EU region - Category of the UAS in the EU region + 欧盟地区 UAS 的类别 .QGC.MetaData.Facts[categoryEU].enumStrings, Only use english comma ',' to separate strings Undeclared,Open,Specific,Certified - Undeclared,Open,Specific,Certified + 未声明,开放,特定,认证 .QGC.MetaData.Facts[classEU].shortDesc, Class - Class + 类别 .QGC.MetaData.Facts[classEU].longDesc, Class of the UAS in the EU region - Class of the UAS in the EU region + 欧盟地区 UAS 的等级 .QGC.MetaData.Facts[classEU].enumStrings, Only use english comma ',' to separate strings Undeclared,Class 0,Class 1,Class 2,Class 3,Class 4,Class 5,Class 6 - Undeclared,Class 0,Class 1,Class 2,Class 3,Class 4,Class 5,Class 6 + 未声明, 0级, 1级, 2级, 3级, 4级, 5级, 6级 @@ -3688,19 +3688,19 @@ .QGC.MetaData.Facts[mapProvider].shortDesc, Currently selected map provider for flight maps - Currently selected map provider for flight maps + 当前为飞行地图选择的地图提供商 .QGC.MetaData.Facts[mapType].shortDesc, Currently selected map type for flight maps - Currently selected map type for flight maps + 当前为飞行地图选择的地图类型 .QGC.MetaData.Facts[elevationMapProvider].shortDesc, Currently selected elevation map provider - Currently selected elevation map provider + 当前选择的高程地图提供商 @@ -3709,85 +3709,85 @@ .QGC.MetaData.Facts[surveyInAccuracyLimit].shortDesc, Survey in accuracy (U-blox only) - Survey in accuracy (U-blox only) + 测量输入精度(仅 U-blox) .QGC.MetaData.Facts[surveyInAccuracyLimit].longDesc, The minimum accuracy value that Survey-In must achieve before it can complete. - The minimum accuracy value that Survey-In must achieve before it can complete. + 测量输入必须达到的最小精度值才能完成。 .QGC.MetaData.Facts[surveyInMinObservationDuration].shortDesc, Min observation time - Min observation time + 最小观测时间 .QGC.MetaData.Facts[surveyInMinObservationDuration].longDesc, Defines the minimum amount of observation time for the position calculation. - Defines the minimum amount of observation time for the position calculation. + 定义位置计算所需的最短观测时间。 .QGC.MetaData.Facts[useFixedBasePosition].shortDesc, Use specified base position - Use specified base position + 使用指定的基准位置 .QGC.MetaData.Facts[useFixedBasePosition].longDesc, Specify the values for the RTK base position without having to do a survey in. - Specify the values for the RTK base position without having to do a survey in. + 指定 RTK 基准位置的值,而无需进行测量输入。 .QGC.MetaData.Facts[fixedBasePositionLatitude].shortDesc, Base Position Latitude - Base Position Latitude + 基准位置纬度 .QGC.MetaData.Facts[fixedBasePositionLatitude].longDesc, Defines the latitude of the fixed RTK base position. - Defines the latitude of the fixed RTK base position. + 定义固定RTK基站位置的纬度。 .QGC.MetaData.Facts[fixedBasePositionLongitude].shortDesc, Base Position Longitude - Base Position Longitude + 基准位置经度 .QGC.MetaData.Facts[fixedBasePositionLongitude].longDesc, Defines the longitude of the fixed RTK base position. - Defines the longitude of the fixed RTK base position. + 定义固定 RTK 基准位置的经度。 .QGC.MetaData.Facts[fixedBasePositionAltitude].shortDesc, Base Position Alt (WGS84) - Base Position Alt (WGS84) + 基准位置高度 (WGS84) .QGC.MetaData.Facts[fixedBasePositionAltitude].longDesc, Defines the altitude of the fixed RTK base position. - Defines the altitude of the fixed RTK base position. + 定义固定RTK基站位置的高度。 .QGC.MetaData.Facts[fixedBasePositionAccuracy].shortDesc, Base Position Accuracy - Base Position Accuracy + 基准位置精度 .QGC.MetaData.Facts[fixedBasePositionAccuracy].longDesc, Defines the accuracy of the fixed RTK base position. - Defines the accuracy of the fixed RTK base position. + 定义固定 RTK 基准位置的精度。 @@ -3796,19 +3796,19 @@ .QGC.MetaData.Facts[minZoomLevelDownload].shortDesc, Minimum zoom level for downloads. - Minimum zoom level for downloads. + 下载的最小缩放级别。 .QGC.MetaData.Facts[maxZoomLevelDownload].shortDesc, Maximum zoom level for downloads. - Maximum zoom level for downloads. + 下载的最大缩放级别。 .QGC.MetaData.Facts[maxTilesForDownload].shortDesc, Maximum number of tiles for download. - Maximum number of tiles for download. + 下载的最大图块数。 @@ -3817,91 +3817,91 @@ .QGC.MetaData.Facts[telemetrySave].shortDesc, Save telemetry Log after each flight - Save telemetry Log after each flight + 每次飞行后保存遥测日志 .QGC.MetaData.Facts[telemetrySave].longDesc, If this option is enabled a telemetry will be saved after each flight completes. - If this option is enabled a telemetry will be saved after each flight completes. + 如果启用此选项,将在每次飞行完成后保存遥测数据。 .QGC.MetaData.Facts[telemetrySaveNotArmed].shortDesc, Save telemetry log even if vehicle was not armed - Save telemetry log even if vehicle was not armed + 即使飞行器未解锁也保存遥测日志 .QGC.MetaData.Facts[telemetrySaveNotArmed].longDesc, If this option is enabled a telemtry log will be saved even if vehicle was never armed. - If this option is enabled a telemtry log will be saved even if vehicle was never armed. + 如果启用此选项,即使飞行器从未解锁,也会保存遥测日志。 .QGC.MetaData.Facts[apmStartMavlinkStreams].shortDesc, Request start of MAVLink telemetry streams (ArduPilot only) - Request start of MAVLink telemetry streams (ArduPilot only) + 请求启动 MAVLink 遥测流(仅限 ArduPilot) .QGC.MetaData.Facts[saveCsvTelemetry].shortDesc, Save CSV Telementry Logs - Save CSV Telementry Logs + 保存CSV遥测日志 .QGC.MetaData.Facts[saveCsvTelemetry].longDesc, If this option is enabled, all Facts will be written to a CSV file with a 1 Hertz frequency. - If this option is enabled, all Facts will be written to a CSV file with a 1 Hertz frequency. + 如果启用此选项,所有Facts数据将以1赫兹的频率写入CSV文件。 .QGC.MetaData.Facts[forwardMavlink].shortDesc, .QGC.MetaData.Facts[forwardMavlink].longDesc, Enable mavlink forwarding - Enable mavlink forwarding + 启用 MAVLink 转发 .QGC.MetaData.Facts[forwardMavlinkHostName].shortDesc, Host name - Host name + 主机名 .QGC.MetaData.Facts[forwardMavlinkHostName].longDesc, Host name to forward mavlink to. i.e: localhost:14445 - Host name to forward mavlink to. i.e: localhost:14445 + 要转发 mavlink 的主机名。例如:localhost:14445 .QGC.MetaData.Facts[forwardMavlinkAPMSupportHostName].shortDesc, Ardupilot Support Host name - Ardupilot Support Host name + Ardupilot 支持主机名 .QGC.MetaData.Facts[forwardMavlinkAPMSupportHostName].longDesc, Ardupilot Support server to forward mavlink to. i.e: support.ardupilot.org:xxxx - Ardupilot Support server to forward mavlink to. i.e: support.ardupilot.org:xxxx + 要转发 mavlink 到的 Ardupilot 支持服务器。例如:support.ardupilot.org:xxxx .QGC.MetaData.Facts[mavlink2SigningKey].shortDesc, MAVLink 2.0 signing key - MAVLink 2.0 signing key + MAVLink 2.0 签名密钥 .QGC.MetaData.Facts[sendGCSHeartbeat].shortDesc, Send GCS Heartbeat - Send GCS Heartbeat + 发送地面控制站 (GCS) 心跳 .QGC.MetaData.Facts[gcsMavlinkSystemID].shortDesc, GCS MAVLink System ID - GCS MAVLink System ID + 地面控制站 MAVLink 系统 ID @@ -3910,13 +3910,13 @@ .QGC.MetaData.Facts[flyViewActionsFile].shortDesc, Name of JSON custom actions file for Fly View - Name of JSON custom actions file for Fly View + 用于飞行视图的 JSON 自定义操作文件名 .QGC.MetaData.Facts[joystickActionsFile].shortDesc, Name of JSON custom actions file for Joysticks - Name of JSON custom actions file for Joysticks + 用于摇杆的 JSON 自定义操作文件名 @@ -3925,13 +3925,13 @@ .QGC.MetaData.Facts[maxCacheDiskSize].shortDesc, Max disk cache - Max disk cache + 最大磁盘缓存 .QGC.MetaData.Facts[maxCacheMemorySize].shortDesc, Max memory cache - Max memory cache + 最大内存缓存 @@ -3940,7 +3940,7 @@ .QGC.MetaData.Facts[defaultFirmwareType].shortDesc, Default firmware type for flashing - Default firmware type for flashing + 默认刷写固件类型 .QGC.MetaData.Facts[apmChibiOS].enumStrings, @@ -3963,98 +3963,98 @@ .QGC.MetaData.Facts[guidedMinimumAltitude].shortDesc, Minimum altitude for guided actions altitude slider. - Minimum altitude for guided actions altitude slider. + 引导操作高度滑块的最小高度。 .QGC.MetaData.Facts[guidedMaximumAltitude].shortDesc, Maximum altitude for guided actions altitude slider. - Maximum altitude for guided actions altitude slider. + 指导模式高度滑块的最大高度。 .QGC.MetaData.Facts[showLogReplayStatusBar].shortDesc, Show/Hide Log Replay status bar - Show/Hide Log Replay status bar + 显示/隐藏日志回放状态栏 .QGC.MetaData.Facts[showAdditionalIndicatorsCompass].shortDesc, Show additional heading indicators on Compass - Show additional heading indicators on Compass + 在罗盘上显示附加航向指示器 .QGC.MetaData.Facts[lockNoseUpCompass].shortDesc, Lock Compass Nose-Up - Lock Compass Nose-Up + 锁定罗盘机头向上 .QGC.MetaData.Facts[keepMapCenteredOnVehicle].shortDesc, Keep map centered on vehicle - Keep map centered on vehicle + 保持地图以飞行器为中心 .QGC.MetaData.Facts[showSimpleCameraControl].shortDesc, Show controls for camera triggering using MAV_CMD_DO_DIGICAM_CONTROL. - Show controls for camera triggering using MAV_CMD_DO_DIGICAM_CONTROL. + 显示使用 MAV_CMD_DO_DIGICAM_CONTROL 触发相机的控件。 .QGC.MetaData.Facts[showObstacleDistanceOverlay].shortDesc, Show obstacle distance overlay on map and video. - Show obstacle distance overlay on map and video. + 在地图和视频上显示障碍物距离叠加层。 .QGC.MetaData.Facts[maxGoToLocationDistance].shortDesc, Maximum distance allowed for Go To Location. - Maximum distance allowed for Go To Location. + 允许的“前往位置”最大距离。 .QGC.MetaData.Facts[forwardFlightGoToLocationLoiterRad].shortDesc, Loiter radius for orbiting the Go To Location during forward flight. This only applies if the firmware supports a radius in MAV_CMD_DO_REPOSITION commands. - Loiter radius for orbiting the Go To Location during forward flight. This only applies if the firmware supports a radius in MAV_CMD_DO_REPOSITION commands. + 前飞期间环绕“前往位置”的盘旋半径。仅当固件支持 MAV_CMD_DO_REPOSITION 命令中的半径时适用。 .QGC.MetaData.Facts[goToLocationRequiresConfirmInGuided].shortDesc, Require slide confirmation for Go To Location when the vehicle is already in Guided mode. - Require slide confirmation for Go To Location when the vehicle is already in Guided mode. + 当飞行器已处于引导模式时,需要滑动确认才能执行“前往位置”。 .QGC.MetaData.Facts[updateHomePosition].shortDesc, Send updated GCS' home position to autopilot in case of change of the home position - Send updated GCS' home position to autopilot in case of change of the home position + 如果GCS的Home点位置发生变化,则将其发送给自动驾驶仪 .QGC.MetaData.Facts[instrumentQmlFile2].shortDesc, Qml file for instrument panel - Qml file for instrument panel + 仪表板的 Qml 文件 .QGC.MetaData.Facts[instrumentQmlFile2].enumStrings, Only use english comma ',' to separate strings Integrated Compass & Attitude,Horizontal Compass & Attitude,Large Vertical - Integrated Compass & Attitude,Horizontal Compass & Attitude,Large Vertical + 集成罗盘与姿态,水平罗盘与姿态,大型垂直仪表 .QGC.MetaData.Facts[requestControlAllowTakeover].shortDesc, When requesting vehicle control, allow other GCS to override control automatically, or require this GCS to accept the request first. - When requesting vehicle control, allow other GCS to override control automatically, or require this GCS to accept the request first. + 请求飞行器控制权时,允许其他GCS自动接管控制,或要求本GCS首先接受请求。 .QGC.MetaData.Facts[requestControlTimeout].shortDesc, Timeout in seconds before a request to a GCS to allow takeover is assumed to be rejected. This is used to display the timeout graphically on requestor and GCS in control. - Timeout in seconds before a request to a GCS to allow takeover is assumed to be rejected. This is used to display the timeout graphically on requestor and GCS in control. + 向GCS请求允许接管的超时时间(秒),超过此时间则视为拒绝。此设置用于在请求方和控制中的GCS上图形化显示超时。 @@ -4063,43 +4063,43 @@ .QGC.MetaData.Facts[px4HiddenFlightModes].shortDesc, Comma separated list of hidden flight modes - Comma separated list of hidden flight modes + 隐藏飞行模式逗号分隔列表 .QGC.MetaData.Facts[px4HiddenFlightModesMultiRotor].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesMultiRotor].shortDesc, Comma separated list of hidden flight modes for MultiRotor - Comma separated list of hidden flight modes for MultiRotor + 多旋翼隐藏飞行模式逗号分隔列表 .QGC.MetaData.Facts[px4HiddenFlightModesFixedWing].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesFixedWing].shortDesc, Comma separated list of hidden flight modes for FixedWing - Comma separated list of hidden flight modes for FixedWing + 为FixedWing隐藏的飞行模式列表(逗号分隔) .QGC.MetaData.Facts[px4HiddenFlightModesVTOL].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesVTOL].shortDesc, Comma separated list of hidden flight modes for VTOL - Comma separated list of hidden flight modes for VTOL + 垂直起降 (VTOL) 隐藏飞行模式逗号分隔列表 .QGC.MetaData.Facts[px4HiddenFlightModesRoverBoat].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesRoverBoat].shortDesc, Comma separated list of hidden flight modes for RoverBoat - Comma separated list of hidden flight modes for RoverBoat + 为RoverBoat隐藏的飞行模式列表(逗号分隔) .QGC.MetaData.Facts[px4HiddenFlightModesSub].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesSub].shortDesc, Comma separated list of hidden flight modes for Sub - Comma separated list of hidden flight modes for Sub + 水下机器人隐藏飞行模式逗号分隔列表 .QGC.MetaData.Facts[px4HiddenFlightModesAirship].shortDesc, .QGC.MetaData.Facts[apmHiddenFlightModesAirship].shortDesc, Comma separated list of hidden flight modes for Airship - Comma separated list of hidden flight modes for Airship + 飞艇隐藏飞行模式逗号分隔列表 @@ -4108,109 +4108,109 @@ .QGC.MetaData.Facts[autoConnectUDP].shortDesc, Automatically open a connection over UDP - Automatically open a connection over UDP + 自动通过UDP打开连接 .QGC.MetaData.Facts[autoConnectUDP].longDesc, If this option is enabled GroundControl will automatically connect to a vehicle which is detected on a UDP communication link. - If this option is enabled GroundControl will automatically connect to a vehicle which is detected on a UDP communication link. + 如果启用此选项,GroundControl将自动连接到在UDP通信链路上检测到的飞行器。 .QGC.MetaData.Facts[autoConnectPixhawk].shortDesc, Automatically connect to a Pixhawk board - Automatically connect to a Pixhawk board + 自动连接到 Pixhawk 板 .QGC.MetaData.Facts[autoConnectPixhawk].longDesc, If this option is enabled GroundControl will automatically connect to a Pixhawk board which is connected via USB. - If this option is enabled GroundControl will automatically connect to a Pixhawk board which is connected via USB. + 如果启用此选项,GroundControl 将自动连接到通过 USB 连接的 Pixhawk 板。 .QGC.MetaData.Facts[autoConnectSiKRadio].shortDesc, Automatically connect to a SiK Radio - Automatically connect to a SiK Radio + 自动连接到SiK电台 .QGC.MetaData.Facts[autoConnectSiKRadio].longDesc, If this option is enabled GroundControl will automatically connect to a vehicle which is detected on a SiK Radio communication link. - If this option is enabled GroundControl will automatically connect to a vehicle which is detected on a SiK Radio communication link. + 如果启用此选项,GroundControl 将自动连接到在 SiK 无线电通信链路上检测到的飞行器。 .QGC.MetaData.Facts[autoConnectRTKGPS].shortDesc, Automatically connect to an RTK GPS - Automatically connect to an RTK GPS + 自动连接到 RTK GPS .QGC.MetaData.Facts[autoConnectRTKGPS].longDesc, If this option is enabled GroundControl will automatically connect to an RTK GPS which is connected via USB. - If this option is enabled GroundControl will automatically connect to an RTK GPS which is connected via USB. + 如果启用此选项,GroundControl 将自动连接到通过 USB 连接的 RTK GPS。 .QGC.MetaData.Facts[autoConnectLibrePilot].shortDesc, Automatically connect to a LibrePilot - Automatically connect to a LibrePilot + 自动连接到 LibrePilot .QGC.MetaData.Facts[autoConnectLibrePilot].longDesc, If this option is enabled GroundControl will automatically connect to a LibrePilot board which is connected via USB. - If this option is enabled GroundControl will automatically connect to a LibrePilot board which is connected via USB. + 如果启用此选项,GroundControl将自动连接到通过USB连接的LibrePilot板。 .QGC.MetaData.Facts[autoConnectNmeaPort].shortDesc, .QGC.MetaData.Facts[autoConnectNmeaPort].longDesc, NMEA GPS device for GCS position - NMEA GPS device for GCS position + 用于地面控制站 (GCS) 位置的 NMEA GPS 设备 .QGC.MetaData.Facts[autoConnectNmeaBaud].shortDesc, .QGC.MetaData.Facts[autoConnectNmeaBaud].longDesc, NMEA GPS Baudrate - NMEA GPS Baudrate + NMEA GPS波特率 .QGC.MetaData.Facts[autoConnectZeroConf].shortDesc, Automatically open a connection with Zero-Conf - Automatically open a connection with Zero-Conf + 自动与 Zero-Conf 建立连接 .QGC.MetaData.Facts[autoConnectZeroConf].longDesc, If this option is enabled GroundControl will automatically connect to a vehicle which is detected over Zero-Conf. - If this option is enabled GroundControl will automatically connect to a vehicle which is detected over Zero-Conf. + 如果启用此选项,GroundControl 将自动连接到通过 Zero-Conf 检测到的飞行器。 .QGC.MetaData.Facts[udpListenPort].shortDesc, UDP port for autoconnect - UDP port for autoconnect + 用于自动连接的 UDP 端口 .QGC.MetaData.Facts[udpTargetHostIP].shortDesc, UDP target host IP for autoconnect - UDP target host IP for autoconnect + 用于自动连接的 UDP 目标主机 IP .QGC.MetaData.Facts[udpTargetHostPort].shortDesc, UDP target host port for autoconnect - UDP target host port for autoconnect + 用于自动连接的UDP目标主机端口 .QGC.MetaData.Facts[nmeaUdpPort].shortDesc, Udp port to receive NMEA streams - Udp port to receive NMEA streams + 接收 NMEA 数据流的 UDP 端口 @@ -4219,43 +4219,43 @@ .QGC.MetaData.Facts[displayPresetsTabFirst].shortDesc, Display the presets tab at start - Display the presets tab at start + 启动时显示预设选项卡 .QGC.MetaData.Facts[showMissionItemStatus].shortDesc, Show/Hide the mission item status display - Show/Hide the mission item status display + 显示/隐藏任务项目状态显示 .QGC.MetaData.Facts[takeoffItemNotRequired].shortDesc, Allow missions to not require a takeoff item - Allow missions to not require a takeoff item + 允许任务不需要起飞项目 .QGC.MetaData.Facts[allowMultipleLandingPatterns].shortDesc, Allow configuring multiple landing sequences if the firmware supports it. The first one will be used for the mission, but in the event of an RTL, the one that is closest will be used instead. - Allow configuring multiple landing sequences if the firmware supports it. The first one will be used for the mission, but in the event of an RTL, the one that is closest will be used instead. + 如果固件支持,允许配置多个降落序列。第一个将用于任务,但在返航(RTL)事件中,将改用最近的一个。 .QGC.MetaData.Facts[useConditionGate].shortDesc, Use MAV_CMD_CONDITION_GATE for pattern generation - Use MAV_CMD_CONDITION_GATE for pattern generation + 使用 MAV_CMD_CONDITION_GATE 生成航线 .QGC.MetaData.Facts[showGimbalOnlyWhenSet].shortDesc, Show gimbal yaw visual only when set explicitly for the waypoint - Show gimbal yaw visual only when set explicitly for the waypoint + 仅当为航点明确设置时才显示云台偏航视觉指示 .QGC.MetaData.Facts[vtolTransitionDistance].shortDesc, Amount of distance required for vehicle to complete a transition - Amount of distance required for vehicle to complete a transition + 飞行器完成过渡所需的距离量 @@ -4264,25 +4264,25 @@ .QGC.MetaData.Facts[adsbServerConnectEnabled].shortDesc, Connect to ADSB SBS server - Connect to ADSB SBS server + 连接到 ADSB SBS 服务器 .QGC.MetaData.Facts[adsbServerConnectEnabled].longDesc, Connect to ADSB SBS-1 server using specified address/port - Connect to ADSB SBS-1 server using specified address/port + 使用指定的地址/端口连接到 ADSB SBS-1 服务器 .QGC.MetaData.Facts[adsbServerHostAddress].shortDesc, Host address - Host address + 主机地址 .QGC.MetaData.Facts[adsbServerPort].shortDesc, Server port - Server port + 服务器端口 @@ -4291,128 +4291,128 @@ .QGC.MetaData.Facts[videoSource].shortDesc, Video source - Video source + 视频源 .QGC.MetaData.Facts[videoSource].longDesc, Source for video. UDP, TCP, RTSP and UVC Cameras may be supported depending on Vehicle and ground station version. - Source for video. UDP, TCP, RTSP and UVC Cameras may be supported depending on Vehicle and ground station version. + 视频源。UDP、TCP、RTSP 和 UVC 相机可能受支持,具体取决于飞行器和地面站版本。 .QGC.MetaData.Facts[udpUrl].shortDesc, Video UDP Url - Video UDP Url + 视频 UDP URL .QGC.MetaData.Facts[udpUrl].longDesc, UDP url address and port to bind to for video stream. Example: 0.0.0.0:5600 - UDP url address and port to bind to for video stream. Example: 0.0.0.0:5600 + 用于视频流的UDP绑定地址和端口。例如:0.0.0.0:5600 .QGC.MetaData.Facts[rtspUrl].shortDesc, Video RTSP Url - Video RTSP Url + 视频RTSP地址 .QGC.MetaData.Facts[rtspUrl].longDesc, RTSP url address and port to bind to for video stream. Example: rtsp://192.168.42.1:554/live - RTSP url address and port to bind to for video stream. Example: rtsp://192.168.42.1:554/live + 用于视频流的 RTSP url 地址和端口。示例:rtsp://192.168.42.1:554/live .QGC.MetaData.Facts[tcpUrl].shortDesc, Video TCP Url - Video TCP Url + 视频 TCP URL .QGC.MetaData.Facts[tcpUrl].longDesc, TCP url address and port to bind to for video stream. Example: 192.168.143.200:3001 - TCP url address and port to bind to for video stream. Example: 192.168.143.200:3001 + 用于视频流的 TCP url 地址和端口。示例:192.168.143.200:3001 .QGC.MetaData.Facts[videoSavePath].shortDesc, Video save directory - Video save directory + 视频保存目录 .QGC.MetaData.Facts[videoSavePath].longDesc, Directory to save videos to. - Directory to save videos to. + 保存视频的目录。 .QGC.MetaData.Facts[aspectRatio].shortDesc, Video Aspect Ratio - Video Aspect Ratio + 视频宽高比 .QGC.MetaData.Facts[aspectRatio].longDesc, Video Aspect Ratio (width / height). Use 0.0 to ignore it. - Video Aspect Ratio (width / height). Use 0.0 to ignore it. + 视频宽高比(宽度 / 高度)。使用 0.0 忽略它。 .QGC.MetaData.Facts[gridLines].shortDesc, Video Grid Lines - Video Grid Lines + 视频网格线 .QGC.MetaData.Facts[gridLines].longDesc, Displays a grid overlaid over the video view. - Displays a grid overlaid over the video view. + 在视频视图上显示叠加的网格。 .QGC.MetaData.Facts[videoFit].shortDesc, Video Display Fit - Video Display Fit + 视频显示适应方式 .QGC.MetaData.Facts[videoFit].longDesc, Handle Video Aspect Ratio. - Handle Video Aspect Ratio. + 处理视频宽高比。 .QGC.MetaData.Facts[videoFit].enumStrings, Only use english comma ',' to separate strings Fit Width,Fit Height,Fill,No Crop - Fit Width,Fit Height,Fill,No Crop + 适应宽度, 适应高度, 填充, 无裁剪 .QGC.MetaData.Facts[showRecControl].shortDesc, Show Video Record Control - Show Video Record Control + 显示视频录制控制 .QGC.MetaData.Facts[showRecControl].longDesc, Show recording control in the UI. - Show recording control in the UI. + 在用户界面中显示录制控制。 .QGC.MetaData.Facts[recordingFormat].shortDesc, Video Recording Format - Video Recording Format + 视频录制格式 .QGC.MetaData.Facts[recordingFormat].longDesc, Video recording file format. - Video recording file format. + 视频录制文件格式。 .QGC.MetaData.Facts[recordingFormat].enumStrings, @@ -4425,92 +4425,92 @@ .QGC.MetaData.Facts[maxVideoSize].shortDesc, Max Video Storage Usage - Max Video Storage Usage + 最大视频存储使用量 .QGC.MetaData.Facts[maxVideoSize].longDesc, Maximum amount of disk space used by video recording. - Maximum amount of disk space used by video recording. + 视频录制使用的最大磁盘空间量。 .QGC.MetaData.Facts[enableStorageLimit].shortDesc, Enable/Disable Limits on Storage Usage - Enable/Disable Limits on Storage Usage + 启用/禁用存储使用限制 .QGC.MetaData.Facts[enableStorageLimit].longDesc, When enabled, old video files will be auto-deleted when the total size of QGC-recorded video exceeds the maximum video storage usage. - When enabled, old video files will be auto-deleted when the total size of QGC-recorded video exceeds the maximum video storage usage. + 启用后,当 QGC 录制的视频总大小超过最大视频存储使用量时,旧的视频文件将被自动删除。 .QGC.MetaData.Facts[rtspTimeout].shortDesc, RTSP Video Timeout - RTSP Video Timeout + RTSP 视频超时 .QGC.MetaData.Facts[rtspTimeout].longDesc, How long to wait before assuming RTSP link is gone. - How long to wait before assuming RTSP link is gone. + 在假定 RTSP 链路断开前等待多长时间。 .QGC.MetaData.Facts[streamEnabled].shortDesc, Video Stream Enabled - Video Stream Enabled + 视频流已启用 .QGC.MetaData.Facts[streamEnabled].longDesc, Start/Stop Video Stream. - Start/Stop Video Stream. + 开始/停止视频流。 .QGC.MetaData.Facts[disableWhenDisarmed].shortDesc, Video Stream Disnabled When Armed - Video Stream Disnabled When Armed + 解锁时禁用视频流 .QGC.MetaData.Facts[disableWhenDisarmed].longDesc, Disable Video Stream when disarmed. - Disable Video Stream when disarmed. + 解锁时禁用视频流。 .QGC.MetaData.Facts[lowLatencyMode].shortDesc, Tweaks video for lower latency - Tweaks video for lower latency + 调整视频以降低延迟 .QGC.MetaData.Facts[lowLatencyMode].longDesc, If this option is enabled, the rtpjitterbuffer is removed and the video sink is set to assynchronous mode, reducing the latency by about 200 ms. - If this option is enabled, the rtpjitterbuffer is removed and the video sink is set to assynchronous mode, reducing the latency by about 200 ms. + 如果启用此选项,将移除 rtpjitterbuffer 并将视频接收器设置为异步模式,从而减少约 200 毫秒的延迟。 .QGC.MetaData.Facts[forceVideoDecoder].shortDesc, Force specific category of video decode - Force specific category of video decode + 强制使用特定类别的视频解码 .QGC.MetaData.Facts[forceVideoDecoder].longDesc, Force the change of prioritization between video decode methods, allowing the user to force some video hardware decode plugins if necessary. - Force the change of prioritization between video decode methods, allowing the user to force some video hardware decode plugins if necessary. + 强制更改视频解码方法之间的优先级,允许用户在必要时强制使用某些视频硬件解码插件。 .QGC.MetaData.Facts[forceVideoDecoder].enumStrings, Only use english comma ',' to separate strings Default,Force software decoder,Force NVIDIA decoder,Force VA-API decoder,Force DirectX3D 11 decoder,Force VideoToolbox decoder,Force Intel decoder,Force Vulkan decoder - Default,Force software decoder,Force NVIDIA decoder,Force VA-API decoder,Force DirectX3D 11 decoder,Force VideoToolbox decoder,Force Intel decoder,Force Vulkan decoder + 默认, 强制软件解码器, 强制 NVIDIA 解码器, 强制 VA-API 解码器, 强制 DirectX3D 11 解码器, 强制 VideoToolbox 解码器, 强制 Intel 解码器, 强制 Vulkan 解码器 @@ -4519,25 +4519,25 @@ .QGC.MetaData.Facts[enabled].shortDesc, Enable the 3D viewer - Enable the 3D viewer + 启用3D视图 .QGC.MetaData.Facts[osmFilePath].shortDesc, Path to the OSM file for the 3D viewer. - Path to the OSM file for the 3D viewer. + 3D 查看器的 OSM 文件路径。 .QGC.MetaData.Facts[buildingLevelHeight].shortDesc, Average Height for each level of the buildings - Average Height for each level of the buildings + 建筑物每层的平均高度 .QGC.MetaData.Facts[altitudeBias].shortDesc, Altitude bias for vehicles in the 3D View - Altitude bias for vehicles in the 3D View + 3D 视图中飞行器的高度偏差 @@ -4546,68 +4546,68 @@ .QGC.MetaData.Facts[EnableOnScreenControl].shortDesc, Enable on Screen Camera Control - Enable on Screen Camera Control + 启用屏幕相机控制 .QGC.MetaData.Facts[ControlType].shortDesc, Type of on-screen control - Type of on-screen control + 屏幕控制类型 .QGC.MetaData.Facts[ControlType].enumStrings, Only use english comma ',' to separate strings Click to point, click and drag - Click to point, click and drag + 点击指向,点击并拖动 .QGC.MetaData.Facts[CameraVFov].shortDesc, Vertical camera field of view - Vertical camera field of view + 相机垂直视场角 .QGC.MetaData.Facts[CameraHFov].shortDesc, Horizontal camera field of view - Horizontal camera field of view + 相机水平视场角 .QGC.MetaData.Facts[CameraSlideSpeed].shortDesc, Maximum gimbal speed on click and drag (deg/sec) - Maximum gimbal speed on click and drag (deg/sec) + 点击和拖动时的最大云台速度(度/秒) .QGC.MetaData.Facts[showAzimuthIndicatorOnMap].shortDesc, Show gimbal Azimuth indicator over vehicle icon in map - Show gimbal Azimuth indicator over vehicle icon in map + 在地图上的飞行器图标上方显示云台方位角指示器 .QGC.MetaData.Facts[toolbarIndicatorShowAzimuth].shortDesc, Show Azimuth instead of local yaw on top toolbar gimbal indicator - Show Azimuth instead of local yaw on top toolbar gimbal indicator + 在顶部工具栏云台指示器上显示方位角而非本地偏航角 .QGC.MetaData.Facts[toolbarIndicatorShowAcquireReleaseControl].shortDesc, Show Azimuth Acquire/release buttons in the gimbal buttons panel - Show Azimuth Acquire/release buttons in the gimbal buttons panel + 在云台按钮面板中显示方位角获取/释放按钮 .QGC.MetaData.Facts[joystickButtonsSpeed].shortDesc, Rate used for joystick button control (deg/sec) - Rate used for joystick button control (deg/sec) + 用于摇杆按钮控制的速率(度/秒) .QGC.MetaData.Facts[joystickButtonsSpeed].longDesc, When a joystick button is set to gimbal left/right/up/down, it will send this rate when pressed, and it will stop moving when button is released - When a joystick button is set to gimbal left/right/up/down, it will send this rate when pressed, and it will stop moving when button is released + 当摇杆按钮设置为云台左/右/上/下时,按下将发送此速率,松开按钮则停止移动 @@ -4616,26 +4616,26 @@ .QGC.MetaData.Facts[valueDisplay].shortDesc, Select values to display in indicator - Select values to display in indicator + 选择要在指示器中显示的值 .QGC.MetaData.Facts[valueDisplay].enumStrings, Only use english comma ',' to separate strings Percentage,Voltage,Percentage and Voltage - Percentage,Voltage,Percentage and Voltage + 百分比, 电压, 百分比和电压 .QGC.MetaData.Facts[threshold1].shortDesc, Battery level threshold 1 - Battery level threshold 1 + 电池电量阈值 1 .QGC.MetaData.Facts[threshold2].shortDesc, Battery level threshold 2 - Battery level threshold 2 + 电池电量阈值 2 @@ -4644,19 +4644,19 @@ .QGC.MetaData.Facts[userBrandImageIndoor].shortDesc, .QGC.MetaData.Facts[userBrandImageOutdoor].shortDesc, User-selected brand image - User-selected brand image + 用户选择的品牌图像 .QGC.MetaData.Facts[userBrandImageIndoor].longDesc, Location in file system of user-selected brand image (indoor) - Location in file system of user-selected brand image (indoor) + 用户选择的品牌图片(室内)在文件系统中的位置 .QGC.MetaData.Facts[userBrandImageOutdoor].longDesc, Location in file system of user-selected brand image (outdoor) - Location in file system of user-selected brand image (outdoor) + 用户选择的品牌图像在文件系统中的位置(户外) @@ -4665,7 +4665,7 @@ .QGC.MetaData.Facts[offlineEditingFirmwareClass].shortDesc, Offline editing firmware class - Offline editing firmware class + 离线编辑固件类别 .QGC.MetaData.Facts[offlineEditingFirmwareClass].enumStrings, @@ -4678,213 +4678,213 @@ .QGC.MetaData.Facts[offlineEditingVehicleClass].shortDesc, Offline editing vehicle class - Offline editing vehicle class + 离线编辑飞行器类别 .QGC.MetaData.Facts[offlineEditingVehicleClass].enumStrings, Only use english comma ',' to separate strings Fixed Wing,Multi-Rotor,VTOL,Rover,Sub,Mavlink Generic - Fixed Wing,Multi-Rotor,VTOL,Rover,Sub,Mavlink Generic + 固定翼,多旋翼,垂直起降,地面车辆,水下,MAVLink通用 .QGC.MetaData.Facts[offlineEditingCruiseSpeed].shortDesc, Offline editing cruise speed - Offline editing cruise speed + 离线编辑巡航速度 .QGC.MetaData.Facts[offlineEditingCruiseSpeed].longDesc, This value defines the default speed for calculating mission statistics for vehicles which do not support hover or VTOL vehicles in fixed wing mode. It does not modify the flight speed for a specific flight plan. - This value defines the default speed for calculating mission statistics for vehicles which do not support hover or VTOL vehicles in fixed wing mode. It does not modify the flight speed for a specific flight plan. + 此值定义了用于计算不支持悬停的飞行器或固定翼模式下的 VTOL 飞行器的任务统计数据的默认速度。它不会修改特定飞行计划的飞行速度。 .QGC.MetaData.Facts[offlineEditingHoverSpeed].shortDesc, Offline editing hover speed - Offline editing hover speed + 离线编辑悬停速度 .QGC.MetaData.Facts[offlineEditingHoverSpeed].longDesc, This value defines the default speed for calculating mission statistics for multi-rotor vehicles or VTOL vehicle in multi-rotor mode. It does not modify the flight speed for a specific flight plan. - This value defines the default speed for calculating mission statistics for multi-rotor vehicles or VTOL vehicle in multi-rotor mode. It does not modify the flight speed for a specific flight plan. + 此值定义了用于计算多旋翼飞行器或处于多旋翼模式的VTOL飞行器的任务统计数据的默认速度。它不会修改特定飞行计划的飞行速度。 .QGC.MetaData.Facts[offlineEditingAscentSpeed].shortDesc, Offline editing ascent speed - Offline editing ascent speed + 离线编辑爬升速度 .QGC.MetaData.Facts[offlineEditingAscentSpeed].longDesc, This value defines the ascent speed for multi-rotor vehicles for use in calculating mission duration. - This value defines the ascent speed for multi-rotor vehicles for use in calculating mission duration. + 此值定义了用于计算多旋翼飞行器任务持续时间的爬升速度。 .QGC.MetaData.Facts[offlineEditingDescentSpeed].shortDesc, Offline editing descent speed - Offline editing descent speed + 离线编辑下降速度 .QGC.MetaData.Facts[offlineEditingDescentSpeed].longDesc, This value defines the cruising speed for multi-rotor vehicles for use in calculating mission duration. - This value defines the cruising speed for multi-rotor vehicles for use in calculating mission duration. + 此值定义了用于计算多旋翼飞行器任务持续时间的巡航速度。 .QGC.MetaData.Facts[batteryPercentRemainingAnnounce].shortDesc, Announce battery remaining percent - Announce battery remaining percent + 播报剩余电池百分比 .QGC.MetaData.Facts[batteryPercentRemainingAnnounce].longDesc, Announce the remaining battery percent when it falls below the specified percentage. - Announce the remaining battery percent when it falls below the specified percentage. + 当剩余电池百分比低于指定百分比时进行播报。 .QGC.MetaData.Facts[defaultMissionItemAltitude].shortDesc, Default value for altitude - Default value for altitude + 高度的默认值 .QGC.MetaData.Facts[defaultMissionItemAltitude].longDesc, This value specifies the default altitude for new items added to a mission. - This value specifies the default altitude for new items added to a mission. + 此值指定添加到任务中的新项目的默认高度。 .QGC.MetaData.Facts[audioMuted].shortDesc, Mute audio output - Mute audio output + 静音音频输出 .QGC.MetaData.Facts[audioMuted].longDesc, If this option is enabled all audio output will be muted. - If this option is enabled all audio output will be muted. + 如果启用此选项,所有音频输出将被静音。 .QGC.MetaData.Facts[virtualJoystick].shortDesc, Show virtual joystick - Show virtual joystick + 显示虚拟摇杆 .QGC.MetaData.Facts[virtualJoystick].longDesc, If this option is enabled the virtual joystick will be shown on the Fly view. - If this option is enabled the virtual joystick will be shown on the Fly view. + 如果启用此选项,虚拟摇杆将显示在飞行视图上。 .QGC.MetaData.Facts[virtualJoystickAutoCenterThrottle].shortDesc, Auto-Center Throttle - Auto-Center Throttle + 自动居中油门 .QGC.MetaData.Facts[virtualJoystickAutoCenterThrottle].longDesc, If enabled the throttle stick will snap back to center when released. - If enabled the throttle stick will snap back to center when released. + 如果启用,油门摇杆在释放时会弹回中心。 .QGC.MetaData.Facts[virtualJoystickLeftHandedMode].shortDesc, Left Handed Mode - Left Handed Mode + 左手模式 .QGC.MetaData.Facts[virtualJoystickLeftHandedMode].longDesc, If this option is enabled the virtual joystick layout will be reversed - If this option is enabled the virtual joystick layout will be reversed + 如果启用此选项,虚拟摇杆布局将被反转 .QGC.MetaData.Facts[gstDebugLevel].shortDesc, Video streaming debug - Video streaming debug + 视频流调试 .QGC.MetaData.Facts[gstDebugLevel].longDesc, Sets the environment variable GST_DEBUG for all pipeline elements on boot. - Sets the environment variable GST_DEBUG for all pipeline elements on boot. + 在启动时为所有流水线元素设置GST_DEBUG环境变量。 .QGC.MetaData.Facts[gstDebugLevel].enumStrings, Only use english comma ',' to separate strings Disabled,Error,Warning,FixMe,Info,Debug,Log,Trace - Disabled,Error,Warning,FixMe,Info,Debug,Log,Trace + 禁用, 错误, 警告, 待修复, 信息, 调试, 日志, 跟踪 .QGC.MetaData.Facts[useChecklist].shortDesc, Use preflight checklist - Use preflight checklist + 使用飞行前检查单 .QGC.MetaData.Facts[useChecklist].longDesc, If this option is enabled the preflight checklist will be used. - If this option is enabled the preflight checklist will be used. + 如果启用此选项,将使用飞行前检查单。 .QGC.MetaData.Facts[enforceChecklist].shortDesc, Preflight checklist must pass before arming - Preflight checklist must pass before arming + 解锁前飞行前检查单必须通过 .QGC.MetaData.Facts[enforceChecklist].longDesc, If this option is enabled the preflight checklist must pass before arming. - If this option is enabled the preflight checklist must pass before arming. + 如果启用此选项,则飞行前检查单必须在解锁前通过。 .QGC.MetaData.Facts[enableMultiVehiclePanel].shortDesc, Enable Multi-Vehicle Panel - Enable Multi-Vehicle Panel + 启用多飞行器面板 .QGC.MetaData.Facts[enableMultiVehiclePanel].longDesc, Enable Multi-Vehicle Panel when multiple vehicles are connected. - Enable Multi-Vehicle Panel when multiple vehicles are connected. + 当连接多个飞行器时,启用多飞行器面板。 .QGC.MetaData.Facts[appFontPointSize].shortDesc, Application font size - Application font size + 应用程序字体大小 .QGC.MetaData.Facts[appFontPointSize].longDesc, The point size for the default font used. - The point size for the default font used. + 所用默认字体的点大小。 .QGC.MetaData.Facts[indoorPalette].shortDesc, Application color scheme - Application color scheme + 应用程序配色方案 .QGC.MetaData.Facts[indoorPalette].longDesc, The color scheme for the user interface. - The color scheme for the user interface. + 用户界面的配色方案。 .QGC.MetaData.Facts[indoorPalette].enumStrings, @@ -4897,103 +4897,103 @@ .QGC.MetaData.Facts[savePath].shortDesc, Application save directory - Application save directory + 应用程序保存目录 .QGC.MetaData.Facts[savePath].longDesc, Directory to which all data files are saved/loaded from - Directory to which all data files are saved/loaded from + 所有数据文件保存/加载的目录 .QGC.MetaData.Facts[androidSaveToSDCard].shortDesc, Save to SD card - Save to SD card + 保存到 SD 卡 .QGC.MetaData.Facts[androidSaveToSDCard].longDesc, Application data is saved to the sd card - Application data is saved to the sd card + 应用程序数据保存到 SD 卡 .QGC.MetaData.Facts[mapboxToken].shortDesc, Access token to Mapbox maps - Access token to Mapbox maps + Mapbox 地图访问令牌 .QGC.MetaData.Facts[mapboxToken].longDesc, Your personal access token for Mapbox maps - Your personal access token for Mapbox maps + 您的 Mapbox 地图个人访问令牌 .QGC.MetaData.Facts[mapboxAccount].shortDesc, Account name for Mapbox maps - Account name for Mapbox maps + Mapbox 地图账户名 .QGC.MetaData.Facts[mapboxAccount].longDesc, Your personal account name for Mapbox maps - Your personal account name for Mapbox maps + 您的 Mapbox 地图个人账户名 .QGC.MetaData.Facts[mapboxStyle].shortDesc, Map style ID - Map style ID + 地图样式 ID .QGC.MetaData.Facts[mapboxStyle].longDesc, Map design style ID for Mapbox maps - Map design style ID for Mapbox maps + Mapbox 地图的地图设计样式 ID .QGC.MetaData.Facts[esriToken].shortDesc, Access token to Esri maps - Access token to Esri maps + Esri地图的访问令牌 .QGC.MetaData.Facts[esriToken].longDesc, Your personal access token for Esri maps - Your personal access token for Esri maps + 您的 Esri 地图个人访问令牌 .QGC.MetaData.Facts[customURL].shortDesc, Custom Map URL - Custom Map URL + 自定义地图 URL .QGC.MetaData.Facts[customURL].longDesc, URL for X Y Z map with {x} {y} {z} or {zoom} substitutions. Eg: https://basemaps.linz.govt.nz/v1/tiles/aerial/EPSG:3857/{z}/{x}/{y}.png?api=d01ev80nqcjxddfvc6amyvkk1ka - URL for X Y Z map with {x} {y} {z} or {zoom} substitutions. Eg: https://basemaps.linz.govt.nz/v1/tiles/aerial/EPSG:3857/{z}/{x}/{y}.png?api=d01ev80nqcjxddfvc6amyvkk1ka + XYZ地图的URL,可使用{x}、{y}、{z}或{zoom}替换。例如:https://basemaps.linz.govt.nz/v1/tiles/aerial/EPSG:3857/{z}/{x}/{y}.png?api=d01ev80nqcjxddfvc6amyvkk1ka .QGC.MetaData.Facts[vworldToken].shortDesc, VWorld Token - VWorld Token + VWorld令牌 .QGC.MetaData.Facts[vworldToken].longDesc, Your personal access token for VWorld maps - Your personal access token for VWorld maps + 您的 VWorld 地图个人访问令牌 .QGC.MetaData.Facts[followTarget].shortDesc, Stream GCS' coordinates to Autopilot - Stream GCS' coordinates to Autopilot + 将GCS的坐标流传输给自动驾驶仪 .QGC.MetaData.Facts[followTarget].enumStrings, @@ -5006,37 +5006,37 @@ .QGC.MetaData.Facts[qLocaleLanguage].shortDesc, Language - Language + 语言 .QGC.MetaData.Facts[disableAllPersistence].shortDesc, Disable all data persistence - Disable all data persistence + 禁用所有数据持久化 .QGC.MetaData.Facts[disableAllPersistence].longDesc, If this option is set, nothing will be saved to disk. - If this option is set, nothing will be saved to disk. + 如果设置此选项,则不会将任何内容保存到磁盘。 .QGC.MetaData.Facts[firstRunPromptIdsShown].shortDesc, Comma separated list of first run prompt ids which have already been shown. - Comma separated list of first run prompt ids which have already been shown. + 已显示过的首次运行提示 ID 的逗号分隔列表。 .QGC.MetaData.Facts[loginAirLink].shortDesc, AirLink User Name - AirLink User Name + 空中链路用户名 .QGC.MetaData.Facts[passAirLink].shortDesc, AirLink Password - AirLink Password + 空中链路密码 diff --git a/translations/qgc_source_zh_CN.ts b/translations/qgc_source_zh_CN.ts index 9b548a61fd88..9dd4e8a8a453 100644 --- a/translations/qgc_source_zh_CN.ts +++ b/translations/qgc_source_zh_CN.ts @@ -27,7 +27,7 @@ To change this configuration, select the desired frame class below and then reboot the vehicle. - To change this configuration, select the desired frame class below and then reboot the vehicle. + 要更改此配置,请在下方选择所需的机架类别,然后重启飞行器。 @@ -318,22 +318,22 @@ Channel 15 - Channel 15 + 通道15 Channel 16 - Channel 16 + 通道16 Show all settings (advanced) - Show all settings (advanced) + 显示所有设置(高级) Camera mount tilt speed: - Camera mount tilt speed: + 相机云台倾斜速度: @@ -584,12 +584,12 @@ Unable to pause vehicle. - Unable to pause vehicle. + 无法暂停飞行器。 Vehicle does not support guided rotate - Vehicle does not support guided rotate + 飞行器不支持引导旋转 @@ -614,17 +614,17 @@ Unable to start takeoff: Vehicle is already in the air. - Unable to start takeoff: Vehicle is already in the air. + 无法开始起飞:飞行器已在空中。 Unable to start takeoff: Vehicle failed to change to Takeoff mode. - Unable to start takeoff: Vehicle failed to change to Takeoff mode. + 无法开始起飞:飞行器未能切换到起飞模式。 Unable to start takeoff: Vehicle failed to arm. - Unable to start takeoff: Vehicle failed to arm. + 无法开始起飞:飞行器未能解锁。 @@ -648,22 +648,22 @@ Return to Launch - Return to Launch + 返回起始点 Return At - Return At + 返回在 Current alttiude - Current alttiude + 当前高度 Specified altitude - Specified altitude + 指定高度 @@ -915,7 +915,7 @@ Follow Me - Follow Me + 跟随我 @@ -923,47 +923,47 @@ Follow Enabled - Follow Enabled + 跟随已启用 Follow System ID - Follow System ID + 跟随系统ID Max Distance - Max Distance + 最大距离 Offset X - Offset X + X偏移 Offset Y - Offset Y + Y偏移 Offset Z - Offset Z + Z偏移 Offset Type - Offset Type + 偏移类型 Altitude Type - Altitude Type + 高度类型 Yaw Behavior - Yaw Behavior + 偏航行为 @@ -1205,22 +1205,22 @@ Ground Control Comm Loss Failsafe - Ground Control Comm Loss Failsafe + 地面控制通信丢失故障保护 Vehicle Action - Vehicle Action + 飞行器动作 Loss Timeout - Loss Timeout + 丢失超时 Failsafe Options - Failsafe Options + 故障保护选项 @@ -1244,132 +1244,132 @@ Manual - Manual + 手动 Circle - Circle + 绕圆模式 Stabilize - Stabilize + 增稳模式 Training - Training + 训练 Acro - Acro + 特技模式 FBW A - FBW A + FBW A FBW B - FBW B + FBW B Cruise - Cruise + 巡航 Autotune - Autotune + 自动调参 Auto - Auto + 自动模式 RTL - RTL + 返航模式 Loiter - Loiter + 悬停模式 Takeoff - Takeoff + 起飞 Avoid ADSB - Avoid ADSB + 避让ADSB Guided - Guided + 引导模式 Initializing - Initializing + 初始化中 QuadPlane Stabilize - QuadPlane Stabilize + 四旋翼稳定 QuadPlane Hover - QuadPlane Hover + 四旋翼悬停 QuadPlane Loiter - QuadPlane Loiter + 四旋翼盘旋 QuadPlane Land - QuadPlane Land + 四旋翼降落 QuadPlane RTL - QuadPlane RTL + 四旋翼返航 QuadPlane AutoTune - QuadPlane AutoTune + 四旋翼自动调参 QuadPlane Acro - QuadPlane Acro + 四旋翼特技 Thermal - Thermal + 热气流 Loiter to QLand - Loiter to QLand + 盘旋到四旋翼降落 Autoland - Autoland + 自动降落 @@ -1563,12 +1563,12 @@ Blue Robotics Power Sense Module - Blue Robotics Power Sense Module + Blue Robotics功率感应模块 Navigator w/ Blue Robotics Power Sense Module - Navigator w/ Blue Robotics Power Sense Module + 带Blue Robotics功率感应模块的导航器 @@ -1707,27 +1707,27 @@ Host name: - Host name: + 主机名: Connect - Connect + 连接 Forwarding traffic: Mavlink traffic will keep being forwarded until application restarts - Forwarding traffic: Mavlink traffic will keep being forwarded until application restarts + 转发流量:Mavlink流量将持续转发直到应用程序重启 Remote Support - Remote Support + 远程支持 On this menu you can forward mavlink telemetry to an ardupilot support engineer. - On this menu you can forward mavlink telemetry to an ardupilot support engineer. + 在此菜单中,您可以将mavlink遥测转发给ardupilot支持工程师。 @@ -1735,77 +1735,77 @@ Manual - Manual + 手动 Acro - Acro + 特技模式 Learning - Learning + 学习 Steering - Steering + 转向 Hold - Hold + 保持 Loiter - Loiter + 悬停模式 Follow - Follow + 跟随模式 Simple - Simple + 简单 Dock - Dock + 停靠 Circle - Circle + 绕圆模式 Auto - Auto + 自动模式 RTL - RTL + 返航模式 Smart RTL - Smart RTL + 智能返航 Guided - Guided + 引导模式 Initializing - Initializing + 初始化中 @@ -1932,32 +1932,32 @@ Enabled - Enabled + 已启用 Maximum Altitude - Maximum Altitude + 最大高度 Circle centered on Home - Circle centered on Home + 以起始点为中心的圆形 Inclusion/Exclusion Circles+Polygons - Inclusion/Exclusion Circles+Polygons + 包含/排除圆形+多边形 Breach action - Breach action + 违规动作 Fence margin - Fence margin + 围栏边距 @@ -2291,7 +2291,7 @@ Logic when Dry: - Logic when Dry: + 干燥时逻辑: @@ -2301,17 +2301,17 @@ Power module not set up - Power module not set up + 电源模块未设置 Voltage: - Voltage: + 电压: Remaining Capacity: - Remaining Capacity: + 剩余容量: @@ -2326,7 +2326,7 @@ Timeout: - Timeout: + 超时: @@ -2828,7 +2828,7 @@ , - , + @@ -2908,72 +2908,72 @@ Simple accelerometer calibration is less precise but allows calibrating without rotating the vehicle. Check this if you have a large/heavy vehicle. - Simple accelerometer calibration is less precise but allows calibrating without rotating the vehicle. Check this if you have a large/heavy vehicle. + 简单加速度计校准精度较低,但无需旋转飞行器即可校准。如果您有大型/重型飞行器,请勾选此选项。 Magnetic Declination - Magnetic Declination + 磁偏角 Manual Magnetic Declination - Manual Magnetic Declination + 手动磁偏角 Fast compass calibration given vehicle position and yaw. This - Fast compass calibration given vehicle position and yaw. This + 基于飞行器位置和偏航的快速罗盘校准。这种 results in zero diagonal and off-diagonal elements, so is only - results in zero diagonal and off-diagonal elements, so is only + 方法会产生零对角和非对角元素,因此只 suitable for vehicles where the field is close to spherical. It is - suitable for vehicles where the field is close to spherical. It is + 适用于磁场接近球形的飞行器。它 useful for large vehicles where moving the vehicle to calibrate it - useful for large vehicles where moving the vehicle to calibrate it + 对于难以移动进行校准的大型飞行器 is difficult. Point the vehicle North before using it. - is difficult. Point the vehicle North before using it. + 很有用。使用前请将飞行器指向北方。 Fast Calibration - Fast Calibration + 快速校准 Vehicle has no Valid positon, please provide it - Vehicle has no Valid positon, please provide it + 飞行器没有有效位置,请提供 Use GCS position instead - Use GCS position instead + 改用地面站位置 Use current map position instead - Use current map position instead + 改用当前地图位置 Lat: - Lat: + 纬度: Compass Motor Interference Calibration - Compass Motor Interference Calibration + 指南针电机干扰校准 @@ -3207,7 +3207,7 @@ Click Ok to start calibration. In progress - In progress + 进行中 @@ -3250,7 +3250,7 @@ Click Ok to start calibration. Compasses: - Compasses: + 指南针: @@ -3266,17 +3266,17 @@ Click Ok to start calibration. Accelerometer(s): - Accelerometer(s): + 加速度计: Barometer(s): - Barometer(s): + 气压计: Not Supported(Over APM 4.1) - Not Supported(Over APM 4.1) + 不支持(APM 4.1以上) @@ -3294,37 +3294,37 @@ Click Ok to start calibration. Frame setup allows you to choose your vehicle's motor configuration. Install <b>clockwise</b><br>propellers on the <b>green thrusters</b> and <b>counter-clockwise</b> propellers on the <b>blue thrusters</b><br>(or vice-versa). The flight controller will need to be rebooted to apply changes.<br>When selecting a frame, you can choose to load the default parameter set for that frame configuration if available. - Frame setup allows you to choose your vehicle's motor configuration. Install <b>clockwise</b><br>propellers on the <b>green thrusters</b> and <b>counter-clockwise</b> propellers on the <b>blue thrusters</b><br>(or vice-versa). The flight controller will need to be rebooted to apply changes.<br>When selecting a frame, you can choose to load the default parameter set for that frame configuration if available. + 机架设置用于选择电机配置。<b>绿色推进器</b>安装<b>顺时针</b><br>螺旋桨,<b>蓝色推进器</b>安装<b>逆时针</b>螺旋桨<br>(或反之)。更改需重启飞控生效。<br>选择机架时可载入该配置的默认参数集(如有)。 Frame selection - Frame selection + 机架选择 Would you like to load the default parameters for the frame? - Would you like to load the default parameters for the frame? + 是否载入该机架的默认参数? Would you like to set the desired frame? - Would you like to set the desired frame? + 是否设置目标机架? Yes, Load default parameter set for %1 - Yes, Load default parameter set for %1 + 是,载入%1的默认参数集 No, set frame only - No, set frame only + 否,仅设置机架 Confirm frame %1 - Confirm frame %1 + 确认%1机架 @@ -3356,57 +3356,57 @@ Click Ok to start calibration. Manual - Manual + 手动 Stabilize - Stabilize + 增稳模式 Acro - Acro + 特技模式 Depth Hold - Depth Hold + 定深模式 Auto - Auto + 自动模式 Guided - Guided + 引导模式 Circle - Circle + 绕圆模式 Surface - Surface + 表面 Position Hold - Position Hold + 位置保持 Motor Detection - Motor Detection + 电机检测 Surftrak - Surftrak + 水面追踪 @@ -3452,12 +3452,12 @@ Please place your vehicle in water, click the button, and wait. Note that the th Mavlink traffic is being forwarded to a support server - Mavlink traffic is being forwarded to a support server + Mavlink通信正转发至支持服务器 Server name: - Server name: + 服务器名称: @@ -3613,22 +3613,22 @@ Please place your vehicle in water, click the button, and wait. Note that the th Roll axis angle controller P gain - Roll axis angle controller P gain + 横滚轴角度控制器P增益 Roll axis rate controller P gain - Roll axis rate controller P gain + 横滚轴速率控制器P增益 Roll axis rate controller I gain - Roll axis rate controller I gain + 横滚轴速率控制器I增益 Roll axis rate controller D gain - Roll axis rate controller D gain + 横滚轴速率控制器D增益 @@ -3638,22 +3638,22 @@ Please place your vehicle in water, click the button, and wait. Note that the th Pitch axis angle controller P gain - Pitch axis angle controller P gain + 俯仰轴角度控制器P增益 Pitch axis rate controller P gain - Pitch axis rate controller P gain + 俯仰轴速率控制器P增益 Pitch axis rate controller I gain - Pitch axis rate controller I gain + 俯仰轴速率控制器I增益 Pitch axis rate controller D gain - Pitch axis rate controller D gain + 俯仰轴速率控制器D增益 @@ -3663,17 +3663,17 @@ Please place your vehicle in water, click the button, and wait. Note that the th Yaw axis angle controller P gain - Yaw axis angle controller P gain + 偏航轴角度控制器P增益 Yaw axis rate controller P gain - Yaw axis rate controller P gain + 偏航轴速率控制器P增益 Yaw axis rate controller I gain - Yaw axis rate controller I gain + 偏航轴速率控制器I增益 @@ -3699,27 +3699,27 @@ Please place your vehicle in water, click the button, and wait. Note that the th Beep - Beep + 蜂鸣 3D mode: On - 3D mode: On + 3D模式:开 3D mode: Off - 3D mode: Off + 3D模式:关 Set Spin Direction 1 - Set Spin Direction 1 + 设置旋转方向1 Set Spin Direction 2 - Set Spin Direction 2 + 设置旋转方向2 @@ -3727,7 +3727,7 @@ Please place your vehicle in water, click the button, and wait. Note that the th Actuator action command failed - Actuator action command failed + 执行器动作指令失败 @@ -3735,67 +3735,67 @@ Please place your vehicle in water, click the button, and wait. Note that the th Geometry - Geometry + 几何结构 Actuator Testing - Actuator Testing + 执行器测试 Configure some outputs in order to test them. - Configure some outputs in order to test them. + 配置输出端口以进行测试 Careful: Actuator sliders are enabled - Careful: Actuator sliders are enabled + 注意:执行器滑块已启用 Propellers are removed - Enable sliders - Propellers are removed - Enable sliders + 螺旋桨已拆卸 - 启用滑块 Actuator Outputs - Actuator Outputs + 执行器输出 One or more actuator still needs to be assigned to an output. - One or more actuator still needs to be assigned to an output. + 仍有执行器未分配输出端口 Identify & Assign Motors - Identify & Assign Motors + 识别并分配电机 Motor Order Identification and Assignment - Motor Order Identification and Assignment + 电机顺序识别与分配 Error - Error + 错误 Spin Motor Again - Spin Motor Again + 再次旋转电机 Abort - Abort + 中止 Actuators - Actuators + 执行器 @@ -3803,7 +3803,7 @@ Please place your vehicle in water, click the button, and wait. Note that the th (Param not available) - (Param not available) + (参数不可用) @@ -3811,27 +3811,27 @@ Please place your vehicle in water, click the button, and wait. Note that the th All Motors - All Motors + 全部电机 Actuator test command temporarily rejected - Actuator test command temporarily rejected + 执行器测试指令被临时拒绝 Actuator test command denied - Actuator test command denied + 执行器测试指令被拒绝 Actuator test command not supported - Actuator test command not supported + 执行器测试指令不被支持 Actuator test command failed - Actuator test command failed + 执行器测试指令失败 @@ -3839,7 +3839,7 @@ Please place your vehicle in water, click the button, and wait. Note that the th AirLink Link Settings - AirLink Link Settings + AirLink链路设置 @@ -3847,37 +3847,37 @@ Please place your vehicle in water, click the button, and wait. Note that the th Login: - Login: + 登录: Password: - Password: + 密码: Don't have an account? - Don't have an account? + 没有账户? Register - Register + 注册 List of available devices - List of available devices + 可用设备列表 Refresh - Refresh + 刷新 Click "Refresh" to authorize - Click "Refresh" to authorize + 点击“刷新”进行授权 @@ -4002,57 +4002,57 @@ Please place your vehicle in water, click the button, and wait. Note that the th Select Altitude Mode - Select Altitude Mode + 选择高度模式 Relative To Launch - Relative To Launch + 相对于起飞点 Specified altitudes are relative to launch position height. - Specified altitudes are relative to launch position height. + 指定高度相对于起飞点高度 AMSL - AMSL + 海拔高度 Specified altitudes are Above Mean Sea Level. - Specified altitudes are Above Mean Sea Level. + 指定高度为平均海平面以上 Calculated Above Terrain - Calculated Above Terrain + 地形上方计算值 Specified altitudes are distance above terrain. Actual altitudes sent to vehicle are calculated from terrain data and sent as AMSL values. - Specified altitudes are distance above terrain. Actual altitudes sent to vehicle are calculated from terrain data and sent as AMSL values. + 指定高度为地形上方距离。实际高度根据地形数据计算并以海拔值发送 Terrain Frame - Terrain Frame + 地形坐标系 Specified altitudes are distance above terrain. The actual altitude flown is controlled by the vehicle either from terrain height maps being sent to vehicle or a distance sensor. - Specified altitudes are distance above terrain. The actual altitude flown is controlled by the vehicle either from terrain height maps being sent to vehicle or a distance sensor. + 指定高度为地形上方距离。实际飞行高度由飞行器通过地形高度图或距离传感器控制 Mixed Modes - Mixed Modes + 混合模式 The altitude mode can differ for each individual item. - The altitude mode can differ for each individual item. + 每个项目可使用不同高度模式 @@ -4060,12 +4060,12 @@ Please place your vehicle in water, click the button, and wait. Note that the th GStreamer Debug Level - GStreamer Debug Level + GStreamer调试级别 Logging categories - Logging categories + 日志分类 @@ -4148,32 +4148,32 @@ Please place your vehicle in water, click the button, and wait. Note that the th CrashLogs - CrashLogs + 坠毁日志 MavlinkActions - MavlinkActions + Mavlink指令 Save to SD card specified for application data. But no SD card present. Using internal storage. - Save to SD card specified for application data. But no SD card present. Using internal storage. + 指定保存至应用数据SD卡,但未检测到SD卡。使用内置存储 Save to SD card specified for application data. But SD card is write protected. Using internal storage. - Save to SD card specified for application data. But SD card is write protected. Using internal storage. + 指定保存至应用数据SD卡,但SD卡写保护。使用内置存储 (Partial) - (Partial) + (部分) (Test Only) - (Test Only) + (仅测试) @@ -4204,7 +4204,7 @@ Please place your vehicle in water, click the button, and wait. Note that the th %1 - %1 + %1 @@ -4220,72 +4220,72 @@ Please place your vehicle in water, click the button, and wait. Note that the th Autotune: In progress - Autotune: In progress + 自动调参:进行中 Autotune: initializing - Autotune: initializing + 自动调参:初始化 Autotune: roll - Autotune: roll + 自动调参:横滚 Autotune: pitch - Autotune: pitch + 自动调参:俯仰 Autotune: yaw - Autotune: yaw + 自动调参:偏航 Wait for disarm - Wait for disarm + 等待锁定 Land and disarm the vehicle in order to apply the parameters. - Land and disarm the vehicle in order to apply the parameters. + 降落并锁定飞行器以应用参数 Autotune: in progress - Autotune: in progress + 自动调参:进行中 Autotune: Success - Autotune: Success + 自动调参:成功 Autotune successful. - Autotune successful. + 自动调参成功 Autotune: Unknown error - Autotune: Unknown error + 自动调参:未知错误 Autotune: Failed - Autotune: Failed + 自动调参:失败 Autotune: Ack error %1 - Autotune: Ack error %1 + 自动调参:确认错误%1 Autotune: Not performed - Autotune: Not performed + 自动调参:未执行 @@ -4293,7 +4293,7 @@ Please place your vehicle in water, click the button, and wait. Note that the th Start AutoTune - Start AutoTune + 开始自动调参 @@ -4341,17 +4341,17 @@ Click Ok to start the auto-tuning process. n/a - n/a + 不适用 Battery %1 - Battery %1 + 电池 %1 Status - Status + 状态 @@ -4362,7 +4362,7 @@ Click Ok to start the auto-tuning process. Remaining - Remaining + 剩余 @@ -4372,7 +4372,7 @@ Click Ok to start the auto-tuning process. Consumed - Consumed + 已消耗 @@ -4382,42 +4382,42 @@ Click Ok to start the auto-tuning process. Function - Function + 功能 Battery Display - Battery Display + 电池显示 Value - Value + Coloring - Coloring + 着色 Low - Low + Critical - Critical + 严重 Vehicle Power - Vehicle Power + 飞行器电源 Configure - Configure + 配置 @@ -4425,7 +4425,7 @@ Click Ok to start the auto-tuning process. Empty Plan - Empty Plan + 空计划 @@ -4451,7 +4451,7 @@ Click Ok to start the auto-tuning process. Link %1: (Device: %2) %3 - Link %1: (Device: %2) %3 + 链接 %1: (设备: %2) %3 @@ -4459,17 +4459,17 @@ Click Ok to start the auto-tuning process. Device - Device + 设备 Address - Address + 地址 Bluetooth Devices - Bluetooth Devices + 蓝牙设备 @@ -4487,27 +4487,27 @@ Click Ok to start the auto-tuning process. Data to Send is Empty - Data to Send is Empty + 发送数据为空 Socket is not connected - Socket is not connected + 套接字未连接 Socket is not Writable - Socket is not Writable + 套接字不可写 Could Not Send Data - Write Failed: %1 - Could Not Send Data - Write Failed: %1 + 无法发送数据 - 写入失败: %1 Could Not Send Data - Write Returned 0 Bytes - Could Not Send Data - Write Returned 0 Bytes + 无法发送数据 - 写入返回0字节 @@ -4626,22 +4626,22 @@ Click Ok to start the auto-tuning process. Unable to put radio into command mode +++ - Unable to put radio into command mode +++ + 无法将无线电置于命令模式 +++ Radio did not respond to command mode - Radio did not respond to command mode + 无线电未响应命令模式 Radio did not respond to ATI2 command - Radio did not respond to ATI2 command + 无线电未响应 ATI2 命令 Radio did not return board id - Radio did not return board id + 无线电未返回板ID @@ -4651,7 +4651,7 @@ Click Ok to start the auto-tuning process. Unable to reboot radio (ready read) - Unable to reboot radio (ready read) + 无法重启无线电 (准备读取) @@ -4661,7 +4661,7 @@ Click Ok to start the auto-tuning process. Get Device: - Get Device: + 获取设备: @@ -4867,12 +4867,12 @@ Click Ok to start the auto-tuning process. Component %1 - Component %1 + 组件 %1 Internal Error: Parameter MetaData major must be 1 - Internal Error: Parameter MetaData major must be 1 + 内部错误: 参数元数据主版本必须为1 @@ -4894,7 +4894,7 @@ Click Ok to start the auto-tuning process. File open failed: file:error %1 %2 - File open failed: file:error %1 %2 + 文件打开失败: 文件:错误 %1 %2 @@ -4955,152 +4955,152 @@ Click Ok to start the auto-tuning process. Qt Platform: - Qt Platform: + Qt平台: Font Point Size 10 - Font Point Size 10 + 字体点大小 10 Default font width: - Default font width: + 默认字体宽度: Font Point Size 10.5 - Font Point Size 10.5 + 字体点大小 10.5 Default font height: - Default font height: + 默认字体高度: Font Point Size 11 - Font Point Size 11 + 字体点大小 11 Default font pixel size: - Default font pixel size: + 默认字体像素大小: Font Point Size 11.5 - Font Point Size 11.5 + 字体点大小 11.5 Default font point size: - Default font point size: + 默认字体点大小: Font Point Size 12 - Font Point Size 12 + 字体点大小 12 QML Screen Desktop: - QML Screen Desktop: + QML屏幕桌面: Font Point Size 12.5 - Font Point Size 12.5 + 字体点大小 12.5 QML Screen Size: - QML Screen Size: + QML屏幕大小: Font Point Size 13 - Font Point Size 13 + 字体点大小 13 QML Pixel Density: - QML Pixel Density: + QML像素密度: Font Point Size 13.5 - Font Point Size 13.5 + 字体点大小 13.5 QML Pixel Ratio: - QML Pixel Ratio: + QML像素比率: Font Point Size 14 - Font Point Size 14 + 字体点大小 14 Default Point: - Default Point: + 默认点: Font Point Size 14.5 - Font Point Size 14.5 + 字体点大小 14.5 Computed Font Height: - Computed Font Height: + 计算字体高度: Font Point Size 15 - Font Point Size 15 + 字体点大小 15 Computed Screen Height: - Computed Screen Height: + 计算屏幕高度: Font Point Size 15.5 - Font Point Size 15.5 + 字体点大小 15.5 Computed Screen Width: - Computed Screen Width: + 计算屏幕宽度: Font Point Size 16 - Font Point Size 16 + 字体点大小 16 Desktop Available Width: - Desktop Available Width: + 桌面可用宽度: Font Point Size 16.5 - Font Point Size 16.5 + 字体点大小 16.5 Desktop Available Height: - Desktop Available Height: + 桌面可用高度: Font Point Size 17 - Font Point Size 17 + 字体点大小 17 @@ -5340,12 +5340,12 @@ Click Ok to start the auto-tuning process. AP Mode - AP Mode + AP模式 Station Mode - Station Mode + 站点模式 @@ -5373,35 +5373,35 @@ Click Ok to start the auto-tuning process. Edit Position - Edit Position + 编辑位置 Coordinate System - Coordinate System + 坐标系 Geographic - Geographic + 地理 Universal Transverse Mercator - Universal Transverse Mercator + 通用横轴墨卡托 Military Grid Reference - Military Grid Reference + 军事网格参考 Vehicle Position - Vehicle Position + 飞行器位置 @@ -5419,7 +5419,7 @@ Click Ok to start the auto-tuning process. Set position - Set position + 设置位置 @@ -5427,7 +5427,7 @@ Click Ok to start the auto-tuning process. Move - Move + 移动 @@ -5460,18 +5460,18 @@ Click Ok to start the auto-tuning process. Invalid Nak format - Invalid Nak format + 无效的Nak格式 errno %1 - errno %1 + 错误号 %1 List directory failed - List directory failed + 列出目录失败 @@ -5516,7 +5516,7 @@ Click Ok to start the auto-tuning process. Flight Speed - Flight Speed + 飞行速度 @@ -5567,17 +5567,17 @@ Click Ok to start the auto-tuning process. Final approach - Final approach + 最终进场 Use loiter to altitude - Use loiter to altitude + 使用盘旋至高度 Distance - Distance + 距离 @@ -5615,7 +5615,7 @@ Click Ok to start the auto-tuning process. Approach - Approach + 方法 @@ -5648,12 +5648,12 @@ Click Ok to start the auto-tuning process. Reboot vehicle for changes to take effect. - Reboot vehicle for changes to take effect. + 重启飞行器以使更改生效。 Restart application for changes to take effect. - Restart application for changes to take effect. + 重启应用程序以使更改生效。 @@ -5704,7 +5704,7 @@ Click Ok to start the auto-tuning process. Value: - Value: + 值: @@ -5753,17 +5753,17 @@ Click Ok to start the auto-tuning process. PX4 Pro - PX4 Pro + PX4 Pro ArduPilot - ArduPilot + ArduPilot Generic - Generic + 通用 @@ -5796,7 +5796,7 @@ Click Ok to start the auto-tuning process. Firmware file missing required key: %1 - Firmware file missing required key: %1 + 固件文件缺少必需的键: %1 @@ -5918,67 +5918,67 @@ Click Ok to start the auto-tuning process. %1 can upgrade the firmware on Pixhawk devices and SiK Radios. - %1 can upgrade the firmware on Pixhawk devices and SiK Radios. + %1 可以升级Pixhawk设备和SiK无线电的固件。 Plug in your device - Plug in your device + 插入您的设备 via USB to - via USB to + 通过USB start - start + 开始 firmware upgrade. - firmware upgrade. + 固件升级。 If upgrade failed, make sure to connect - If upgrade failed, make sure to connect + 如果升级失败,请确保连接 directly - directly + 直接 to a powered USB port on your computer, not through a USB hub. - to a powered USB port on your computer, not through a USB hub. + 到计算机上的供电USB端口,而不是通过USB集线器。 Also make sure you are only powered via USB - Also make sure you are only powered via USB + 还要确保仅通过USB供电 not battery - not battery + 不是电池 disconnected - disconnected + 断开 prior to firmware upgrade. - prior to firmware upgrade. + 在固件升级之前。 Please unplug your Pixhawk and/or Radio from USB. - Please unplug your Pixhawk and/or Radio from USB. + 请从USB拔下您的Pixhawk和/或无线电。 @@ -6014,17 +6014,17 @@ Click Ok to start the auto-tuning process. Either firmware list is still downloading, or no firmware is available for current selection. - Either firmware list is still downloading, or no firmware is available for current selection. + 固件列表仍在下载,或者当前选择没有可用的固件。 You must choose a board type. - You must choose a board type. + 您必须选择板类型。 No firmware was found for the current selection. - No firmware was found for the current selection. + 未找到当前选择的固件。 @@ -6140,7 +6140,7 @@ Click Ok to start the auto-tuning process. Follow the forums actively when using it. - Follow the forums actively when using it. + 使用时请积极关注论坛。 @@ -6329,7 +6329,7 @@ Click Ok to start the auto-tuning process. Fixed Wing Landing - Fixed Wing Landing + 固定翼着陆 @@ -6364,27 +6364,27 @@ Click Ok to start the auto-tuning process. N/A No data to display - N/A + 不适用 Some Modes Hidden - Some Modes Hidden + 隐藏某些模式 Edit Displayed Flight Modes - Edit Displayed Flight Modes + 编辑显示的飞行模式 Flight Modes - Flight Modes + 飞行模式 Configure - Configure + 配置 @@ -6402,22 +6402,22 @@ Click Ok to start the auto-tuning process. N/A No data to display - N/A + 不适用 RTL Altitude - RTL Altitude + 返航高度 Land Descent Rate: - Land Descent Rate: + 着陆下降率: Precision Landing - Precision Landing + 精确着陆 @@ -6456,7 +6456,7 @@ Click Ok to start the auto-tuning process. Actions - Actions + 动作 @@ -6488,57 +6488,57 @@ Click Ok to start the auto-tuning process. Go to location - Go to location + 前往位置 Orbit at location - Orbit at location + 在位置环绕 ROI at location - ROI at location + 在位置ROI Set home here - Set home here + 在此处设置家 Set Estimator Origin - Set Estimator Origin + 设置估计器原点 Set Heading - Set Heading + 设置航向 Lat: %1 - Lat: %1 + 纬度: %1 Lon: %1 - Lon: %1 + 经度: %1 Edit ROI Position - Edit ROI Position + 编辑ROI位置 Cancel ROI - Cancel ROI + 取消ROI Edit Position - Edit Position + 编辑位置 @@ -6584,7 +6584,7 @@ Click Ok to start the auto-tuning process. Pre-Flight Checklist - Pre-Flight Checklist + 飞行前检查清单 @@ -6592,173 +6592,173 @@ Click Ok to start the auto-tuning process. <None> - <None> + <无> General - General + 常规 Use Preflight Checklist - Use Preflight Checklist + 使用飞行前检查清单 Enforce Preflight Checklist - Enforce Preflight Checklist + 强制执行飞行前检查清单 Enable Multi-Vehicle Panel - Enable Multi-Vehicle Panel + 启用多飞行器面板 Keep Map Centered On Vehicle - Keep Map Centered On Vehicle + 保持地图以飞行器为中心 Show Telemetry Log Replay Status Bar - Show Telemetry Log Replay Status Bar + 显示遥测日志回放状态栏 Show simple camera controls (DIGICAM_CONTROL) - Show simple camera controls (DIGICAM_CONTROL) + 显示简单相机控制(DIGICAM_CONTROL) Update return to home position based on device location. - Update return to home position based on device location. + 根据设备位置更新返航位置。 Guided Commands - Guided Commands + 引导命令 Minimum Altitude - Minimum Altitude + 最低高度 Maximum Altitude - Maximum Altitude + 最大高度 Go To Location Max Distance - Go To Location Max Distance + 前往位置最大距离 Loiter Radius in Forward Flight Guided Mode - Loiter Radius in Forward Flight Guided Mode + 前飞引导模式中的盘旋半径 Require Confirmation for Go To Location in Guided Mode - Require Confirmation for Go To Location in Guided Mode + 引导模式中前往位置需要确认 MAVLink Actions - MAVLink Actions + MAVLink动作 Action JSON files should be created in the '%1' folder. - Action JSON files should be created in the '%1' folder. + 动作JSON文件应在 '%1' 文件夹中创建。 Fly View Actions - Fly View Actions + 飞行视图动作 Joystick Actions - Joystick Actions + 操纵杆动作 Virtual Joystick - Virtual Joystick + 虚拟操纵杆 Enabled - Enabled + 已启用 Auto-Center Throttle - Auto-Center Throttle + 自动居中油门 Left-Handed Mode (swap sticks) - Left-Handed Mode (swap sticks) + 左手模式(交换摇杆) Instrument Panel - Instrument Panel + 仪表板 Show additional heading indicators on Compass - Show additional heading indicators on Compass + 在指南针上显示额外的航向指示器 Lock Compass Nose-Up - Lock Compass Nose-Up + 锁定指南针机头向上 3D View - 3D View + 3D视图 3D Map File: - 3D Map File: + 3D地图文件: Clear - Clear + 清除 Select File - Select File + 选择文件 OpenStreetMap files (*.osm) - OpenStreetMap files (*.osm) + OpenStreetMap文件 (*.osm) Select map file - Select map file + 选择地图文件 Average Building Level Height - Average Building Level Height + 平均建筑层高度 Vehicles Altitude Bias - Vehicles Altitude Bias + 飞行器高度偏差 @@ -6766,17 +6766,17 @@ Click Ok to start the auto-tuning process. Disconnect - Disconnect + 断开连接 Downloading - Downloading + 下载中 Click anywhere to hide - Click anywhere to hide + 点击任意处隐藏 @@ -6785,12 +6785,12 @@ Click Ok to start the auto-tuning process. 3D View - 3D View + 3D视图 Fly - Fly + 飞行 @@ -6798,47 +6798,47 @@ Click Ok to start the auto-tuning process. Selected: - Selected: + 已选择: Multi Vehicle Selection - Multi Vehicle Selection + 多飞行器选择 Select All - Select All + 全选 Deselect All - Deselect All + 取消全选 Multi Vehicle Actions - Multi Vehicle Actions + 多飞行器动作 Arm - Arm + 解锁 Disarm - Disarm + 锁定 Start - Start + 开始 Pause - Pause + 暂停 @@ -6846,7 +6846,7 @@ Click Ok to start the auto-tuning process. Double-click to exit full screen - Double-click to exit full screen + 双击退出全屏 @@ -6854,113 +6854,113 @@ Click Ok to start the auto-tuning process. GCS - GCS + 地面控制站 is requesting control - is requesting control + 正在请求控制 Allow <br> takeover - Allow <br> takeover + 允许 <br> 接管 Ignoring automatically in - Ignoring automatically in + 自动忽略于 seconds - seconds + Ignore - Ignore + 忽略 Reverting back to takeover not allowed if GCS - Reverting back to takeover not allowed if GCS + 如果GCS不允许回退到接管 doesn't take control in - doesn't take control in + 未在 seconds ... - seconds ... + 秒内接管... System in control: - System in control: + 系统控制中: This GCS - This GCS + 此地面控制站 Takeover allowed - Takeover allowed + 允许接管 Takeover NOT allowed - Takeover NOT allowed + 不允许接管 Send Control Request: - Send Control Request: + 发送控制请求: Change takeover condition: - Change takeover condition: + 更改接管条件: Request sent: - Request sent: + 请求已发送: Allow takeover - Allow takeover + 允许接管 Adquire Control - Adquire Control + 获取控制 Send Request - Send Request + 发送请求 Request Timeout (sec): - Request Timeout (sec): + 请求超时(秒): Change - Change + 更改 This GCS Mavlink System ID: - This GCS Mavlink System ID: + 此地面控制站Mavlink系统ID: @@ -6968,7 +6968,7 @@ Click Ok to start the auto-tuning process. RTK - RTK + RTK @@ -6977,119 +6977,119 @@ Click Ok to start the auto-tuning process. N/A No data to display - N/A + 不适用 --.-- No data to display - --.-- + --.-- Vehicle GPS Status - Vehicle GPS Status + 飞行器GPS状态 Satellites - Satellites + 卫星 GPS Lock - GPS Lock + GPS锁定 HDOP - HDOP + HDOP VDOP - VDOP + VDOP Course Over Ground - Course Over Ground + 地面航向 RTK GPS Status - RTK GPS Status + RTK GPS状态 Survey-in Active - Survey-in Active + 测量中激活 RTK Streaming - RTK Streaming + RTK流 Duration - Duration + 持续时间 Accuracy - Accuracy + 精度 Current Accuracy - Current Accuracy + 当前精度 RTK GPS Settings - RTK GPS Settings + RTK GPS设置 AutoConnect - AutoConnect + 自动连接 Survey-In - Survey-In + 测量中 Specify position - Specify position + 指定位置 Accuracy (u-blox only) - Accuracy (u-blox only) + 精度(仅u-blox) Min Duration - Min Duration + 最短持续时间 Current Base Position - Current Base Position + 当前基站位置 Save - Save + 保存 Not Yet Valid - Not Yet Valid + 尚未有效 @@ -7149,17 +7149,17 @@ Click Ok to start the auto-tuning process. General - General + 常规 Save application data to SD Card - Save application data to SD Card + 将应用程序数据保存到SD卡 <default location> - <default location> + <默认位置> @@ -7185,12 +7185,12 @@ Click Ok to start the auto-tuning process. Reset Images - Reset Images + 重置图像 Reset - Reset + 重置 @@ -7346,12 +7346,12 @@ Click Ok to start the auto-tuning process. Empty Filename. - Empty Filename. + 空文件名。 Invalid Filename. - Invalid Filename. + 无效文件名。 @@ -7359,12 +7359,12 @@ Click Ok to start the auto-tuning process. Invalid Directory. - Invalid Directory. + 无效目录。 Images have already been tagged. Existing images will be removed. - Images have already been tagged. Existing images will be removed. + 图像已标记。现有图像将被移除。 @@ -7392,7 +7392,7 @@ Click Ok to start the auto-tuning process. Used to tag a set of images from a survey mission with gps coordinates. You must provide the binary log from the flight as well as the directory which contains the images to tag. - Used to tag a set of images from a survey mission with gps coordinates. You must provide the binary log from the flight as well as the directory which contains the images to tag. + 用于用GPS坐标标记调查任务中的一组图像。您必须提供飞行的二进制日志以及包含要标记图像的目录。 @@ -7434,12 +7434,12 @@ Click Ok to start the auto-tuning process. /TAGGED folder in your image folder - /TAGGED folder in your image folder + 图像文件夹中的/TAGGED文件夹 /TAGGED - /TAGGED + /标记 @@ -7462,22 +7462,22 @@ Click Ok to start the auto-tuning process. Geotagging failed. Couldn't open image: %1 - Geotagging failed. Couldn't open image: %1 + 地理标记失败。无法打开图像: %1 Geotagging failed. Couldn't extract time from image: %1 - Geotagging failed. Couldn't extract time from image: %1 + 地理标记失败。无法从图像中提取时间: %1 Calibration failed: No triggers or images available. - Calibration failed: No triggers or images available. + 校准失败:无触发信号或图像。 Calibration failed: No matching triggers found for images. - Calibration failed: No matching triggers found for images. + 校准失败:未找到匹配的图像触发信号 @@ -7488,7 +7488,7 @@ Click Ok to start the auto-tuning process. Geotagging failed. Couldn't write to image: %1 - Geotagging failed. Couldn't write to image: %1 + 地理标记失败。无法写入图像:%1 @@ -7519,137 +7519,137 @@ Click Ok to start the auto-tuning process. Gimbal - Gimbal + 云台 <br> Controls - <br> Controls + <br> 控制 Yaw <br> Follow - Yaw <br> Follow + 偏航 <br> 跟随 Yaw <br> Lock - Yaw <br> Lock + 偏航<br>锁定 Center - Center + 中心 Tilt 90 - Tilt 90 + 倾斜90度 Point <br> Home - Point <br> Home + 点<br> 返航点 Retract - Retract + 收起 Release <br> Control - Release <br> Control + 释放<br>控制权 Acquire <br> Control - Acquire <br> Control + 获取<br> 控制 Active <br> Gimbal: - Active <br> Gimbal: + 活动<br>云台: Select <br> Gimbal - Select <br> Gimbal + 选择<br> 云台 Settings - Settings + 设置 Control type: - Control type: + 控制类型: Horizontal FOV - Horizontal FOV + 水平视场角 Vertical FOV - Vertical FOV + 垂直视场 Max speed: - Max speed: + 最大速度: Joystick buttons speed: - Joystick buttons speed: + 操纵杆按钮速度: Show gimbal Azimuth indicator in map - Show gimbal Azimuth indicator in map + 在地图中显示云台方位角指示器 Use Azimuth instead of local yaw on top toolbar indicator - Use Azimuth instead of local yaw on top toolbar indicator + 在顶部工具栏指示器中使用方位角代替本地偏航 Show Acquire/Release control button - Show Acquire/Release control button + 显示获取/释放控制按钮 Retracted - Retracted + 收起 Yaw locked - Yaw locked + 偏航锁定 Yaw follow - Yaw follow + 偏航跟随 P: - P: + P: Az: - Az: + 方位角: Y: - Y: + Y: @@ -7662,7 +7662,7 @@ Click Ok to start the auto-tuning process. Slide or hold spacebar - Slide or hold spacebar + 滑动或按住空格键 @@ -7680,7 +7680,7 @@ Click Ok to start the auto-tuning process. Arm (MV) - Arm (MV) + 解锁(MV) @@ -7690,7 +7690,7 @@ Click Ok to start the auto-tuning process. Disarm (MV) - Disarm (MV) + 上锁(MV) @@ -7775,27 +7775,27 @@ Click Ok to start the auto-tuning process. Force Arm - Force Arm + 强制解锁 Gripper Function - Gripper Function + 抓取器功能 Change Loiter Radius - Change Loiter Radius + 更改盘旋半径 Change Max Ground Speed - Change Max Ground Speed + 更改最大地速 Change Airspeed - Change Airspeed + 改变空速 @@ -7805,22 +7805,22 @@ Click Ok to start the auto-tuning process. Set Home - Set Home + 设置返航点 Set Estimator origin - Set Estimator origin + 设置估计器原点 Set Flight Mode - Set Flight Mode + 设置飞行模式 Change Heading - Change Heading + 改变航向 @@ -7830,12 +7830,12 @@ Click Ok to start the auto-tuning process. Arm selected vehicles. - Arm selected vehicles. + 解锁选定的飞行器 WARNING: This will force arming of the vehicle bypassing any safety checks. - WARNING: This will force arming of the vehicle bypassing any safety checks. + 警告: 这将强制解锁飞行器,绕过所有安全检查 @@ -7845,7 +7845,7 @@ Click Ok to start the auto-tuning process. Disarm selected vehicles. - Disarm selected vehicles. + 锁定选定的飞行器 @@ -7860,7 +7860,7 @@ Click Ok to start the auto-tuning process. Grab or Release the cargo - Grab or Release the cargo + 抓取或释放货物 @@ -7870,7 +7870,7 @@ Click Ok to start the auto-tuning process. Takeoff from ground and start the current mission for selected vehicles. - Takeoff from ground and start the current mission for selected vehicles. + 从地面起飞并为选定飞行器启动当前任务 @@ -7895,17 +7895,17 @@ Click Ok to start the auto-tuning process. Change the forward flight loiter radius. - Change the forward flight loiter radius. + 更改前向飞行盘旋半径 Change the maximum horizontal cruise speed. - Change the maximum horizontal cruise speed. + 更改最大水平巡航速度 Change the equivalent airspeed setpoint. - Change the equivalent airspeed setpoint. + 更改等效空速设定点 @@ -7935,7 +7935,7 @@ Click Ok to start the auto-tuning process. Pause selected vehicles at their current position. - Pause selected vehicles at their current position. + 暂停选定飞行器在当前位置 @@ -7955,47 +7955,47 @@ Click Ok to start the auto-tuning process. Set vehicle home as the specified location. This will affect Return to Home position - Set vehicle home as the specified location. This will affect Return to Home position + 将指定位置设为返航点,会影响自动返航位置 Make the specified location the estimator origin. - Make the specified location the estimator origin. + 将指定位置设为估计器原点 Set the vehicle flight mode to %1 - Set the vehicle flight mode to %1 + 将飞行器模式设置为 %1 Set the vehicle heading towards the specified location. - Set the vehicle heading towards the specified location. + 将飞行器航向设置为指向指定位置 _activeVehicle(%1) _vehicleArmed(%2) guidedModeSupported(%3) _vehicleFlying(%4) _vehicleWasFlying(%5) _vehicleInRTLMode(%6) pauseVehicleSupported(%7) _vehiclePaused(%8) _flightMode(%9) _missionItemCount(%10) roiSupported(%11) orbitSupported(%12) _missionActive(%13) _hideROI(%14) _hideOrbit(%15) - _activeVehicle(%1) _vehicleArmed(%2) guidedModeSupported(%3) _vehicleFlying(%4) _vehicleWasFlying(%5) _vehicleInRTLMode(%6) pauseVehicleSupported(%7) _vehiclePaused(%8) _flightMode(%9) _missionItemCount(%10) roiSupported(%11) orbitSupported(%12) _missionActive(%13) _hideROI(%14) _hideOrbit(%15) + _activeVehicle(%1) _vehicleArmed(%2) guidedModeSupported(%3) _vehicleFlying(%4) _vehicleWasFlying(%5) _vehicleInRTLMode(%6) pauseVehicleSupported(%7) _vehiclePaused(%8) _flightMode(%9) _missionItemCount(%10) roiSupported(%11) orbitSupported(%12) _missionActive(%13) _hideROI(%14) _hideOrbit(%15) Height (rel) - Height (rel) + 高度(相对) Airspeed - Airspeed + 空速 Speed - Speed + 速度 Alt (rel) - Alt (rel) + 高度(相对) @@ -8013,7 +8013,7 @@ Click Ok to start the auto-tuning process. 30 ft - 30 ft + 30英尺 @@ -8036,7 +8036,7 @@ Click Ok to start the auto-tuning process. QGroundControl Discord Channel - QGroundControl Discord Channel + QGroundControl Discord频道 @@ -8082,7 +8082,7 @@ Click Ok to start the auto-tuning process. Valuec requires a connected vehicle for setup. - Valuec requires a connected vehicle for setup. + Valuec需要连接的飞行器进行设置 @@ -8104,27 +8104,27 @@ Click Ok to start the auto-tuning process. Telemetry Display - Telemetry Display + 遥测显示 Telemetry - Telemetry + 数传 Group - Group + Value - Value + Change - Change + 更改 @@ -8139,12 +8139,12 @@ Click Ok to start the auto-tuning process. Value range - Value range + 数值范围 Type - Type + 类型 @@ -8179,7 +8179,7 @@ Click Ok to start the auto-tuning process. --.-- - --.-- + --.-- @@ -8283,12 +8283,12 @@ Click Ok to start the auto-tuning process. Gimbal Yaw Lock - Gimbal Yaw Lock + 云台偏航锁定 Gimbal Yaw Follow - Gimbal Yaw Follow + 云台偏航跟随 @@ -8298,32 +8298,32 @@ Click Ok to start the auto-tuning process. Gripper Close - Gripper Close + 抓手关闭 Gripper Open - Gripper Open + 夹持器打开 Landing gear deploy - Landing gear deploy + 起落架展开 Landing gear retract - Landing gear retract + 起落架收放 Motor Interlock enable - Motor Interlock enable + 启用电机联锁 Motor Interlock disable - Motor Interlock disable + 电机联锁禁用 @@ -8452,7 +8452,7 @@ Click Ok to start the auto-tuning process. Multiple buttons that have the same action must be pressed simultaneously to invoke the action. - Multiple buttons that have the same action must be pressed simultaneously to invoke the action. + 具有相同操作的多个按钮必须同时按下才能调用该操作 @@ -8478,12 +8478,12 @@ Click Ok to start the auto-tuning process. QGC functions do not support shift actions - QGC functions do not support shift actions + QGC功能不支持shift操作 No firmware support - No firmware support + 无固件支持 @@ -8591,13 +8591,13 @@ Click Ok to start the auto-tuning process. Yes - Yes + No - No + @@ -8610,38 +8610,38 @@ Click Ok to start the auto-tuning process. File not found: %1 - File not found: %1 + 文件未找到: %1 Unable to open file: %1 error: $%2 - Unable to open file: %1 error: $%2 + 无法打开文件: %1 错误: $%2 Unable to parse KML file: %1 error: %2 line: %3 - Unable to parse KML file: %1 error: %2 line: %3 + 无法解析KML文件: %1 错误: %2 行: %3 No supported type found in KML file. - No supported type found in KML file. + KML文件中未找到支持的类型 Unable to find Polygon node in KML - Unable to find Polygon node in KML + 在KML中找不到多边形节点 Internal error: Unable to find coordinates node in KML - Internal error: Unable to find coordinates node in KML + 内部错误: 无法在KML中找到坐标节点 Unable to find LineString node in KML - Unable to find LineString node in KML + 在KML中找不到LineString节点 @@ -8657,7 +8657,7 @@ Click Ok to start the auto-tuning process. Select File - Select File + 选择文件 @@ -8665,12 +8665,12 @@ Click Ok to start the auto-tuning process. %1 does not support loading this complex mission item type: %2:%3 - %1 does not support loading this complex mission item type: %2:%3 + %1 不支持加载此复杂任务项类型: %2:%3 Fixed Wing Landing Pattern: Setting the loiter and landing altitudes with different settings for altitude relative is no longer supported. Both have been set to relative altitude. Be sure to adjust/check your plan prior to flight. - Fixed Wing Landing Pattern: Setting the loiter and landing altitudes with different settings for altitude relative is no longer supported. Both have been set to relative altitude. Be sure to adjust/check your plan prior to flight. + 固定翼降落模式:不再支持盘旋与降落高度使用不同相对高度设置。两者均已设为相对高度。飞行前务必调整/检查计划。 @@ -8678,12 +8678,12 @@ Click Ok to start the auto-tuning process. Signing Failure - Signing Failure + 签名失败 Signing signature mismatch - Signing signature mismatch + 签名不匹配 @@ -8723,7 +8723,7 @@ Click Ok to start the auto-tuning process. Bluetooth - Bluetooth + 蓝牙 @@ -8733,7 +8733,7 @@ Click Ok to start the auto-tuning process. AirLink - AirLink + 空中链接 @@ -8757,87 +8757,87 @@ Click Ok to start the auto-tuning process. AutoConnect - AutoConnect + 自动连接 Pixhawk - Pixhawk + Pixhawk SiK Radio - SiK Radio + SiK无线电 LibrePilot - LibrePilot + LibrePilot UDP - UDP + UDP Zero-Conf - Zero-Conf + 零配置 RTK - RTK + RTK NMEA GPS - NMEA GPS + NMEA GPS Device - Device + 设备 Disabled - Disabled + 已禁用 UDP Port - UDP Port + UDP端口 Serial <none available> - Serial <none available> + 串口<无可用> Baudrate - Baudrate + 波特率 NMEA stream UDP port - NMEA stream UDP port + NMEA流UDP端口 Links - Links + 链接 Delete Link - Delete Link + 删除链接 Are you sure you want to delete '%1'? - Are you sure you want to delete '%1'? + 您确定要删除 '%1' 吗? @@ -8848,22 +8848,22 @@ Click Ok to start the auto-tuning process. Add New Link - Add New Link + 添加新链接 Edit Link - Edit Link + 编辑链接 Name - Name + 名称 Enter name - Enter name + 输入名称 @@ -8878,7 +8878,7 @@ Click Ok to start the auto-tuning process. Type - Type + 类型 @@ -8965,12 +8965,12 @@ Click Ok to start the auto-tuning process. Log Download - Log Download + 日志下载 You must select at least one log file to download. - You must select at least one log file to download. + 您必须选择至少一个日志文件下载 @@ -9003,7 +9003,7 @@ Click Ok to start the auto-tuning process. Log Replay Link Settings - Log Replay Link Settings + 日志回放链路设置 @@ -9011,12 +9011,12 @@ Click Ok to start the auto-tuning process. Log Replay Link Error - Log Replay Link Error + 日志回放链路错误 Link: %1, %2. - Link: %1, %2. + 链接:%1,%2 @@ -9024,7 +9024,7 @@ Click Ok to start the auto-tuning process. Log File - Log File + 日志文件 @@ -9034,7 +9034,7 @@ Click Ok to start the auto-tuning process. Select Telemetery Log - Select Telemetery Log + 选择遥测日志 @@ -9092,7 +9092,7 @@ Click Ok to start the auto-tuning process. Close - Close + 关闭 @@ -9100,33 +9100,33 @@ Click Ok to start the auto-tuning process. You must close all connections prior to replaying a log. - You must close all connections prior to replaying a log. + 回放日志前必须关闭所有连接。 Connect not allowed during Flight Data replay. - Connect not allowed during Flight Data replay. + 飞行数据回放期间不允许连接 Unable to seek to new position - Unable to seek to new position + 无法定位到新位置 Attempt to load new log while log being played - Attempt to load new log while log being played + 尝试在日志播放时加载新日志 Unable to open log file: '%1', error: %2 - Unable to open log file: '%1', error: %2 + 无法打开日志文件'%1',错误: %2 The log file '%1' is corrupt or empty. - The log file '%1' is corrupt or empty. + 日志文件'%1'损坏或为空 @@ -9134,157 +9134,157 @@ Click Ok to start the auto-tuning process. Gyro - Gyro + 陀螺仪 Accelerometer - Accelerometer + 加速度计 Magnetometer - Magnetometer + 磁力计 Absolute pressure - Absolute pressure + 绝对压力 Differential pressure - Differential pressure + 差压 GPS - GPS + GPS Optical flow - Optical flow + 光流 Computer vision position - Computer vision position + 计算机视觉定位 Laser based position - Laser based position + 基于激光的位置 External ground truth - External ground truth + 外部地面实况 Angular rate control - Angular rate control + 角速率控制 Attitude stabilization - Attitude stabilization + 姿态稳定 Yaw position - Yaw position + 偏航位置 Z/altitude control - Z/altitude control + Z轴/高度控制 X/Y position control - X/Y position control + X/Y位置控制 Motor outputs / control - Motor outputs / control + 电机输出/控制 RC receiver - RC receiver + 遥控接收器 Gyro 2 - Gyro 2 + 陀螺仪2 Accelerometer 2 - Accelerometer 2 + 加速度计2 Magnetometer 2 - Magnetometer 2 + 磁力计2 GeoFence - GeoFence + 地理围栏 AHRS - AHRS + 姿态航向参考系统 Terrain - Terrain + 地形 Motors reversed - Motors reversed + 电机反向 Logging - Logging + 记录中 Battery - Battery + 电池 Proximity - Proximity + 接近 Satellite Communication - Satellite Communication + 卫星通信 Pre-Arm Check - Pre-Arm Check + 解锁前检查 Avoidance/collision prevention - Avoidance/collision prevention + 避障/防撞 Propulsion - Propulsion + 推进系统 @@ -9292,7 +9292,7 @@ Click Ok to start the auto-tuning process. Unknown sensor - Unknown sensor + 未知传感器 @@ -9313,17 +9313,17 @@ Click Ok to start the auto-tuning process. Provides a connection to the vehicle's system shell. - Provides a connection to the vehicle's system shell. + 提供到飞行器系统shell的连接 Enter Commands here... - Enter Commands here... + 在此输入命令... Send - Send + 发送 @@ -9403,7 +9403,7 @@ Click Ok to start the auto-tuning process. System %1 - System %1 + 系统 %1 @@ -9431,92 +9431,92 @@ Click Ok to start the auto-tuning process. Actual Rate: - Actual Rate: + 实际速率: Hz - Hz + 赫兹 Set Rate: - Set Rate: + 设置速率: Disabled - Disabled + 已禁用 Default - Default + 默认 1Hz - 1Hz + 1Hz 2Hz - 2Hz + 2Hz 3Hz - 3Hz + 3Hz 4Hz - 4Hz + 4Hz 5Hz - 5Hz + 5Hz 6Hz - 6Hz + 6Hz 7Hz - 7Hz + 7Hz 8Hz - 8Hz + 8Hz 9Hz - 9Hz + 9Hz 10Hz - 10Hz + 10Hz 25Hz - 25Hz + 25Hz 50Hz - 50Hz + 50Hz 100Hz - 100Hz + 100Hz @@ -9550,17 +9550,17 @@ Click Ok to start the auto-tuning process. Unable to save telemetry log. Error copying telemetry to '%1': '%2'. - Unable to save telemetry log. Error copying telemetry to '%1': '%2'. + 无法保存遥测日志。复制遥测数据到'%1'时出错:'%2' Unable to save telemetry log. Application save directory is not set. - Unable to save telemetry log. Application save directory is not set. + 无法保存遥测日志。应用保存目录未设置。 Unable to save telemetry log. Telemetry save directory "%1" does not exist. - Unable to save telemetry log. Telemetry save directory "%1" does not exist. + 无法保存遥测日志,遥测保存目录"%1"不存在 @@ -9568,108 +9568,108 @@ Click Ok to start the auto-tuning process. Ready To Fly - Ready To Fly + 准备起飞 Not Ready - Not Ready + 未就绪 Armed - Armed + 已解锁 Flying - Flying + 飞行中 Landing - Landing + 着陆 FW(vtol) - FW(vtol) + 固定翼(VTOL) MR(vtol) - MR(vtol) + 多旋翼(垂直起降) Sensor Status - Sensor Status + 传感器状态 Disarm - Disarm + 锁定 Comms Lost - Comms Lost + 通信丢失 Disconnected - Click to manually connect - Disconnected - Click to manually connect + 已断开连接 - 点击手动连接 Force Arm - Force Arm + 强制解锁 Arm - Arm + 解锁 Vehicle Messages - Vehicle Messages + 飞行器消息 Overall Status - Overall Status + 总体状态 Edit Parameter - Edit Parameter + 编辑参数 Vehicle Parameters - Vehicle Parameters + 飞行器参数 Configure - Configure + 配置 Vehicle Configuration - Vehicle Configuration + 飞行器配置 Transition to Multi-Rotor - Transition to Multi-Rotor + 过渡到多旋翼模式 Transition to Fixed Wing - Transition to Fixed Wing + 过渡到固定翼模式 @@ -9677,67 +9677,67 @@ Click Ok to start the auto-tuning process. Select Link to Connect - Select Link to Connect + 选择连接链路 No Links Configured - No Links Configured + 未配置链接 Connected - Connected + 已连接 Communication Links - Communication Links + 通信链路 Configure - Configure + 配置 Comm Links - Comm Links + 通信链接 AutoConnect - AutoConnect + 自动连接 Pixhawk - Pixhawk + Pixhawk SiK Radio - SiK Radio + SiK无线电 LibrePilot - LibrePilot + LibrePilot UDP - UDP + UDP Zero-Conf - Zero-Conf + 零配置 RTK - RTK + RTK @@ -9746,86 +9746,86 @@ Click Ok to start the auto-tuning process. Analyze Tools - Analyze Tools + 分析工具 Vehicle Configuration - Vehicle Configuration + 飞行器配置 Application Settings - Application Settings + 应用程序设置 Close %1 - Close %1 + 关闭%1 You have a mission edit in progress which has not been saved/sent. If you close you will lose changes. Are you sure you want to close? - You have a mission edit in progress which has not been saved/sent. If you close you will lose changes. Are you sure you want to close? + 您有正在进行中的任务编辑未保存/发送。如果关闭,您将丢失更改。您确定要关闭吗? You have pending parameter updates to a vehicle. If you close you will lose changes. Are you sure you want to close? - You have pending parameter updates to a vehicle. If you close you will lose changes. Are you sure you want to close? + 您有待处理的飞行器参数更新。如果关闭将丢失更改。确定要关闭吗? There are still active connections to vehicles. Are you sure you want to exit? - There are still active connections to vehicles. Are you sure you want to exit? + 仍有活跃的飞行器连接。确定退出? Debug Touch Areas - Debug Touch Areas + 调试触摸区域 Touch Area display toggled - Touch Area display toggled + 触摸区域显示切换 Advanced Mode - Advanced Mode + 高级模式 Turn off Advanced Mode? - Turn off Advanced Mode? + 关闭高级模式? Plan Flight - Plan Flight + 规划飞行 %1 Version - %1 Version + %1 版本 Exit - Exit + 退出 Vehicle Error - Vehicle Error + 飞行器错误 Additional errors received - Additional errors received + 收到的额外错误 @@ -9871,167 +9871,167 @@ Click Ok to start the auto-tuning process. Provider - Provider + 提供商 Type - Type + 类型 Elevation Provider - Elevation Provider + 高程提供者 Offline Maps - Offline Maps + 离线地图 Download map tiles for use when offline - Download map tiles for use when offline + 下载地图瓦片以供离线时使用 Add New Set - Add New Set + 添加新集合 Add - Add + 添加 Import Map Tiles - Import Map Tiles + 导入地图瓦片 Import - Import + 导入 Export Map Tiles - Export Map Tiles + 导地图出瓦片 Export - Export + 导出 Exporting - Exporting + 导出中 Importing - Importing + 导入中 Tokens - Tokens + 令牌 Allows access to additional providers - Allows access to additional providers + 允许访问其他提供商 Mapbox - Mapbox + Mapbox Esri - Esri + Esri VWorld - VWorld + VWorld地图 Mapbox Login - Mapbox Login + Mapbox登录 Account - Account + 账户 Map Style - Map Style + 地图样式 Custom Map URL - Custom Map URL + 自定义地图URL URL with {x} {y} {z} or {zoom} substitutions - URL with {x} {y} {z} or {zoom} substitutions + 带有 {x} {y} {z} 或 {zoom} 替换的URL Server URL - Server URL + 服务器URL Tile Cache - Tile Cache + 瓦片缓存 Tile Sets (*.%1) - Tile Sets (*.%1) + 瓦片集(*.%1) Export Selected Tile Sets - Export Selected Tile Sets + 导出选定瓦片集 Export Tiles - Export Tiles + 导出瓦片 Import TileSets - Import TileSets + 导入瓦片集 Import Tiles - Import Tiles + 导入瓦片 Append to existing sets - Append to existing sets + 追加到现有集合 Replace existing sets - Replace existing sets + 替换现有集合 Error Message - Error Message + 错误消息 @@ -10045,12 +10045,12 @@ Click Ok to start the auto-tuning process. Custom actions file - incorrect format: %1 - Custom actions file - incorrect format: %1 + 自定义动作文件格式错误: %1 Custom actions file - incorrect format: JsonValue not an object - Custom actions file - incorrect format: JsonValue not an object + 自定义动作文件 - 格式不正确: JsonValue不是对象 @@ -10058,12 +10058,12 @@ Click Ok to start the auto-tuning process. Support for Fly View custom actions has changed. The location of the files has changed. You will need to setup up your settings again from Fly View Settings. - Support for Fly View custom actions has changed. The location of the files has changed. You will need to setup up your settings again from Fly View Settings. + 飞行视图自定义动作支持已变更,文件位置改变,需在飞行视图设置中重新配置 Support for Joystick custom actions has changed. The format and location of the files has changed. New setting is available from Fly View Settings. File format is documented in user guide. Delete the %1 file to disable this warning - Support for Joystick custom actions has changed. The format and location of the files has changed. New setting is available from Fly View Settings. File format is documented in user guide. Delete the %1 file to disable this warning + 对操纵杆自定义动作的支持已更改。文件的格式和位置已更改。新设置可在飞行视图设置中找到。文件格式记录在用户指南中。删除 %1 文件以禁用此警告 @@ -10071,7 +10071,7 @@ Click Ok to start the auto-tuning process. Select Mission Command - Select Mission Command + 选择任务指令 @@ -10245,17 +10245,17 @@ Click Ok to start the auto-tuning process. All Altitudes - All Altitudes + 所有高度 Initial Waypoint Alt - Initial Waypoint Alt + 初始航点高度 The following speed values are used to calculate total mission time. They do not affect the flight speed for the mission. - The following speed values are used to calculate total mission time. They do not affect the flight speed for the mission. + 以下速度值用于计算总任务时间,不影响实际飞行速度。 @@ -10294,7 +10294,7 @@ Click Ok to start the auto-tuning process. Mission Start - Mission Start + 任务开始 @@ -10302,37 +10302,37 @@ Click Ok to start the auto-tuning process. Custom - Custom + 自定义 Upwards - Upwards + 向上 Downwards - Downwards + 向下 Forwards - Forwards + 向前 Backwards - Backwards + 反向 Leftwards - Leftwards + 向左 Rightwards - Rightwards + 向右 @@ -10340,7 +10340,7 @@ Click Ok to start the auto-tuning process. Axis - Axis + @@ -10356,42 +10356,42 @@ Click Ok to start the auto-tuning process. Send status text + voice - Send status text + voice + 发送状态文本+语音 PX4 Vehicle - PX4 Vehicle + PX4飞行器 APM ArduCopter Vehicle - APM ArduCopter Vehicle + APM ArduCopter飞行器 APM ArduPlane Vehicle - APM ArduPlane Vehicle + APM ArduPlane飞行器 APM ArduSub Vehicle - APM ArduSub Vehicle + APM ArduSub潜水器 APM ArduRover Vehicle - APM ArduRover Vehicle + APM ArduRover飞行器 Generic Vehicle - Generic Vehicle + 通用飞行器 Stop One MockLink - Stop One MockLink + 停止一个MockLink @@ -10399,47 +10399,47 @@ Click Ok to start the auto-tuning process. Send Status Text and Voice - Send Status Text and Voice + 发送状态文本和语音 Increment Vehicle Id - Increment Vehicle Id + 增加飞行器ID Firmware - Firmware + 固件 PX4 Pro - PX4 Pro + PX4 Pro ArduPilot - ArduPilot + ArduPilot Generic MAVLink - Generic MAVLink + 通用MAVLink Vehicle Type - Vehicle Type + 飞行器类型 ArduCopter - ArduCopter + ArduCopter ArduPlane - ArduPlane + ArduPlane @@ -10463,7 +10463,7 @@ By saying yes, all motors will be reassigned to the first %1 channels of the sel Not all motors are assigned yet. Either clear all existing assignments or assign all motors to an output. - Not all motors are assigned yet. Either clear all existing assignments or assign all motors to an output. + 尚未分配所有电机。要么清除所有现有分配,要么将所有电机分配到输出 @@ -10493,7 +10493,7 @@ Do you wish to proceed? Actuator test command failed - Actuator test command failed + 执行器测试指令失败 @@ -10506,17 +10506,17 @@ Do you wish to proceed? Throttle - Throttle + 油门 % - % + % Make sure you remove all props. - Make sure you remove all props. + 请确保移除所有螺旋桨 @@ -10526,17 +10526,17 @@ Do you wish to proceed? Stop - Stop + 停止 Careful : Motors are enabled - Careful : Motors are enabled + 注意:电机已启用 Propellers are removed - Enable slider and motors - Propellers are removed - Enable slider and motors + 螺旋桨已移除 - 启用滑块和电机 @@ -10664,12 +10664,12 @@ Do you wish to proceed? N/A - N/A + 不适用 Enable Multi-Vehicle Panel - Enable Multi-Vehicle Panel + 启用多飞行器面板 @@ -10677,139 +10677,139 @@ Do you wish to proceed? System Wide Tile Cache - System Wide Tile Cache + 系统全局瓦片缓存 Zoom Levels: - Zoom Levels: + 缩放级别: Total: - Total: + 总计: Unique: - Unique: + 唯一: Downloaded: - Downloaded: + 已下载: Error Count: - Error Count: + 错误计数: Size: - Size: + 大小: Tile Count: - Tile Count: + 瓦片计数: Resume Download - Resume Download + 恢复下载 Cancel Download - Cancel Download + 取消下载 Delete - Delete + 删除 Ok - Ok + 确定 Close - Close + 关闭 Cancel - Cancel + 取消 Show zoom previews - Show zoom previews + 显示缩放预览 Min Zoom: %1 - Min Zoom: %1 + 最小缩放:%1 Max Zoom: %1 - Max Zoom: %1 + 最大缩放: %1 Add New Set - Add New Set + 添加新集合 Name: - Name: + 名称: Map type: - Map type: + 地图类型: Fetch elevation data - Fetch elevation data + 获取高程数据 Min/Max Zoom Levels - Min/Max Zoom Levels + 最小/最大缩放级别 Est Size: - Est Size: + 预估大小: Too many tiles - Too many tiles + 瓦片过多 Download - Download + 下载 Error Message - Error Message + 错误消息 Confirm Delete - Confirm Delete + 确认删除 @@ -10835,7 +10835,7 @@ Is this really what you want? Edit - Edit + 编辑 @@ -10866,7 +10866,7 @@ Is this really what you want? Optical Flow Camera - Optical Flow Camera + 光流相机 @@ -10874,7 +10874,7 @@ Is this really what you want? Select Tuning: - Select Tuning: + 选择调参: @@ -10899,7 +10899,7 @@ Is this really what you want? sec - sec + @@ -10929,12 +10929,12 @@ Is this really what you want? Use auto-tuning - Use auto-tuning + 使用自动调参 Use manual tuning - Use manual tuning + 使用手动调参 @@ -10950,27 +10950,27 @@ Is this really what you want? Low Battery Failsafe - Low Battery Failsafe + 低电量故障保护 Vehicle Action - Vehicle Action + 飞行器动作 Warning Level - Warning Level + 警告级别 Critical Level - Critical Level + 严重级别 Emergency Level - Emergency Level + 紧急级别 @@ -11083,7 +11083,7 @@ Is this really what you want? Unable to pause vehicle. - Unable to pause vehicle. + 无法暂停飞行器。 @@ -11098,17 +11098,17 @@ Is this really what you want? Vehicle does not support guided rotate - Vehicle does not support guided rotate + 飞行器不支持引导旋转 Unable to start takeoff: Vehicle rejected arming. - Unable to start takeoff: Vehicle rejected arming. + 无法开始起飞:飞行器拒绝解锁 Unable to start takeoff: Vehicle not changing to %1 flight mode. - Unable to start takeoff: Vehicle not changing to %1 flight mode. + 无法开始起飞:飞行器未切换至%1模式。 @@ -11146,7 +11146,7 @@ Is this really what you want? Rebooting board - Rebooting board + 重启飞控 @@ -11164,12 +11164,12 @@ Is this really what you want? Flight Behavior - Flight Behavior + 飞行行为 Flight Behavior is used to configure flight characteristics. - Flight Behavior is used to configure flight characteristics. + 飞行行为用于配置飞行特性 @@ -11177,62 +11177,62 @@ Is this really what you want? Enable responsiveness slider (if enabled, acceleration limit parameters and others are automatically set) - Enable responsiveness slider (if enabled, acceleration limit parameters and others are automatically set) + 启用响应度滑块(启用时将自动设置加速度限制等参数) Responsiveness - Responsiveness + 响应性 A higher value makes the vehicle react faster. Be aware that this affects braking as well, and a combination of slow responsiveness with high maximum velocity will lead to long braking distances. - A higher value makes the vehicle react faster. Be aware that this affects braking as well, and a combination of slow responsiveness with high maximum velocity will lead to long braking distances. + 较高的值使飞行器反应更快。请注意,这也会影响制动,响应慢与最大速度高的组合会导致制动距离长 Warning: a high responsiveness requires a vehicle with large thrust-to-weight ratio. The vehicle might lose altitude otherwise. - Warning: a high responsiveness requires a vehicle with large thrust-to-weight ratio. The vehicle might lose altitude otherwise. + 警告: 高响应性需要具有大推重比的飞行器。否则飞行器可能会失去高度 Enable horizontal velocity slider (if enabled, individual velocity limit parameters are automatically set) - Enable horizontal velocity slider (if enabled, individual velocity limit parameters are automatically set) + 启用水平速度滑块(启用时将自动设置各速度限制参数) Horizontal velocity (m/s) - Horizontal velocity (m/s) + 水平速度(米/秒) Limit the horizonal velocity (applies to all modes). - Limit the horizonal velocity (applies to all modes). + 限制水平速度(适用于所有模式) Enable vertical velocity slider (if enabled, individual velocity limit parameters are automatically set) - Enable vertical velocity slider (if enabled, individual velocity limit parameters are automatically set) + 启用垂直速度滑块(如果启用,将自动设置单独的速度限制参数) Vertical velocity (m/s) - Vertical velocity (m/s) + 垂直速度(m/s) Limit the vertical velocity (applies to all modes). - Limit the vertical velocity (applies to all modes). + 限制垂直速度(适用于所有模式) Mission Turning Radius - Mission Turning Radius + 任务转弯半径 Increasing this leads to rounder turns in missions (corner cutting). Use the minimum value for accurate corner tracking. - Increasing this leads to rounder turns in missions (corner cutting). Use the minimum value for accurate corner tracking. + 增加此值会导致任务中转弯更圆滑(切角)。使用最小值以获得精确的转角跟踪 @@ -11240,27 +11240,27 @@ Is this really what you want? RTL Altitude - RTL Altitude + 返航高度 GeoFence - GeoFence + 地理围栏 Breach Action - Breach Action + 违反动作 Max Distance - Max Distance + 最大距离 Max Altitude - Max Altitude + 最大高度 @@ -11268,208 +11268,208 @@ Is this really what you want? MAVLink Logging - MAVLink Logging + MAVLink记录 Please enter an email address before uploading MAVLink log files. - Please enter an email address before uploading MAVLink log files. + 上传MAVLink日志文件前请输入电子邮件地址 MAVLink 2.0 Logging (PX4 Pro Only) - MAVLink 2.0 Logging (PX4 Pro Only) + MAVLink 2.0日志记录 (仅限PX4 Pro) Manual Start/Stop: - Manual Start/Stop: + 手动开始/停止: Start Logging - Start Logging + 开始记录 Stop Logging - Stop Logging + 停止记录 Enable automatic logging - Enable automatic logging + 启用自动记录 MAVLink 2.0 Log Uploads (PX4 Pro Only) - MAVLink 2.0 Log Uploads (PX4 Pro Only) + MAVLink 2.0日志上传 (仅限PX4 Pro) Email address for Log Upload: - Email address for Log Upload: + 日志上传的电子邮件地址: Default Description: - Default Description: + 默认描述: Default Upload URL - Default Upload URL + 默认上传URL Video URL: - Video URL: + 视频URL: Wind Speed: - Wind Speed: + 风速: Please Select - Please Select + 请选择 Calm - Calm + 平静 Breeze - Breeze + 微风 Gale - Gale + 大风 Storm - Storm + 风暴 Flight Rating: - Flight Rating: + 飞行评级: Crashed (Pilot Error) - Crashed (Pilot Error) + 坠毁(操作失误) Crashed (Software or Hardware issue) - Crashed (Software or Hardware issue) + 坠毁(软件或硬件问题) Unsatisfactory - Unsatisfactory + 不达标 Good - Good + 良好 Great - Great + 良好 Additional Feedback: - Additional Feedback: + 额外反馈: Make this log publicly available - Make this log publicly available + 公开此日志 Enable automatic log uploads - Enable automatic log uploads + 启用日志自动上传 Delete log file after uploading - Delete log file after uploading + 上传后删除日志文件 Saved Log Files - Saved Log Files + 已保存日志文件 Uploaded - Uploaded + 已上传 Check All - Check All + 全选 Check None - Check None + 全部不选 Delete Selected - Delete Selected + 删除选定项 Delete Selected Log Files - Delete Selected Log Files + 删除选定的日志文件 Confirm deleting selected log files? - Confirm deleting selected log files? + 确认删除选定的日志文件? Upload Selected - Upload Selected + 上传选定 Upload Selected Log Files - Upload Selected Log Files + 上传选定日志文件 Confirm uploading selected log files? - Confirm uploading selected log files? + 确认上传选定的日志文件? Cancel - Cancel + 取消 Cancel Upload - Cancel Upload + 取消上传 Confirm canceling the upload process? - Confirm canceling the upload process? + 确认取消上传过程? @@ -11477,17 +11477,17 @@ Is this really what you want? Ground Control Comm Loss Failsafe - Ground Control Comm Loss Failsafe + 地面控制通信丢失故障保护 Vehicle Action - Vehicle Action + 飞行器动作 Loss Timeout - Loss Timeout + 丢失超时 @@ -11597,12 +11597,12 @@ Is this really what you want? PID Tuning - PID Tuning + PID调参 Tuning Setup is used to tune the flight controllers. - Tuning Setup is used to tune the flight controllers. + 调参设置用于调整飞行控制器 @@ -11610,22 +11610,22 @@ Is this really what you want? Rate Controller - Rate Controller + 速率控制器 Attitude Controller - Attitude Controller + 姿态控制器 Velocity Controller - Velocity Controller + 速度控制器 Position Controller - Position Controller + 位置控制器 @@ -11633,43 +11633,43 @@ Is this really what you want? Roll - Roll + 横滚 Proportional Gain (MC_ROLL_P) - Proportional Gain (MC_ROLL_P) + 比例增益(MC_ROLL_P) Increase for more responsiveness, reduce if the attitude overshoots. - Increase for more responsiveness, reduce if the attitude overshoots. + 增加以提高响应性,如果姿态超调则减少 Pitch - Pitch + 俯仰 Proportional Gain (MC_PITCH_P) - Proportional Gain (MC_PITCH_P) + 比例增益 (MC_PITCH_P) Yaw - Yaw + 偏航 Proportional Gain (MC_YAW_P) - Proportional Gain (MC_YAW_P) + 比例增益(MC_YAW_P) Increase for more responsiveness, reduce if the attitude overshoots (there is only a setpoint when yaw is fixed, i.e. when centering the stick). - Increase for more responsiveness, reduce if the attitude overshoots (there is only a setpoint when yaw is fixed, i.e. when centering the stick). + 增大以提高响应性,若姿态超调则减小(仅偏航固定时有设定点,即摇杆居中时)。 @@ -11677,38 +11677,38 @@ Is this really what you want? Position control mode (set this to 'simple' during tuning): - Position control mode (set this to 'simple' during tuning): + 位置控制模式(调参期间设为'simple'): Horizontal - Horizontal + 水平 Horizontal (Y direction, sidewards) - Horizontal (Y direction, sidewards) + 水平(Y方向,侧向) Proportional gain (MPC_XY_P) - Proportional gain (MPC_XY_P) + 比例增益(MPC_XY_P) Increase for more responsiveness, reduce if the position overshoots (there is only a setpoint when hovering, i.e. when centering the stick). - Increase for more responsiveness, reduce if the position overshoots (there is only a setpoint when hovering, i.e. when centering the stick). + 增加以提高响应性,如果位置超调则减少(仅在悬停时有设定点,即摇杆居中时) Vertical - Vertical + 垂直 Proportional gain (MPC_Z_P) - Proportional gain (MPC_Z_P) + 比例增益(MPC_Z_P) @@ -11726,87 +11726,87 @@ Is this really what you want? Rate - Rate + 速率 deg/s - deg/s + 度/秒 Roll - Roll + 横滚 Overall Multiplier (MC_ROLLRATE_K) - Overall Multiplier (MC_ROLLRATE_K) + 总乘数(MC_ROLLRATE_K) Multiplier for P, I and D gains: increase for more responsiveness, reduce if the rates overshoot (and increasing D does not help). - Multiplier for P, I and D gains: increase for more responsiveness, reduce if the rates overshoot (and increasing D does not help). + P、I和D增益的乘数: 增加以提高响应性,如果速率超调则减少(增加D无帮助时) Differential Gain (MC_ROLLRATE_D) - Differential Gain (MC_ROLLRATE_D) + 微分增益 (MC_ROLLRATE_D) Damping: increase to reduce overshoots and oscillations, but not higher than really needed. - Damping: increase to reduce overshoots and oscillations, but not higher than really needed. + 阻尼:增加以减少超调和振荡,但不要超过实际需要 Integral Gain (MC_ROLLRATE_I) - Integral Gain (MC_ROLLRATE_I) + 积分增益(MC_ROLLRATE_I) Generally does not need much adjustment, reduce this when seeing slow oscillations. - Generally does not need much adjustment, reduce this when seeing slow oscillations. + 通常无需大幅调整,出现慢速振荡时可减小此值 Pitch - Pitch + 俯仰 Overall Multiplier (MC_PITCHRATE_K) - Overall Multiplier (MC_PITCHRATE_K) + 总乘数(MC_PITCHRATE_K) Differential Gain (MC_PITCHRATE_D) - Differential Gain (MC_PITCHRATE_D) + 微分增益(MC_PITCHRATE_D) Integral Gain (MC_PITCHRATE_I) - Integral Gain (MC_PITCHRATE_I) + 积分增益 (MC_PITCHRATE_I) Yaw - Yaw + 偏航 Overall Multiplier (MC_YAWRATE_K) - Overall Multiplier (MC_YAWRATE_K) + 整体乘数 (MC_YAWRATE_K) Integral Gain (MC_YAWRATE_I) - Integral Gain (MC_YAWRATE_I) + 积分增益(MC_YAWRATE_I) @@ -11814,74 +11814,74 @@ Is this really what you want? Position control mode (set this to 'simple' during tuning): - Position control mode (set this to 'simple' during tuning): + 位置控制模式(调参期间设为'simple'): Horizontal - Horizontal + 水平 Horizontal (Y direction, sidewards) - Horizontal (Y direction, sidewards) + 水平(Y方向,侧向) Proportional gain (MPC_XY_VEL_P_ACC) - Proportional gain (MPC_XY_VEL_P_ACC) + 比例增益(MPC_XY_VEL_P_ACC) Increase for more responsiveness, reduce if the velocity overshoots (and increasing D does not help). - Increase for more responsiveness, reduce if the velocity overshoots (and increasing D does not help). + 增加以提高响应性,如果速度超调则减少(且增加D无帮助) Integral gain (MPC_XY_VEL_I_ACC) - Integral gain (MPC_XY_VEL_I_ACC) + 积分增益(MPC_XY_VEL_I_ACC) Increase to reduce steady-state error (e.g. wind) - Increase to reduce steady-state error (e.g. wind) + 增加以减少稳态误差(例如风) Differential gain (MPC_XY_VEL_D_ACC) - Differential gain (MPC_XY_VEL_D_ACC) + 微分增益 (MPC_XY_VEL_D_ACC) Damping: increase to reduce overshoots and oscillations, but not higher than really needed. - Damping: increase to reduce overshoots and oscillations, but not higher than really needed. + 阻尼:增加以减少超调和振荡,但不要超过实际需要 Vertical - Vertical + 垂直 Proportional gain (MPC_Z_VEL_P_ACC) - Proportional gain (MPC_Z_VEL_P_ACC) + 比例增益 (MPC_Z_VEL_P_ACC) Integral gain (MPC_Z_VEL_I_ACC) - Integral gain (MPC_Z_VEL_I_ACC) + 积分增益(MPC_Z_VEL_I_ACC) Increase to reduce steady-state error - Increase to reduce steady-state error + 增加以减少稳态误差 Differential gain (MPC_Z_VEL_D_ACC) - Differential gain (MPC_Z_VEL_D_ACC) + 微分增益(MPC_Z_VEL_D_ACC) @@ -11890,7 +11890,7 @@ Is this really what you want? Rate Controller - Rate Controller + 速率控制器 @@ -11898,32 +11898,32 @@ Is this really what you want? Roll - Roll + 横滚 Time constant (FW_R_TC) - Time constant (FW_R_TC) + 时间常数 (FW_R_TC) The latency between a roll step input and the achieved setpoint (inverse to a P gain) - The latency between a roll step input and the achieved setpoint (inverse to a P gain) + 横滚阶跃输入与实现设定点间的延迟(与P增益成反比) Pitch - Pitch + 俯仰 Time Constant (FW_P_TC) - Time Constant (FW_P_TC) + 时间常数(FW_P_TC) The latency between a pitch step input and the achieved setpoint (inverse to a P gain) - The latency between a pitch step input and the achieved setpoint (inverse to a P gain) + 俯仰阶跃输入与实现设定点间的延迟(与P增益成反比) @@ -11931,33 +11931,33 @@ Is this really what you want? Roll - Roll + 横滚 Porportional gain (FW_RR_P) - Porportional gain (FW_RR_P) + 比例增益 (FW_RR_P) Porportional gain. - Porportional gain. + 比例增益 Differential Gain (FW_RR_D) - Differential Gain (FW_RR_D) + 微分增益(FW_RR_D) Damping: increase to reduce overshoots and oscillations, but not higher than really needed. - Damping: increase to reduce overshoots and oscillations, but not higher than really needed. + 阻尼:增加以减少超调和振荡,但不要超过实际需要 Integral Gain (FW_RR_I) - Integral Gain (FW_RR_I) + 积分增益(FW_RR_I) @@ -11965,85 +11965,85 @@ Is this really what you want? Generally does not need much adjustment, reduce this when seeing slow oscillations. - Generally does not need much adjustment, reduce this when seeing slow oscillations. + 通常无需大幅调整,出现慢速振荡时可减小此值 Feedforward Gain (FW_RR_FF) - Feedforward Gain (FW_RR_FF) + 前馈增益(FW_RR_FF) Feedforward gused to compensate for aerodynamic damping. - Feedforward gused to compensate for aerodynamic damping. + 前馈用于补偿气动阻尼 Pitch - Pitch + 俯仰 Porportional Gain (FW_PR_P) - Porportional Gain (FW_PR_P) + 比例增益(FW_PR_P) Porportional Gain. - Porportional Gain. + 比例增益 Differential Gain (FW_PR_D) - Differential Gain (FW_PR_D) + 微分增益 (FW_PR_D) Integral Gain (FW_PR_I) - Integral Gain (FW_PR_I) + 积分增益(FW_PR_I) Feedforward Gain (FW_PR_FF) - Feedforward Gain (FW_PR_FF) + 前馈增益 (FW_PR_FF) Yaw - Yaw + 偏航 Porportional Gain (FW_YR_P) - Porportional Gain (FW_YR_P) + 比例增益 (FW_YR_P) Integral Gain (FW_YR_D) - Integral Gain (FW_YR_D) + 积分增益(FW_YR_D) Integral Gain (FW_YR_I) - Integral Gain (FW_YR_I) + 积分增益(FW_YR_I) Feedforward Gain (FW_YR_FF) - Feedforward Gain (FW_YR_FF) + 前馈增益(FW_YR_FF) Roll control to yaw feedforward (FW_RLL_TO_YAW_FF) - Roll control to yaw feedforward (FW_RLL_TO_YAW_FF) + 横滚控制到偏航前馈(FW_RLL_TO_YAW_FF) Used to counteract the adverse yaw effect for fixed wings. - Used to counteract the adverse yaw effect for fixed wings. + 用于抵消固定翼的逆偏航效应 @@ -12051,17 +12051,17 @@ Is this really what you want? Altitude & Airspeed - Altitude & Airspeed + 高度与空速 Height rate feed forward (FW_T_HRATE_FF) - Height rate feed forward (FW_T_HRATE_FF) + 高度速率前馈 (FW_T_HRATE_FF) TODO - TODO + 待办 @@ -12069,7 +12069,7 @@ Is this really what you want? Multirotor - Multirotor + 多旋翼 @@ -12077,42 +12077,42 @@ Is this really what you want? Load Parameters - Load Parameters + 加载参数 The following parameters from the loaded file differ from what is currently set on the Vehicle. Click 'Ok' to update them on the Vehicle. - The following parameters from the loaded file differ from what is currently set on the Vehicle. Click 'Ok' to update them on the Vehicle. + 加载文件中的以下参数与飞行器当前设置不同,点击'确定'更新飞行器参数 There are no differences between the file loaded and the current settings on the Vehicle. - There are no differences between the file loaded and the current settings on the Vehicle. + 加载的文件与飞行器上的当前设置之间没有差异 Comp ID - Comp ID + 组件ID Name - Name + 名称 File - File + 文件 Vehicle - Vehicle + 飞行器 N/A - N/A + 不适用 @@ -12181,7 +12181,7 @@ Is this really what you want? Search - Search + 搜索 @@ -12195,7 +12195,7 @@ Note that this will also completely reset everything, including UAVCAN nodes, al Load from file for review... - Load from file for review... + 从文件加载以查看... @@ -12237,7 +12237,7 @@ Note that this will also completely reset everything, including UAVCAN nodes, al Reset To Default - Reset To Default + 重置为默认值 @@ -12257,17 +12257,17 @@ Note that this will also completely reset everything, including UAVCAN nodes, al Value Editor - Value Editor + 值编辑器 Vehicle reboot required after change - Vehicle reboot required after change + 更改后需要重启飞行器 Application restart required after change - Application restart required after change + 更改后需重启应用 @@ -12345,137 +12345,137 @@ Note that this will also completely reset everything, including UAVCAN nodes, al Camera Tracking - Camera Tracking + 相机跟踪 Free Space: - Free Space: + 可用空间: Zoom - Zoom + 缩放 Battery: - Battery: + 电池: Settings - Settings + 设置 Camera - Camera + 相机 Video Stream - Video Stream + 视频流 Thermal View Mode - Thermal View Mode + 热成像视图模式 Blend Opacity - Blend Opacity + 混合不透明度 Photo Mode - Photo Mode + 拍照模式 Photo Interval (seconds) - Photo Interval (seconds) + 拍照间隔(秒) Video Grid Lines - Video Grid Lines + 视频网格线 Video Screen Fit - Video Screen Fit + 视频屏幕适配 Reset Camera Defaults - Reset Camera Defaults + 重置相机默认值 Storage - Storage + 存储 Off - Off + 关闭 Blend - Blend + 混合 Full - Full + 完整 Picture In Picture - Picture In Picture + 画中画 Single - Single + 单次 Time Lapse - Time Lapse + 延时摄影 Reset - Reset + 重置 Reset Camera to Factory Settings - Reset Camera to Factory Settings + 将相机重置为出厂设置 Confirm resetting all settings? - Confirm resetting all settings? + 确认重置所有设置? Format - Format + 格式 Format Camera Storage - Format Camera Storage + 格式化相机存储 Confirm erasing all files? - Confirm erasing all files? + 确认删除所有文件? @@ -12731,18 +12731,18 @@ Note that this will also completely reset everything, including UAVCAN nodes, al deg - deg + N/A - N/A + 不适用 Dist prev WP: - Dist prev WP: + 距前一航点: @@ -12855,52 +12855,52 @@ Note that this will also completely reset everything, including UAVCAN nodes, al Apply new altitude - Apply new altitude + 应用新高度 Plan View - Vehicle Disconnected - Plan View - Vehicle Disconnected + 计划视图 - 飞行器断开连接 Plan View - Vehicle Changed - Plan View - Vehicle Changed + 计划视图 - 飞行器已变更 The vehicle associated with the plan in the Plan View is no longer available. What would you like to do with that plan? - The vehicle associated with the plan in the Plan View is no longer available. What would you like to do with that plan? + 计划视图中与计划关联的飞行器不再可用。您想如何处理该计划? The plan being worked on in the Plan View is not from the current vehicle. What would you like to do with that plan? - The plan being worked on in the Plan View is not from the current vehicle. What would you like to do with that plan? + 计划视图中正在编辑的计划不属于当前飞行器。您希望如何处理该计划? Discard Unsaved Changes - Discard Unsaved Changes + 丢弃未保存的更改 Discard Unsaved Changes, Load New Plan From Vehicle - Discard Unsaved Changes, Load New Plan From Vehicle + 放弃未保存更改,从飞行器加载新计划 Load New Plan From Vehicle - Load New Plan From Vehicle + 从飞行器加载新计划 Keep Current Plan - Keep Current Plan + 保留当前计划 Keep Current Plan, Don't Update From Vehicle - Keep Current Plan, Don't Update From Vehicle + 保留当前计划,不从飞行器更新 @@ -12914,12 +12914,12 @@ Click 'Ok' to upload the Plan anyway. Send To Vehicle - Send To Vehicle + 发送到飞行器 Current mission must be paused prior to uploading a new Plan - Current mission must be paused prior to uploading a new Plan + 当前任务必须暂停才能上传新计划 @@ -12944,7 +12944,7 @@ Click 'Ok' to upload the Plan anyway. Alt Land - Alt Land + 高度降落 @@ -12971,12 +12971,12 @@ Click 'Ok' to upload the Plan anyway. UTM-Adapter - UTM-Adapter + UTM适配器 Powered by %1 - Powered by %1 + 由%1提供支持 @@ -13040,7 +13040,7 @@ Click 'Ok' to upload the Plan anyway. Plan overwrite - Plan overwrite + 计划覆盖 @@ -13096,27 +13096,27 @@ Click 'Ok' to upload the Plan anyway. Default Mission Altitude - Default Mission Altitude + 默认任务高度 VTOL TransitionDistance - VTOL TransitionDistance + 垂直起降过渡距离 Use MAV_CMD_CONDITION_GATE for pattern generation - Use MAV_CMD_CONDITION_GATE for pattern generation + 使用MAV_CMD_CONDITION_GATE进行模式生成 Missions do not require takeoff item - Missions do not require takeoff item + 任务不需要起飞项 Allow configuring multiple landing sequences - Allow configuring multiple landing sequences + 允许多个着陆序列配置 @@ -13124,22 +13124,22 @@ Click 'Ok' to upload the Plan anyway. Exit Plan - Exit Plan + 退出计划 Syncing Mission - Syncing Mission + 同步任务中 Done - Done + 完成 Click anywhere to hide - Click anywhere to hide + 点击任意处隐藏 @@ -13174,7 +13174,7 @@ Click 'Ok' to upload the Plan anyway. ESC Calibration failed. - ESC Calibration failed. + 电调校准失败 @@ -13199,13 +13199,13 @@ Click 'Ok' to upload the Plan anyway. Battery - Battery + 电池 Source - Source + @@ -13489,12 +13489,12 @@ Click 'Ok' to upload the Plan anyway. (Passed) - (Passed) + (通过) In Progress - In Progress + 进行中 @@ -13612,7 +13612,7 @@ Click 'Ok' to upload the Plan anyway. --.-- - --.-- + --.-- @@ -13638,12 +13638,12 @@ sudo apt-get 移除调制解调器管理器 There is a newer version of %1 available. You can download it from %2. - There is a newer version of %1 available. You can download it from %2. + %1有新版本可用,可从%2下载 New Version Available - New Version Available + 有新版本可用 @@ -13651,7 +13651,7 @@ sudo apt-get 移除调制解调器管理器 Database Not Initialized - Database Not Initialized + 数据库未初始化 @@ -13659,7 +13659,7 @@ sudo apt-get 移除调制解调器管理器 L - L + L @@ -13750,7 +13750,7 @@ sudo apt-get 移除调制解调器管理器 Unabled to find writable download location. Tried downloads and temp directory. - Unabled to find writable download location. Tried downloads and temp directory. + 无法找到可写下载位置。已尝试下载和临时目录。 @@ -13778,12 +13778,12 @@ sudo apt-get 移除调制解调器管理器 Unable to reopen log file %1: %2 - Unable to reopen log file %1: %2 + 无法重新打开日志文件%1: %2 Open console log output file failed %1 : %2 - Open console log output file failed %1 : %2 + 打开控制台日志输出文件失败 %1 : %2 @@ -13791,142 +13791,142 @@ sudo apt-get 移除调制解调器管理器 Generic micro air vehicle - Generic micro air vehicle + 微型飞行器 Fixed wing aircraft - Fixed wing aircraft + 固定翼飞行器 Quadrotor - Quadrotor + 四旋翼 Coaxial helicopter - Coaxial helicopter + 共轴直升机 Normal helicopter with tail rotor. - Normal helicopter with tail rotor. + 常规带尾桨直升机。 Ground installation - Ground installation + 地面安装 Operator control unit / ground control station - Operator control unit / ground control station + 操作控制单元/地面控制站 Airship, controlled - Airship, controlled + 飞艇,受控 Free balloon, uncontrolled - Free balloon, uncontrolled + 自由气球(无控) Rocket - Rocket + 火箭 Ground rover - Ground rover + 地面漫游车 Surface vessel, boat, ship - Surface vessel, boat, ship + 水面船只,船,舰 Submarine - Submarine + 潜水器 Hexarotor - Hexarotor + 六旋翼 Octorotor - Octorotor + 八旋翼 trirotor - trirotor + 三旋翼 Flapping wing - Flapping wing + 扑翼 Kite - Kite + 风筝 Onboard companion controller - Onboard companion controller + 机载伴侣控制器 Two-rotor VTOL using control surfaces in vertical operation in addition. Tailsitter - Two-rotor VTOL using control surfaces in vertical operation in addition. Tailsitter + 双旋翼VTOL,在垂直操作中还使用控制面。尾座式 Quad-rotor VTOL using a V-shaped quad config in vertical operation. Tailsitter - Quad-rotor VTOL using a V-shaped quad config in vertical operation. Tailsitter + 垂直操作中使用V型四旋翼配置的垂直起降飞行器。尾座式 Tiltrotor VTOL - Tiltrotor VTOL + 倾转旋翼垂直起降 VTOL Fixedrotor - VTOL Fixedrotor + 垂直起降固定旋翼 VTOL Tailsitter - VTOL Tailsitter + VTOL尾座式 VTOL Tiltwing - VTOL Tiltwing + VTOL倾转翼 VTOL reserved 5 - VTOL reserved 5 + 垂直起降预留5 Onboard gimbal - Onboard gimbal + 机载云台 Onboard ADSB peripheral - Onboard ADSB peripheral + 机载ADSB外设 @@ -13934,12 +13934,12 @@ sudo apt-get 移除调制解调器管理器 Comp All - Comp All + 全部比较 Comp %1 - Comp %1 + 组件 %1 @@ -14026,7 +14026,7 @@ sudo apt-get 移除调制解调器管理器 Select Polyline File - Select Polyline File + 选择折线文件 @@ -14056,7 +14056,7 @@ sudo apt-get 移除调制解调器管理器 Load KML/SHP... - Load KML/SHP... + 加载KML/SHP文件... @@ -14072,83 +14072,83 @@ sudo apt-get 移除调制解调器管理器 Ok - Ok + 确定 Open - Open + 打开 Save - Save + 保存 Apply - Apply + 应用 Save All - Save All + 全部保存 Yes - Yes + Yes to All - Yes to All + 全部是 Retry - Retry + 重试 Reset - Reset + 重置 Restore to Defaults - Restore to Defaults + 恢复到默认值 Ignore - Ignore + 忽略 Cancel - Cancel + 取消 Close - Close + 关闭 No - No + No to All - No to All + 全部否定 Abort - Abort + 中止 @@ -14164,7 +14164,7 @@ sudo apt-get 移除调制解调器管理器 The Offline Map Cache database has been upgraded. Your old map cache sets have been reset. - The Offline Map Cache database has been upgraded. Your old map cache sets have been reset. + 离线地图缓存数据库已升级。您的旧地图缓存集已被重置 @@ -14172,47 +14172,47 @@ sudo apt-get 移除调制解调器管理器 Unexpected Error - Unexpected Error + 意外错误 Empty Reply - Empty Reply + 空回复 Image is Empty - Image is Empty + 图像为空 Bing Tile Above Zoom Level - Bing Tile Above Zoom Level + Bing瓦片缩放级别以上 Failed to Serialize Terrain Tile - Failed to Serialize Terrain Tile + 地形瓦片序列化失败 Unknown Format - Unknown Format + 未知格式 Invalid Reply - Invalid Reply + 无效回复 Invalid Cache Tile - Invalid Cache Tile + 无效缓存瓦片 Network Not Available - Network Not Available + 网络不可用 @@ -14230,42 +14230,42 @@ sudo apt-get 移除调制解调器管理器 (AMSL) - (AMSL) + (AMSL) (CalcT) - (CalcT) + (计算T) AMSL - AMSL + 海拔高度 Calc Above Terrain - Calc Above Terrain + 计算高于地形 Mixed Modes - Mixed Modes + 混合模式 (TerrF) - (TerrF) + (地形跟随) Relative To Launch - Relative To Launch + 相对于起飞点 Terrain Frame - Terrain Frame + 地形坐标系 @@ -14304,7 +14304,7 @@ sudo apt-get 移除调制解调器管理器 File open failed: file:error %1 %2 - File open failed: file:error %1 %2 + 文件打开失败: 文件:错误 %1 %2 @@ -14324,22 +14324,22 @@ sudo apt-get 移除调制解调器管理器 Unable to open file: '%1', error: %2 - Unable to open file: '%1', error: %2 + 无法打开文件:'%1',错误:%2 Unable to parse json file: %1 error: %2 offset: %3 - Unable to parse json file: %1 error: %2 offset: %3 + 无法解析json文件: %1 错误: %2 偏移: %3 Root of json file is not object: %1 - Root of json file is not object: %1 + JSON文件的根不是对象: %1 Json file: '%1'. %2 - Json file: '%1'. %2 + Json文件: '%1'. %2 @@ -14365,7 +14365,7 @@ sudo apt-get 移除调制解调器管理器 You are running %1 as root. You should not do this since it will cause other issues with %1.%1 will now exit.<br/><br/> - You are running %1 as root. You should not do this since it will cause other issues with %1.%1 will now exit.<br/><br/> + 您正在以root身份运行%1。不应这样做,因为这会导致%1的其他问题。%1现在将退出。<br/><br/> @@ -14373,142 +14373,142 @@ sudo apt-get 移除调制解调器管理器 No error - No error + 无错误 Device is already open - Device is already open + 设备已打开 Device is not open - Device is not open + 设备未打开 Operation timed out - Operation timed out + 操作超时 Error reading from device - Error reading from device + 从设备读取错误 Error writing to device - Error writing to device + 写入设备错误 Device disappeared from the system - Device disappeared from the system + 设备从系统中消失 Unsupported open mode - Unsupported open mode + 不支持的打开模式 Closing device failed - Closing device failed + 关闭设备失败 Failed to start async read - Failed to start async read + 启动异步读取失败 Failed to stop async read - Failed to stop async read + 停止异步读取失败 Timeout while waiting for ready read - Timeout while waiting for ready read + 等待就绪读取超时 Timeout while waiting for bytes written - Timeout while waiting for bytes written + 等待字节写入超时 Invalid data or size - Invalid data or size + 无效数据或大小 Failed to write data - Failed to write data + 写入数据失败 Failed to flush - Failed to flush + 刷新失败 Failed to set DTR - Failed to set DTR + 设置DTR失败 Failed to set RTS - Failed to set RTS + 设置RTS失败 Failed to set parameters - Failed to set parameters + 设置参数失败 Invalid baud rate value - Invalid baud rate value + 无效波特率值 Custom baud rate direction is unsupported - Custom baud rate direction is unsupported + 不支持自定义波特率方向 Invalid Baud Rate - Invalid Baud Rate + 无效波特率 Failed to set baud rate - Failed to set baud rate + 设置波特率失败 Failed to set data bits - Failed to set data bits + 设置数据位失败 Failed to set parity - Failed to set parity + 设置奇偶校验失败 Failed to set StopBits - Failed to set StopBits + 设置停止位失败 Failed to set Flow Control - Failed to set Flow Control + 设置流控制失败 Failed to set Break Enabled - Failed to set Break Enabled + 设置中断启用失败 @@ -14516,12 +14516,12 @@ sudo apt-get 移除调制解调器管理器 Not Mapped - Not Mapped + 未映射 Channel Monitor - Channel Monitor + 通道监视器 @@ -14534,7 +14534,7 @@ sudo apt-get 移除调制解调器管理器 RSSI - RSSI + 信号强度指示 @@ -14615,23 +14615,23 @@ sudo apt-get 移除调制解调器管理器 Click Ok to place your Spektrum receiver in the bind mode. - Click Ok to place your Spektrum receiver in the bind mode. + 点击确定将您的Spektrum接收器置于绑定模式 Select the specific receiver type below: - Select the specific receiver type below: + 在下面选择特定的接收器类型: CRSF Bind - CRSF Bind + CRSF绑定 Click Ok to place your CRSF receiver in the bind mode. - Click Ok to place your CRSF receiver in the bind mode. + 点击确定将CRSF接收器置于绑定模式。 @@ -14726,17 +14726,17 @@ sudo apt-get 移除调制解调器管理器 Radio Not Ready - Radio Not Ready + 无线电未就绪 Ready to calibrate. - Ready to calibrate. + 准备校准 Zero Trims - Zero Trims + 零微调 @@ -14939,92 +14939,92 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap RemoteID Status - RemoteID Status + 远程ID状态 ARM STATUS - ARM STATUS + 解锁状态 RID COMMS - RID COMMS + RID通信 NOT CONNECTED - NOT CONNECTED + 未连接 GCS GPS - GCS GPS + 地面站GPS BASIC ID - BASIC ID + 基础ID OPERATOR ID - OPERATOR ID + 操作员ID EMERGENCY HAS BEEN DECLARED, Press and Hold for 3 seconds to cancel - EMERGENCY HAS BEEN DECLARED, Press and Hold for 3 seconds to cancel + 已声明紧急情况,按住3秒取消 Press and Hold below button to declare emergency - Press and Hold below button to declare emergency + 按下并按住下方按钮以声明紧急情况 Clear Emergency - Clear Emergency + 清除紧急状态 EMERGENCY - EMERGENCY + 紧急情况 Arm Status Error - Arm Status Error + 解锁状态错误 Self ID - Self ID + 自身ID If an emergency is declared, Emergency Text will be broadcast even if Broadcast setting is not enabled. - If an emergency is declared, Emergency Text will be broadcast even if Broadcast setting is not enabled. + 如果声明紧急情况,即使未启用广播设置,紧急文本也将被广播 Broadcast - Broadcast + 广播 Broadcast Message - Broadcast Message + 广播消息 Remote ID - Remote ID + 远程ID Configure - Configure + 配置 @@ -15032,118 +15032,118 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap ARM STATUS - ARM STATUS + 解锁状态 RID COMMS - RID COMMS + RID通信 NOT CONNECTED - NOT CONNECTED + 未连接 GCS GPS - GCS GPS + 地面站GPS BASIC ID - BASIC ID + 基础ID OPERATOR ID - OPERATOR ID + 操作员ID Arm Status Error - Arm Status Error + 解锁状态错误 Basic ID - Basic ID + 基础ID If Basic ID is already set on the RID device, this will be registered as Basic ID 2 - If Basic ID is already set on the RID device, this will be registered as Basic ID 2 + 如果RID设备上已设置基本ID,这将注册为基本ID 2 Broadcast - Broadcast + 广播 If an emergency is declared, Emergency Text will be broadcast even if Broadcast setting is not enabled. - If an emergency is declared, Emergency Text will be broadcast even if Broadcast setting is not enabled. + 如果声明紧急情况,即使未启用广播设置,紧急文本也将被广播 Broadcast Message - Broadcast Message + 广播消息 GroundStation Location - GroundStation Location + 地面站位置 EU Vehicle Info - EU Vehicle Info + 欧盟飞行器信息 Provide Information - Provide Information + 提供信息 NMEA External GPS Device - NMEA External GPS Device + NMEA外部GPS设备 NMEA GPS Baudrate - NMEA GPS Baudrate + NMEA GPS波特率 NMEA stream UDP port - NMEA stream UDP port + NMEA流UDP端口 Operator ID - Operator ID + 操作员ID Broadcast%1 - Broadcast%1 + 广播%1 (%1) - (%1) + (%1) Invalid Operator ID - Invalid Operator ID + 无效的操作员ID Self ID - Self ID + 自身ID @@ -15219,72 +15219,72 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap File is not a .shp file: %1 - File is not a .shp file: %1 + 文件不是.shp文件:%1 File not found: %1 - File not found: %1 + 文件未找到: %1 PRJ file open failed: %1 - PRJ file open failed: %1 + PRJ文件打开失败:%1 UTM projection is not in supported format. Must be PROJCS["WGS_1984_UTM_Zone_##N/S - UTM projection is not in supported format. Must be PROJCS["WGS_1984_UTM_Zone_##N/S + UTM投影格式不支持。必须是PROJCS["WGS_1984_UTM_Zone_##N/S Only WGS84 or UTM projections are supported. - Only WGS84 or UTM projections are supported. + 仅支持WGS84或UTM投影 SHPOpen failed. - SHPOpen failed. + SHPOpen失败 More than one entity found. - More than one entity found. + 找到多个实体 No supported types found. - No supported types found. + 未找到支持的类型 File does not contain a polygon. - File does not contain a polygon. + 文件不包含多边形 Failed to read polygon object. - Failed to read polygon object. + 读取多边形对象失败。 Only single part polygons are supported. - Only single part polygons are supported. + 仅支持单部分多边形。 File does not contain a polyline. - File does not contain a polyline. + 文件不包含折线 Failed to read polyline object. - Failed to read polyline object. + 读取折线对象失败 Only single part polylines are supported. - Only single part polylines are supported. + 仅支持单部分多段线 @@ -15361,7 +15361,7 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap Show obstacle distance overlay - Show obstacle distance overlay + 显示障碍物距离叠加层 @@ -15600,12 +15600,12 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap Reset successful - Reset successful + 重置成功 Reset failed - Reset failed + 重置失败 @@ -15747,43 +15747,43 @@ Click the Next button to upload calibration to board. Click Cancel if you don&ap For Compass calibration you will need to rotate your vehicle through a number of positions. - For Compass calibration you will need to rotate your vehicle through a number of positions. + 进行罗盘校准时,您需要将飞行器旋转到多个位置。 For Gyroscope calibration you will need to place your vehicle on a surface and leave it still. - For Gyroscope calibration you will need to place your vehicle on a surface and leave it still. + 进行陀螺仪校准时,您需要将飞行器放在表面上并保持静止。 For Accelerometer calibration you will need to place your vehicle on all six sides on a perfectly level surface and hold it still in each orientation for a few seconds. - For Accelerometer calibration you will need to place your vehicle on all six sides on a perfectly level surface and hold it still in each orientation for a few seconds. + 进行加速度计校准时,您需要将飞行器的六个面都放在完全水平的表面上,每个方向保持静止几秒钟。 To level the horizon you need to place the vehicle in its level flight position and leave still. - To level the horizon you need to place the vehicle in its level flight position and leave still. + 要校准水平,需将飞行器置于水平飞行姿态并保持静止。 Autopilot Orientation - Autopilot Orientation + 自动驾驶仪方向 ROTATION_NONE indicates component points in direction of flight. - ROTATION_NONE indicates component points in direction of flight. + ROTATION_NONE表示组件指向飞行方向 Click Ok to start calibration. - Click Ok to start calibration. + 点击确定开始校准 Reboot the vehicle prior to flight. - Reboot the vehicle prior to flight. + 飞行前重启飞行器。 @@ -15797,7 +15797,7 @@ ROTATION_NONE indicates component points in direction of flight. Mag %1 Orientation - Mag %1 Orientation + 磁力计 %1 方向 @@ -15858,7 +15858,7 @@ ROTATION_NONE indicates component points in direction of flight. Orientations - Orientations + 方向 @@ -15888,7 +15888,7 @@ ROTATION_NONE indicates component points in direction of flight. Factory reset - Factory reset + 恢复出厂设置 @@ -15904,12 +15904,12 @@ ROTATION_NONE indicates component points in direction of flight. Serial Link Error - Serial Link Error + 串行链接错误 Link %1: (Port: %2) %3 - Link %1: (Port: %2) %3 + 链接 %1: (端口: %2) %3 @@ -15927,27 +15927,27 @@ ROTATION_NONE indicates component points in direction of flight. Serial Port - Serial Port + 串口 None Available - None Available + 无可用 Baud Rate - Baud Rate + 波特率 Advanced Settings - Advanced Settings + 高级设置 Parity - Parity + 校验位 @@ -15967,12 +15967,12 @@ ROTATION_NONE indicates component points in direction of flight. Data Bits - Data Bits + 数据位 Stop Bits - Stop Bits + 停止位 @@ -15980,37 +15980,37 @@ ROTATION_NONE indicates component points in direction of flight. Not connecting to a bootloader - Not connecting to a bootloader + 未连接到引导加载程序 Could not open port: %1 - Could not open port: %1 + 无法打开端口: %1 Data to Send is Empty - Data to Send is Empty + 发送数据为空 Port is not Connected - Port is not Connected + 端口未连接 Port is not Writable - Port is not Writable + 端口不可写 Could Not Send Data - Write Failed: %1 - Could Not Send Data - Write Failed: %1 + 无法发送数据 - 写入失败: %1 Could Not Send Data - Write Returned 0 Bytes - Could Not Send Data - Write Returned 0 Bytes + 无法发送数据 - 写入返回0字节 @@ -16018,77 +16018,77 @@ ROTATION_NONE indicates component points in direction of flight. General - General + 常规 Fly View - Fly View + 飞行视图 Plan View - Plan View + 计划视图 Video - Video + 视频 Telemetry - Telemetry + 数传 ADSB Server - ADSB Server + ADSB服务器 Comm Links - Comm Links + 通信链接 Maps - Maps + 地图 PX4 Log Transfer - PX4 Log Transfer + PX4日志传输 Remote ID - Remote ID + 远程ID Console - Console + 控制台 Help - Help + 帮助 Mock Link - Mock Link + 模拟链接 Debug - Debug + 调试 Palette Test - Palette Test + 调色板测试 @@ -16106,7 +16106,7 @@ ROTATION_NONE indicates component points in direction of flight. %1 Config - %1 Config + %1 配置 @@ -16169,7 +16169,7 @@ ROTATION_NONE indicates component points in direction of flight. Optical Flow - Optical Flow + 光流 @@ -16179,7 +16179,7 @@ ROTATION_NONE indicates component points in direction of flight. Buttons - Buttons + 按钮 @@ -16197,17 +16197,17 @@ ROTATION_NONE indicates component points in direction of flight. Unsupported file type. Only .%1 and .%2 are supported. - Unsupported file type. Only .%1 and .%2 are supported. + 不支持的文件类型,仅支持.%1和.%2格式 KML Files (*.%1) - KML Files (*.%1) + KML文件(*.%1) KML/SHP Files (*.%1 *.%2) - KML/SHP Files (*.%1 *.%2) + KML/SHP文件(*.%1 *.%2) @@ -16215,7 +16215,7 @@ ROTATION_NONE indicates component points in direction of flight. Move '%1' %2 to the %3 location. %4 - Move '%1' %2 to the %3 location. %4 + 将'%1'的%2移动到%3位置 %4 @@ -16240,12 +16240,12 @@ ROTATION_NONE indicates component points in direction of flight. Transition Direction - Transition Direction + 过渡方向 Takeoff - Takeoff + 起飞 @@ -16260,7 +16260,7 @@ ROTATION_NONE indicates component points in direction of flight. Ensure distance from launch to transition direction is far enough to complete transition. - Ensure distance from launch to transition direction is far enough to complete transition. + 确保从发射点到过渡方向的距离足够完成过渡 @@ -16290,7 +16290,7 @@ ROTATION_NONE indicates component points in direction of flight. Actual AMSL alt sent: %1 %2 - Actual AMSL alt sent: %1 %2 + 发送的实际AMSL高度:%1 %2 @@ -16323,7 +16323,7 @@ ROTATION_NONE indicates component points in direction of flight. Transition Direction - Transition Direction + 过渡方向 @@ -16338,7 +16338,7 @@ ROTATION_NONE indicates component points in direction of flight. Loiter - Loiter + 悬停模式 @@ -16346,7 +16346,7 @@ ROTATION_NONE indicates component points in direction of flight. Time lapse capture not supported by this camera - Time lapse capture not supported by this camera + 此相机不支持延时拍摄 @@ -16354,48 +16354,48 @@ ROTATION_NONE indicates component points in direction of flight. EMERGENCY - EMERGENCY + 紧急情况 ALERT - ALERT + 警报 Critical - Critical + 严重 Error - Error + 错误 Warning - Warning + 警告 Notice - Notice + 通知 Info - Info + 信息 Debug - Debug + 调试 ... Indicates missing chunk from chunked STATUS_TEXT - ... + ... @@ -16690,17 +16690,17 @@ ROTATION_NONE indicates component points in direction of flight. Error - Error + 错误 Normal - Normal + 正常 Disabled - Disabled + 已禁用 @@ -16723,7 +16723,7 @@ ROTATION_NONE indicates component points in direction of flight. Address in hex. Default is E7E7E7E7E7. - Address in hex. Default is E7E7E7E7E7. + 十六进制地址。默认为E7E7E7E7E7。 @@ -16733,7 +16733,7 @@ ROTATION_NONE indicates component points in direction of flight. Restore Defaults - Restore Defaults + 恢复默认 @@ -16759,12 +16759,12 @@ ROTATION_NONE indicates component points in direction of flight. TCP Link Error - TCP Link Error + TCP链接错误 Link %1: (Host: %2 Port: %3) %4 - Link %1: (Host: %2 Port: %3) %4 + 链接 %1: (主机: %2 端口: %3) %4 @@ -16772,27 +16772,27 @@ ROTATION_NONE indicates component points in direction of flight. Connection Failed: %1 - Connection Failed: %1 + 连接失败: %1 Data to Send is Empty - Data to Send is Empty + 发送数据为空 Socket is not connected - Socket is not connected + 套接字未连接 Could Not Send Data - Write Failed: %1 - Could Not Send Data - Write Failed: %1 + 无法发送数据 - 写入失败: %1 Could Not Send Data - Write Returned 0 Bytes - Could Not Send Data - Write Returned 0 Bytes + 无法发送数据 - 写入返回0字节 @@ -16816,12 +16816,12 @@ ROTATION_NONE indicates component points in direction of flight. Server Address - Server Address + 服务器地址 Port - Port + 端口 @@ -16840,7 +16840,7 @@ ROTATION_NONE indicates component points in direction of flight. dBm - dBm + dBm @@ -16878,157 +16878,157 @@ ROTATION_NONE indicates component points in direction of flight. Not Connected - Not Connected + 未连接 Ground Station - Ground Station + 地面站 Emit heartbeat - Emit heartbeat + 发送心跳 MAVLink System ID - MAVLink System ID + MAVLink系统ID MAVLink 2 Signing - MAVLink 2 Signing + MAVLink 2签名 Signing keys should only be sent to the vehicle over secure links. - Signing keys should only be sent to the vehicle over secure links. + 签名密钥应仅通过安全链路发送至飞行器。 Key - Key + Send to Vehicle - Send to Vehicle + 发送至飞行器 Signing key has changed. Don't forget to send to Vehicle(s) if needed. - Signing key has changed. Don't forget to send to Vehicle(s) if needed. + 签名密钥已更改。如果需要,别忘了发送到飞行器 MAVLink Forwarding - MAVLink Forwarding + MAVLink转发 Enable - Enable + 启用 Host name - Host name + 主机名 Logging - Logging + 记录中 Save log after each flight - Save log after each flight + 每次飞行后保存日志 Save logs even if vehicle was not armed - Save logs even if vehicle was not armed + 即使飞行器未解锁也保存日志 Save CSV log of telemetry data - Save CSV log of telemetry data + 保存遥测数据的CSV日志 Stream Rates (ArduPilot Only) - Stream Rates (ArduPilot Only) + 流速率(仅限ArduPilot) Controlled By vehicle - Controlled By vehicle + 由飞行器控制 Raw Sensors - Raw Sensors + 原始传感器 Extended Status - Extended Status + 扩展状态 RC Channels - RC Channels + RC通道 Position - Position + 位置 Extra 1 - Extra 1 + 额外1 Extra 2 - Extra 2 + 额外2 Extra 3 - Extra 3 + 额外3 Link Status (Current Vehicle)) - Link Status (Current Vehicle)) + 链接状态(当前飞行器) Total messages sent (computed) - Total messages sent (computed) + 发送的消息总数 (计算) Total messages received - Total messages received + 接收的消息总数 Total message loss - Total message loss + 总消息丢失 Loss rate: - Loss rate: + 丢失率: Signing: - Signing: + 签名: @@ -17057,7 +17057,7 @@ ROTATION_NONE indicates component points in direction of flight. Waiting for parameters... - Waiting for parameters... + 等待参数... @@ -17084,94 +17084,94 @@ ROTATION_NONE indicates component points in direction of flight. Done - Done + 完成 WARNING: Photo interval is below minimum interval (%1 secs) supported by camera. - WARNING: Photo interval is below minimum interval (%1 secs) supported by camera. + 警告:拍照间隔低于相机支持的最小值(%1秒) Altitude - Altitude + 高度 Trigger Dist - Trigger Dist + 触发距离 Spacing - Spacing + 间距 Rotate Entry Point - Rotate Entry Point + 旋转入口点 Statistics - Statistics + 统计 Presets - Presets + 预设 Apply Preset - Apply Preset + 应用预设 Delete Preset - Delete Preset + 删除预设 Are you sure you want to delete '%1' preset? - Are you sure you want to delete '%1' preset? + 确定删除预设'%1'? Save Settings As New Preset - Save Settings As New Preset + 将设置另存为新预设 Save Preset - Save Preset + 保存预设 Save the current settings as a named preset. - Save the current settings as a named preset. + 将当前设置保存为命名预设 Preset Name - Preset Name + 预设名称 Enter preset name - Enter preset name + 输入预设名称 Preset name cannot be blank. - Preset name cannot be blank. + 预设名不能为空。 Preset name cannot include the "/" character. - Preset name cannot include the "/" character. + 预设名不能包含"/"字符。 @@ -17207,17 +17207,17 @@ ROTATION_NONE indicates component points in direction of flight. Tolerance - Tolerance + 容差 Max Climb Rate - Max Climb Rate + 最大爬升率 Max Descent Rate - Max Descent Rate + 最大下降率 @@ -17238,7 +17238,7 @@ ROTATION_NONE indicates component points in direction of flight. Link %1: %2 - Link %1: %2 + 链路%1: %2 @@ -17246,42 +17246,42 @@ ROTATION_NONE indicates component points in direction of flight. Failed to bind UDP socket to port - Failed to bind UDP socket to port + UDP套接字绑定到端口失败 Could Not Send Data - Link is Disconnected! - Could Not Send Data - Link is Disconnected! + 无法发送数据 - 链路已断开! Could Not Read Data - Link is Disconnected! - Could Not Read Data - Link is Disconnected! + 无法读取数据 - 连接已断开! Could Not Read Data - No Data Available! - Could Not Read Data - No Data Available! + 无法读取数据 - 无可用数据! Zeroconf Register Error: %1 - Zeroconf Register Error: %1 + Zeroconf注册错误: %1 Error Registering Zeroconf: %1 - Error Registering Zeroconf: %1 + 注册零配置错误: %1 Invalid sockfd - Invalid sockfd + 无效的套接字描述符 DNSServiceProcessResult Error: %1 - DNSServiceProcessResult Error: %1 + DNSServiceProcessResult错误: %1 @@ -17289,104 +17289,104 @@ ROTATION_NONE indicates component points in direction of flight. UTM Service Editor - UTM Service Editor + UTM服务编辑器 Enabled - Enabled + 已启用 Disabled - Disabled + 已禁用 Logout - Logout + 登出 User ID - User ID + 用户ID Password: - Password: + 密码: Login - Login + 登录 Forgot Your Password? - Forgot Your Password? + 忘记密码? New User? Register Now - New User? Register Now + 新用户?立即注册 Insert Geofence - Insert Geofence + 插入地理围栏 Min Altitude - Min Altitude + 最低高度 Max Altitude - Max Altitude + 最大高度 Date & Time - Date & Time + 日期与时间 Date - Date + 日期 Time - Time + 时间 Start Time - Start Time + 开始时间 End Time - End Time + 结束时间 Mission Altitude - Mission Altitude + 任务高度 Register Flight Plan - Register Flight Plan + 注册飞行计划 Remove Flight Plan - Remove Flight Plan + 移除飞行计划 @@ -17394,48 +17394,48 @@ ROTATION_NONE indicates component points in direction of flight. Option - Option + 选项 Click on the map to add vertices. Click 'Done Fencing' when finished. - Click on the map to add vertices. Click 'Done Fencing' when finished. + 点击地图添加顶点。完成后点击“完成围栏设置”。 Remove vertex - Remove vertex + 移除顶点 Edit position... - Edit position... + 编辑位置... Edit Center Position - Edit Center Position + 编辑中心位置 Edit Vertex Position - Edit Vertex Position + 编辑顶点位置 Automatic - Automatic + 自动 Done fencing - Done fencing + 完成围栏设置 Mannual - Mannual + 手动 @@ -17443,17 +17443,17 @@ ROTATION_NONE indicates component points in direction of flight. Note: For best perfomance, please disable AutoConnect to UDP devices on the General page. - Note: For best perfomance, please disable AutoConnect to UDP devices on the General page. + 注意:为获得最佳性能,请在常规页面上禁用对UDP设备的自动连接 Port - Port + 端口 Server Addresses (optional) - Server Addresses (optional) + 服务器地址(可选) @@ -17463,12 +17463,12 @@ ROTATION_NONE indicates component points in direction of flight. Example: 127.0.0.1:14550 - Example: 127.0.0.1:14550 + 示例: 127.0.0.1:14550 Add Server - Add Server + 添加服务器 @@ -17530,108 +17530,108 @@ ROTATION_NONE indicates component points in direction of flight. Feet - Feet + 英尺 Meters - Meters + Horizontal Distance - Horizontal Distance + 水平距离 Vertical Distance - Vertical Distance + 垂直距离 SquareFeet - SquareFeet + 平方英尺 SquareMeters - SquareMeters + 平方米 SquareKilometers - SquareKilometers + 平方公里 Hectares - Hectares + 公顷 Acres - Acres + 英亩 SquareMiles - SquareMiles + 平方英里 Area - Area + 区域 Knots - Knots + Speed - Speed + 速度 Celsius - Celsius + 摄氏度 Fahrenheit - Fahrenheit + 华氏度 Temperature - Temperature + 温度 Grams - Grams + Kilograms - Kilograms + 千克 Ounces - Ounces + 盎司 Pounds - Pounds + Weight - Weight + 重量 @@ -17722,7 +17722,7 @@ ROTATION_NONE indicates component points in direction of flight. VTOL Landing - VTOL Landing + VTOL着陆 @@ -17745,12 +17745,12 @@ ROTATION_NONE indicates component points in direction of flight. Final approach - Final approach + 最终进场 Use loiter to altitude - Use loiter to altitude + 使用盘旋至高度 @@ -17801,12 +17801,12 @@ ROTATION_NONE indicates component points in direction of flight. * Avoid tailwind on approach to land. - * Avoid tailwind on approach to land. + * 着陆进近时避免顺风 * Ensure landing distance is enough to complete transition. - * Ensure landing distance is enough to complete transition. + * 确保着陆距离足够完成过渡 @@ -17839,7 +17839,7 @@ ROTATION_NONE indicates component points in direction of flight. Approach - Approach + 方法 @@ -17867,77 +17867,77 @@ ROTATION_NONE indicates component points in direction of flight. battery %1 level low - battery %1 level low + 电池 %1 电量低 battery %1 level is critical - battery %1 level is critical + 电池%1电量危急 battery %1 level emergency - battery %1 level emergency + 电池%1电量紧急 battery %1 failed - battery %1 failed + 电池%1故障 battery %1 unhealthy - battery %1 unhealthy + 电池%1异常 warning - warning + 警告 Set Home failed, terrain data not available for selected coordinate - Set Home failed, terrain data not available for selected coordinate + 设置返航点失败,选定坐标无地形数据 minimum altitude - minimum altitude + 最低高度 maximum altitude - maximum altitude + 最大高度 boundary - boundary + 边界 fence breached - fence breached + 围栏被突破 Waiting for previous operator control request - Waiting for previous operator control request + 等待上一个操作员控制请求 No response to operator control request - No response to operator control request + 对操作员控制请求无响应 Vehicle %1 - Vehicle %1 + 飞行器%1 Vehicle reboot failed. - Vehicle reboot failed. + 飞行器重启失败 @@ -17957,22 +17957,22 @@ ROTATION_NONE indicates component points in direction of flight. Change Heading not supported by Vehicle. - Change Heading not supported by Vehicle. + 飞行器不支持改变航向。 Unable to send command: %1. - Unable to send command: %1. + 无法发送命令:%1 Internal error - MAV_COMP_ID_ALL not supported - Internal error - MAV_COMP_ID_ALL not supported + 内部错误 - 不支持MAV_COMP_ID_ALL Waiting on previous response to same command. - Waiting on previous response to same command. + 等待对相同命令的先前响应 @@ -18010,42 +18010,42 @@ ROTATION_NONE indicates component points in direction of flight. Airship - Airship + 飞艇 Fixed Wing - Fixed Wing + 固定翼 Rover-Boat - Rover-Boat + 漫游车-船 Sub - Sub + Multi-Rotor - Multi-Rotor + 多旋翼 VTOL - VTOL + 垂直起降 Generic - Generic + 通用 Unknown - Unknown + 未知 @@ -18053,49 +18053,49 @@ ROTATION_NONE indicates component points in direction of flight. %1Communication regained on %2 link - %1Communication regained on %2 link + %1在%2链接上恢复通信 primary - primary + 主要 secondary - secondary + 次要 %1Communication regained - %1Communication regained + %1通信恢复 %1Switching communication to new primary link - %1Switching communication to new primary link + %1正在切换通信至新主链路 %1Communication lost on %2 link. - %1Communication lost on %2 link. + %2链路通信丢失 %1 %1Switching communication to secondary link. - %1Switching communication to secondary link. + %1正在切换通信至备用链路 %1Communication lost - %1Communication lost + %1通信丢失 Comm Lost - Comm Lost + 通信丢失 @@ -18111,12 +18111,12 @@ ROTATION_NONE indicates component points in direction of flight. No Messages - No Messages + 无消息 Edit Parameter - Edit Parameter + 编辑参数 @@ -18168,47 +18168,47 @@ ROTATION_NONE indicates component points in direction of flight. Analyze vibration associated with your vehicle. - Analyze vibration associated with your vehicle. + 分析与飞行器相关的振动 X (%1) - X (%1) + X (%1) Y (%1) - Y (%1) + Y (%1) Z (%1) - Z (%1) + Z (%1) Accel 1: %1 - Accel 1: %1 + 加速度计1: %1 Accel 2: %1 - Accel 2: %1 + 加速度计2: %1 Accel 3: %1 - Accel 3: %1 + 加速度3:%1 Clip count - Clip count + 剪辑计数 Not Available - Not Available + 不可用 @@ -18229,142 +18229,142 @@ ROTATION_NONE indicates component points in direction of flight. No Video Available - No Video Available + 无可用视频 Video Stream Disabled - Video Stream Disabled + 视频流已禁用 RTSP Video Stream - RTSP Video Stream + RTSP视频流 UDP h.264 Video Stream - UDP h.264 Video Stream + UDP h.264视频流 UDP h.265 Video Stream - UDP h.265 Video Stream + UDP h.265视频流 TCP-MPEG2 Video Stream - TCP-MPEG2 Video Stream + TCP-MPEG2视频流 MPEG-TS Video Stream - MPEG-TS Video Stream + MPEG-TS视频流 3DR Solo (requires restart) - 3DR Solo (requires restart) + 3DR Solo(需要重启) Parrot Discovery - Parrot Discovery + Parrot Discovery Yuneec Mantis G - Yuneec Mantis G + Yuneec Mantis G Herelink AirUnit - Herelink AirUnit + Herelink空中单元 Herelink Hotspot - Herelink Hotspot + Herelink热点 Video Source - Video Source + 视频源 Mavlink camera stream is automatically configured - Mavlink camera stream is automatically configured + Mavlink相机流自动配置 Source - Source + Connection - Connection + 连接 RTSP URL - RTSP URL + RTSP URL TCP URL - TCP URL + TCP URL UDP URL - UDP URL + UDP URL Settings - Settings + 设置 Aspect Ratio - Aspect Ratio + 宽高比 Stop recording when disarmed - Stop recording when disarmed + 解锁时停止记录 Low Latency Mode - Low Latency Mode + 低延迟模式 Video decode priority - Video decode priority + 视频解码优先级 Local Video Storage - Local Video Storage + 本地视频存储 Record File Format - Record File Format + 记录文件格式 Auto-Delete Saved Recordings - Auto-Delete Saved Recordings + 自动删除保存的录像 Max Storage Usage - Max Storage Usage + 最大存储使用量 @@ -18372,7 +18372,7 @@ ROTATION_NONE indicates component points in direction of flight. Downloading Imageries: - Downloading Imageries: + 正在下载影像: @@ -18380,7 +18380,7 @@ ROTATION_NONE indicates component points in direction of flight. Progress - Progress + 进度 @@ -18388,29 +18388,29 @@ ROTATION_NONE indicates component points in direction of flight. L - L + L T - T + T W - W + R - R + R null - null +