【原创】调用有道翻译Api翻译Linux命令accessdb输出内容
accessdb輸出內容
在linux控制臺輸入accessdb指令,結果密密麻麻地輸出了一大堆。
[root@status ~]# accessdb $version$ -> "2.5.0" . -> "- 1 1 1633086380 0 B - - gz bash built-in commands, see bash(1)" .k5identity -> "- 5 5 1629954739 0 B - - gz Kerberos V5 client principal selection rules" .k5login -> "- 5 5 1629954739 0 B - - gz Kerberos V5 acl file for host access" .ldaprc -> "- 5 5 1628572339 0 C ldap.conf - gz " /etc/anacrontab -> "- 5 5 1573231664 0 C anacrontab - gz " 30-systemd-environment-d-generator -> "- 8 8 1633446453 0 B - - gz Load variables specified by environment.d" : -> "- 1 1 1633086380 0 B - - gz bash built-in commands, see bash(1)" GnuPG~7 -> "- 7 7 1589573252 0 C gnupg2 - gz " PAM~8 -> "- 8 8 1620364026 0 A - - gz Pluggable Authentication Modules for Linux" RAND~7ssl -> "- 7ssl 7 1626866126 0 A - - gz the OpenSSL random generator" RDMA-NDD~8 -> "- 8 8 1621264375 0 C rdma-ndd - gz " SELinux~8 -> "- 8 8 1603743632 0 C selinux - gz " TuneD~8 -> "- 8 8 1626892915 0 C tuned - gz "查看accessdb的幫助,結果幫助內容只有一點點(一頁)。大概的意思是說,這個指令以人類可讀的格式轉儲man db數據庫的內容。
[root@status ~]# man accessdb ACCESSDB(8) Manual pager utils ACCESSDB(8)NAMEaccessdb - dumps the content of a man-db database in a human readable for‐matSYNOPSIS/usr/sbin/accessdb [-d?V] [<index-file>]DESCRIPTIONaccessdb will output the data contained within a man-db database in ahuman readable form. By default, it will dump the data from/var/cache/man/index.<db-type>, where <db-type> is dependent on the data‐base library in use.Supplying an argument to accessdb will override this default.OPTIONS-d, --debugPrint debugging information.-?, --helpPrint a help message and exit.--usagePrint a short usage message and exit.-V, --versionDisplay version information.AUTHORWilf. (G.Wilford@ee.surrey.ac.uk).Fabrizio Polacco (fpolacco@debian.org).Colin Watson (cjwatson@debian.org).差不多就是系統中每個命令的簡單說明。看來比較實用。但是描述的內容是用英文寫的,對于母語非英文的我來說,讀起來太慢。那么,我們就調用翻譯的API,將其順便翻譯成中文來閱讀吧。由于機器翻譯不太準確,那么我們就來個中英文對照吧。
申請翻譯的API
這里,我們使用有道翻譯API。
首先,百度搜索“有道翻譯API”,找到“http://fanyi.youdao.com/openapi”,打開鏈接。
有賬號的話,登錄系統。沒賬號的話,申請一個再登錄系統。
跳轉到 https://ai.youdao.com/console/#/service-singleton/text-translation文本翻譯。如果沒有應用的話,創建一個應用。首次使用它,系統會送100元的時長,有效期1年。
右側中部,各種代碼編寫的示例代碼,這里我們選擇C#,抄下來,修改這三個參數就可以用了。
appKey,appSecret ,來自于創建的應用。
代碼我修改了一下,將其封裝成一個類,可以供接下來調用。
public class YouDaoFanyiV3{public YouDaoFanyiResult Trans(string query){Dictionary<String, String> dic = new Dictionary<String, String>();string url = "https://openapi.youdao.com/api";string appKey = "14b33f4513380000000";string appSecret = "xfACgC1jAAUx9T9n00000000";string salt = DateTime.Now.Millisecond.ToString();//dic.Add("from", "源語言");//dic.Add("to", "目標語言");dic.Add("signType", "v3");TimeSpan ts = (DateTime.UtcNow - new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc));long millis = (long)ts.TotalMilliseconds;string curtime = Convert.ToString(millis / 1000);dic.Add("curtime", curtime);string signStr = appKey + Truncate(query) + salt + curtime + appSecret; ; #pragma warning disable SYSLIB0021 // 類型或成員已過時string sign = ComputeHash(signStr, new SHA256CryptoServiceProvider()); #pragma warning restore SYSLIB0021 // 類型或成員已過時dic.Add("q", System.Web.HttpUtility.UrlEncode(query));dic.Add("appKey", appKey);dic.Add("salt", salt);dic.Add("sign", sign);//dic.Add("vocabId", "您的用戶詞表ID");var result = Post(url, dic);return JsonSerializer.Deserialize<YouDaoFanyiResult>(result);}private string ComputeHash(string input, HashAlgorithm algorithm){Byte[] inputBytes = Encoding.UTF8.GetBytes(input);Byte[] hashedBytes = algorithm.ComputeHash(inputBytes);return BitConverter.ToString(hashedBytes).Replace("-", "");}private string Post(string url, Dictionary<String, String> dic){string result = "";HttpWebRequest req = (HttpWebRequest)WebRequest.Create(url);req.Method = "POST";req.ContentType = "application/x-www-form-urlencoded";StringBuilder builder = new StringBuilder();int i = 0;foreach (var item in dic){if (i > 0)builder.Append("&");builder.AppendFormat("{0}={1}", item.Key, item.Value);i++;}byte[] data = Encoding.UTF8.GetBytes(builder.ToString());req.ContentLength = data.Length;using (Stream reqStream = req.GetRequestStream()){reqStream.Write(data, 0, data.Length);reqStream.Close();}HttpWebResponse resp = (HttpWebResponse)req.GetResponse();Stream stream = resp.GetResponseStream();using (StreamReader reader = new StreamReader(stream, Encoding.UTF8)){result = reader.ReadToEnd();}return result;}private string Truncate(string q){if (q == null){return null;}int len = q.Length;return len <= 20 ? q : (q.Substring(0, 10) + len + q.Substring(len - 10, 10));}}保存accessdb輸出內容
先瀏覽一下,這個命令輸出的man db中命令的個數。1872個命令幫助。
[root@status ~]# accessdb |wc -l 1872將accessdb輸出內容保存到一個文本文件,順排序一下
[root@status ~]# accessdb | sort > accessdb.txt [root@status ~]# ll total 180 -rw-r--r--. 1 root root 155218 Apr 10 20:48 accessdb.txt -rw-------. 1 root root 1068 Oct 15 18:41 anaconda-ks.cfg [root@status ~]#將生成的accessdb.txt文件下載到windows pc機。
打開Visual Studio 2022,創建一個控制臺項目,添加上面修改后的類,在Program.cs文件中添加如下代碼:
編譯運行,執行完畢后,得到accessdb_ok.txt文件。文件內容如下:
翻譯后的accessdb輸出內容
以$開頭的命令
$version$2.5.02.5.0以.開頭的命令
.bash built-in commands, see bash(1)Bash內置命令,參見Bash (1) .k5identityKerberos V5 client principal selection rulesKerberos V5客戶機主體選擇規則 .k5loginKerberos V5 acl file for host access用于主機訪問的Kerberos V5 acl文件 .ldaprc以/開頭的命令
/etc/anacrontab以3開頭的命令
30-systemd-environment-d-generatorLoad variables specified by environment.d由environment.d指定的加載變量以:開頭的命令
:bash built-in commands, see bash(1)Bash內置命令,參見Bash (1)以G開頭的命令
GnuPG~7以P開頭的命令
PAM~8Pluggable Authentication Modules for LinuxLinux可插拔認證模塊以R開頭的命令
RAND~7sslthe OpenSSL random generatorOpenSSL隨機生成器 RDMA-NDD~8以S開頭的命令
SELinux~8以T開頭的命令
TuneD~8以[開頭的命令
[bash built-in commands, see bash(1)Bash內置命令,參見Bash (1)以a開頭的命令
access.confthe login access control table file登錄訪問控制表文件 accessdbdumps the content of a man-db database in a human readable format以人類可讀的格式轉儲man-db數據庫的內容 aclAccess Control Lists訪問控制列表 addgnupghomeCreate .gnupg home directories創建.gnupg主目錄 addparttell the kernel about the existence of a partition告訴內核分區的存在 addusercreate a new user or update default new user information創建新用戶或更新默認新用戶信息 agettyalternative Linux getty選擇Linux蓋蒂 aliasbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) alternativesmaintain symbolic links determining default commands維護確定默認命令的符號鏈接 anacronruns commands periodically定期運行命令 anacrontabconfiguration file for AnacronAnacron配置文件 applygnupgdefaultsRun gpgconf - apply-defaults for all users.對所有用戶執行gpgconf - apply-defaults命令。 apropossearch the manual page names and descriptions搜索手冊頁面名稱和描述 archprint machine hardware name (same as uname -m)打印機器硬件名稱(與uname -m相同) arpduserspace arp daemon.用戶空間arp守護進程。 arpingsend ARP REQUEST to a neighbour host向鄰居主機發送ARP請求 asn1parseASN.1 parsing toolasn . 1解析工具 audit-pluginsaudit.rulesa set of rules loaded in the kernel audit system加載在內核審計系統中的一組規則 audit2allowgenerate SELinux policy allow/dontaudit rules from logs of denied operations從被拒絕的操作日志中生成SELinux policy allow/dontaudit規則 audit2whygenerate SELinux policy allow/dontaudit rules from logs of denied operations從被拒絕的操作日志中生成SELinux policy allow/dontaudit規則 auditctla utility to assist controlling the kernel’s audit system一個幫助控制內核審計系統的工具 auditdThe Linux Audit daemonLinux Audit守護進程 auditd-pluginsrealtime event receivers實時事件接收者 auditd.confaudit daemon configuration file審計守護進程配置文件 augenrulesa script that merges component audit rule files合并組件審計規則文件的腳本 aulasta program similar to last類似于最后的程序 aulastloga program similar to lastlog類似于lastlog的程序 aureporta tool that produces summary reports of audit daemon logs生成審計守護進程日志摘要報告的工具 ausearcha tool to query audit daemon logs用于查詢審計守護進程日志的工具 ausearch-expressionaudit search expression format審計搜索表達式格式 ausyscalla program that allows mapping syscall names and numbers一個允許映射系統調用名和號碼的程序 authselectselect system identity and authentication sources.選擇系統標識和認證源。 authselect-migrationA guide how to migrate from authconfig to authselect.如何從authconfig遷移到authselect的指南。 authselect-profileshow to extend authselect profiles.如何擴展authselect配置文件。 autracea program similar to strace類似于strace的程序 auvirta program that shows data related to virtual machines顯示與虛擬機有關的數據的程序 avcstatDisplay SELinux AVC statistics顯示SELinux AVC統計信息 awkpattern scanning and processing language模式掃描和處理語言以b開頭的命令
b2sumcompute and check BLAKE2 message digest計算并檢查BLAKE2消息摘要 badblockssearch a device for bad blocks在設備中查找壞塊 base32base32 encode/decode data and print to standard outputBase32編碼/解碼數據并打印到標準輸出 base64base64 encode/decode data and print to standard outputBase64編碼/解碼數據并打印到標準輸出 basenamestrip directory and suffix from filenames從文件名中去掉目錄和后綴 bashGNU Bourne-Again SHellGNU Bourne-Again殼 bashbugreport a bug in bash在bash中報告bug bashbug-64report a bug in bash在bash中報告bug bgbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) bindbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) binfmt.dConfigure additional binary formats for executables at boot在引導時為可執行文件配置額外的二進制格式 bioBasic I/O abstraction基本的I / O的抽象 biosdecodeBIOS information decoderBIOS信息譯碼器 biosdevnamegive BIOS-given name of a devicegive bios指定的設備名稱 blkdeactivateutility to deactivate block devices實用程序去激活塊設備 blkdiscarddiscard sectors on a device丟棄設備上的扇區 blkidlocate/print block device attributes定位/打印塊設備屬性 blkzonerun zone command on a device在設備上執行zone命令 blockdevcall block device ioctls from the command line從命令行調用塊設備ioctls bond2teamConverts bonding configuration to team將綁定配置轉換為團隊 booleansbooleans 5 booleans 8布爾值5,布爾值8 booleans~5The SELinux booleans configuration filesSELinux布爾值配置文件 booleans~8Policy booleans enable runtime customization of SELinux policy策略布爾值啟用SELinux策略的運行時自定義 bootctlControl the firmware and boot manager settings控制固件和啟動管理器設置 bootupSystem bootup process系統啟動過程 breakbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) bridgeshow / manipulate bridge addresses and devices顯示/操作網橋地址和設備 builtinbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) builtinsbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) busctlIntrospect the bus反思公共汽車 bwrapcontainer setup utility容器設置實用程序以c開頭的命令
c_rehashcasample minimal CA application樣本最小CA應用 ca-legacyManage the system configuration for legacy CA certificates管理舊CA證書的系統配置 cache_checkvalidates cache metadata on a device or file.驗證設備或文件上的緩存元數據。 cache_dumpdump cache metadata from device or file to standard output.將緩存元數據從設備或文件轉儲到標準輸出。 cache_metadata_sizeEstimate the size of the metadata device needed for a given configuration.估計給定配置所需的元數據設備的大小。 cache_repairrepair cache binary metadata from device/file to device/file.修復設備/文件到設備/文件的緩存二進制元數據。 cache_restorerestore cache metadata file to device or file.將緩存元數據文件恢復到設備或文件。 cache_writebackwriteback dirty blocks to the origin device.回寫臟塊到原始設備。 caldisplay a calendar顯示一個日歷 callerbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) capshcapability shell wrapper能力殼包裝 captoinfoconvert a termcap description into a terminfo description將一個termcap描述轉換為一個terminfo描述 catconcatenate files and print on the standard output連接文件并在標準輸出上打印 catmancreate or update the pre-formatted manual pages創建或更新預格式化的手冊頁 cdbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) cert8.dbLegacy NSS certificate database遺留的NSS證書數據庫 cert9.dbNSS certificate databaseNSS證書數據庫 cfdiskdisplay or manipulate a disk partition table顯示或操作磁盤分區表 cgdiskCurses-based GUID partition table (GPT) manipulator基于詛咒的GUID分區表(GPT)操縱符 chaclchange the access control list of a file or directory修改文件或目錄的訪問控制列表 chagechange user password expiry information修改用戶密碼過期信息 chattrchange file attributes on a Linux file system在Linux文件系統上修改文件屬性 chcatchange file SELinux security category更改文件SELinux安全類別 chconchange file SELinux security context更改文件SELinux安全上下文 chcpuconfigure CPUscpu配置 checkmoduleSELinux policy module compilerSELinux策略模塊編譯器 checkpolicySELinux policy compilerSELinux策略編譯器 chgpasswdupdate group passwords in batch mode批量更新組密碼 chgrpchange group ownership改變組所有權 chkconfigupdates and queries runlevel information for system services更新和查詢系統服務的運行級別信息 chmemconfigure memory配置內存 chmodchange file mode bits改變文件模式位 chownchange file owner and group更改文件所有者和組 chpasswdupdate passwords in batch mode批量更新密碼 chrootrun command or interactive shell with special root directory在特殊的根目錄下運行命令或交互式shell chrtmanipulate the real-time attributes of a process操作流程的實時屬性 chvtchange foreground virtual terminal改變前臺虛擬終端 ciphersSSL cipher display and cipher list toolSSL密碼顯示和密碼列表工具 cksumchecksum and count the bytes in a file校驗和計算文件中的字節數 clearclear the terminal screen清除終端屏幕 clocktime clocks utility時鐘時間效用 clockdiffmeasure clock difference between hosts測量主機之間的時鐘差異 cmpcompare two files byte by byte逐字節比較兩個文件 cmsCMS utilityCMS工具 colfilter reverse line feeds from input從輸入中過濾反饋線 colcrtfilter nroff output for CRT previewing濾鏡nroff輸出用于CRT預覽 colrmremove columns from a file從文件中刪除列 columncolumnate listscolumnate列表 commcompare two sorted files line by line逐行比較兩個已排序的文件 commandbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) compgenbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) completebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) compoptbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) configconfig 5ssl config 5配置5ssl配置5 .單擊“確定” config-utilCommon PAM configuration file for configuration utilities用于配置實用程序的公共PAM配置文件 config~5config~5sslOpenSSL CONF library configuration filesOpenSSL CONF庫配置文件 console.appsspecify console-accessible privileged applications指定控制臺可訪問的特權應用程序 console.handlersfile specifying handlers of console lock and unlock events指定控制臺鎖定和解鎖事件處理程序的文件 console.permspermissions control file for users at the system console在系統控制臺為用戶提供權限控制文件 consoletypeprint type of the console connected to standard input控制臺連接到標準輸入的打印類型 continuebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) coredump.confCore dump storage configuration files核心轉儲存儲配置文件 coredump.conf.dCore dump storage configuration files核心轉儲存儲配置文件 coredumpctlRetrieve and process saved core dumps and metadata檢索和處理保存的核心轉儲文件和元數據 cpcopy files and directories復制文件和目錄 cpiocpio 5 cpio 1cpio 5 cpio 1 cpio~1copy files to and from archives將文件復制到存檔中或從存檔中復制 cpio~5format of cpio archive filescpio歸檔文件的格式 cpupowerShows and sets processor power related values顯示和設置處理器功率相關值 cpupower-frequency-infoUtility to retrieve cpufreq kernel information檢索cpufreq內核信息的實用程序 cpupower-frequency-setA small tool which allows to modify cpufreq settings.一個允許修改cpufreq設置的小工具。 cpupower-idle-infoUtility to retrieve cpu idle kernel information檢索cpu空閑內核信息的實用程序 cpupower-idle-setUtility to set cpu idle state specific kernel options實用程序設置cpu空閑狀態特定的內核選項 cpupower-infoShows processor power related kernel or hardware configurations顯示與處理器功率相關的內核或硬件配置 cpupower-monitorReport processor frequency and idle statistics報告處理器頻率和空閑統計信息 cpupower-setSet processor power related kernel or hardware configurations設置與處理器功率相關的內核或硬件配置 cracklib-checkCheck passwords using libcrack2使用libcrack2檢查密碼 cracklib-formatcracklib dictionary utilitiescracklib詞典工具 cracklib-packercracklib dictionary utilitiescracklib詞典工具 cracklib-unpackercracklib dictionary utilitiescracklib詞典工具 create-cracklib-dictCheck passwords using libcrack2使用libcrack2檢查密碼 crlCRL utilityCRL效用 crl2pkcs7Create a PKCS#7 structure from a CRL and certificates從CRL和證書創建PKCS#7結構 crondaemon to execute scheduled commands執行預定命令的守護進程 cronddaemon to execute scheduled commands執行預定命令的守護進程 cronnexttime of next job cron will execute下一個任務cron執行的時間 crontabcrontab 5 crontab 1Crontab 5 crontabsconfiguration and scripts for running periodical jobs用于運行定期作業的配置和腳本 crontab~1maintains crontab files for individual users為個別用戶維護crontab文件 crontab~5files used to schedule the execution of programs用來安排程序執行的文件 cryptstorage format for hashed passphrases and available hashing methods散列密碼和可用的散列方法的存儲格式 cryptoOpenSSL cryptographic libraryOpenSSL加密庫 crypto-policiessystem-wide crypto policies overview系統范圍加密策略概述 crypttabConfiguration for encrypted block devices加密塊設備的配置 csplitsplit a file into sections determined by context lines根據上下文行將文件分割成若干節 ctCertificate Transparency證書的透明度 ctrlaltdelset the function of the Ctrl-Alt-Del combination設置Ctrl-Alt-Del組合功能 ctstatunified linux network statisticsLinux統一網絡統計 curltransfer a URL轉讓一個URL customizable_typesThe SELinux customizable types configuration fileSELinux可定制類型配置文件 cutremove sections from each line of files從文件的每一行中刪除部分 cvtsudoersconvert between sudoers file formats在sudoers文件格式之間轉換以d開頭的命令
daemonWriting and packaging system daemons編寫和打包系統守護進程 dateprint or set the system date and time打印或設置系統日期和時間 db_archiveFind unused log files for archival找到未使用的日志文件進行歸檔 db_checkpointPeriodically checkpoint transactions周期性的檢查點的事務 db_deadlockDetect deadlocks and abort lock requests檢測死鎖和中止鎖請求 db_dumpWrite database file using flat-text format用平面文本格式編寫數據庫文件 db_dump185Write database file using flat-text format用平面文本格式編寫數據庫文件 db_hotbackupCreate "hot backup" or "hot failover" snapshots創建“熱備”或“熱倒換”快照 db_loadRead and load data from standard input從標準輸入讀取和加載數據 db_log_verifyVerify log files of a database environment檢查數據庫環境的日志文件 db_printlogDumps log files into a human-readable format將日志文件轉儲為人類可讀的格式 db_recoverRecover the database to a consistent state將數據庫恢復到一致狀態 db_replicateProvide replication services提供復制服務 db_statDisplay environment statistics顯示環境統計數據 db_tuneranalyze and tune btree database分析和調優btree數據庫 db_upgradeUpgrade files and databases to the current release version.將文件和數據庫升級到當前版本。 db_verifyVerify the database structure驗證數據庫結構 dbus-binding-toolC language GLib bindings generation utility.C語言生成GLib綁定工具。 dbus-cleanup-socketsclean up leftover sockets in a directory清理目錄中剩余的套接字 dbus-daemonMessage bus daemon消息總線守護進程 dbus-monitordebug probe to print message bus messages調試用于打印消息總線消息的探測 dbus-run-sessionstart a process as a new D-Bus session啟動一個進程作為一個新的D-Bus會話 dbus-sendSend a message to a message bus將消息發送到消息總線 dbus-test-toolD-Bus traffic generator and test toolD-Bus交通發生器和測試工具 dbus-update-activation-environmentupdate environment used for D-Bus session services用于D-Bus會話服務的更新環境 dbus-uuidgenUtility to generate UUIDs生成uuid的實用工具 dbxtooldbxtooldbxtool dcbshow / manipulate DCB (Data Center Bridging) settings顯示/操作DCB(數據中心橋接)設置 dcb-appshow / manipulate application priority table of the DCB (Data Center Bridging) subsystem顯示/操作DCB(數據中心橋接)子系統的應用程序優先級表 dcb-buffershow / manipulate port buffer settings of the DCB (Data Center Bridging) subsystem顯示/操作DCB(數據中心橋接)子系統的端口緩沖區設置 dcb-dcbxshow / manipulate port DCBX (Data Center Bridging eXchange)數據中心橋接交換 dcb-etsshow / manipulate ETS (Enhanced Transmission Selection) settings of the DCB (Data Center Bridging) subsystem顯示/操作DCB(數據中心橋接)子系統的ETS(增強傳輸選擇)設置 dcb-maxrateshow / manipulate port maxrate settings of the DCB (Data Center Bridging) subsystem顯示/操縱DCB(數據中心橋接)子系統的端口最大速率設置 dcb-pfcshow / manipulate PFC (Priority-based Flow Control) settings of the DCB (Data Center Bridging) subsystem顯示/操縱DCB(數據中心橋接)子系統的PFC(基于優先級的流量控制)設置 ddconvert and copy a file轉換和復制一個文件 deallocvtdeallocate unused virtual consoles釋放未使用的虛擬控制臺 debugfsext2/ext3/ext4 file system debuggerExt2 /ext3/ext4文件系統調試器 debuginfod-findrequest debuginfo-related data請求debuginfo-related數據 declarebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) default_contextsThe SELinux default contexts configuration fileSELinux默認上下文配置文件 default_typeThe SELinux default type configuration fileSELinux默認類型配置文件 delparttell the kernel to forget about a partition告訴內核忘記分區 depmodGenerate modules.dep and map files.生成modules.dep和map文件。 depmod.dConfiguration directory for depmoddepmod的配置目錄 des_modesthe variants of DES and other crypto algorithms of OpenSSLDES的變體和OpenSSL的其他加密算法 devlinkDevlink tool開發鏈接工具 devlink-devdevlink device configurationdevlink設備配置 devlink-dpipedevlink dataplane pipeline visualizationDevlink數據平面管線可視化 devlink-healthdevlink health reporting and recoveryDevlink運行狀況報告和恢復 devlink-monitorstate monitoring狀態監測 devlink-portdevlink port configurationdevlink端口配置 devlink-regiondevlink address region accessDevlink地址區域訪問 devlink-resourcedevlink device resource configurationDevlink設備資源配置 devlink-sbdevlink shared buffer configurationDevlink共享緩沖區配置 devlink-trapdevlink trap configurationdevlink陷阱配置 dfreport file system disk space usage報告文件系統磁盤空間使用情況 dfu-tooldfu-tooldfu-tool dgstperform digest operations執行消化操作 dhparamDH parameter manipulation and generationDH參數的操作和生成 diffcompare files line by line逐行比較文件 diff3compare three files line by line逐行比較三個文件 dirlist directory contents列出目錄的內容 dircolorscolor setup for lsls的顏色設置 dirmngrCRL and OCSP daemonCRL和OCSP守護進程 dirmngr-clientTool to access the Dirmngr services訪問Dirmngr服務的工具 dirnamestrip last component from file name從文件名中去掉最后一個組件 dirsbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) disownbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) dmesgprint or control the kernel ring buffer打印或控制內核環緩沖區 dmeventdDevice-mapper event daemon名為事件守護進程 dmfilemapddevice-mapper filemap monitoring daemon設備映射程序文件映射監視守護進程 dmidecodeDMI table decoderDMI表譯碼器 dmsetuplow level logical volume management低級邏輯卷管理 dmstatsdevice-mapper statistics management名為統計管理 dnfDNF Command ReferenceDNF命令參考 dnf-builddepDNF builddep PluginDNF builddep插件 dnf-changelogDNF changelog PluginDNF的更新日志插件 dnf-config-managerDNF config-manager PluginDNF配置經理插件 dnf-coprDNF copr PluginDNF copr插件 dnf-debugDNF debug PluginDNF調試插件 dnf-debuginfo-installDNF debuginfo-install PluginDNF debuginfo-install插件 dnf-downloadDNF download PluginDNF下載插件 dnf-generate_completion_cacheDNF generate_completion_cache PluginDNF generate_completion_cache插件 dnf-groups-managerDNF groups-manager PluginDNF groups-manager插件 dnf-needs-restartingDNF needs_restarting PluginDNF needs_restarting插件 dnf-repoclosureDNF repoclosure PluginDNF repoclosure插件 dnf-repodiffDNF repodiff PluginDNF repodiff插件 dnf-repographDNF repograph PluginDNF repograph插件 dnf-repomanageDNF repomanage PluginDNF repomanage插件 dnf-reposyncDNF reposync PluginDNF reposync插件 dnf-transaction-jsonDNF Stored Transaction JSONDNF存儲事務JSON dnf.confDNF Configuration ReferenceDNF配置參考 dnf.modularityModularity in DNF模塊化的DNF dnsdomainnameshow the system’s DNS domain name顯示系統的DNS域名 dnssec-trust-anchors.dDNSSEC trust anchor configuration filesDNSSEC信任錨配置文件 domainnameshow or set the system’s NIS/YP domain nameshow或設置系統的NIS/YP域名 dosfsckcheck and repair MS-DOS filesystems檢查和修復MS-DOS文件系統 dosfslabelset or get MS-DOS filesystem label設置或獲得MS-DOS文件系統標簽 dracutlow-level tool for generating an initramfs/initrd image用于生成initramfs/initrd鏡像的低級工具 dracut-cmdline.serviceruns the dracut hooks to parse the kernel command line運行dracut鉤子來解析內核命令行 dracut-initqueue.serviceruns the dracut main loop to find the real root運行dracut主循環以找到真正的根目錄 dracut-mount.serviceruns the dracut hooks after /sysroot is mounted在安裝/sysroot之后運行dracut鉤子 dracut-pre-mount.serviceruns the dracut hooks before /sysroot is mounted在安裝/sysroot之前運行dracut鉤子 dracut-pre-pivot.serviceruns the dracut hooks before switching root在切換根之前運行dracut鉤子 dracut-pre-trigger.serviceruns the dracut hooks before udevd is triggered在udevd被觸發之前運行dracut鉤子 dracut-pre-udev.serviceruns the dracut hooks before udevd is started在啟動udevd之前運行dracut鉤子 dracut-shutdown.serviceunpack the initramfs to /run/initramfs將initramfs解壓到/run/initramfs目錄下 dracut.bootupboot ordering in the initramfsinitramfs中的引導順序 dracut.cmdlinedracut kernel command line options德古特內核命令行選項 dracut.confconfiguration file(s) for dracutdracut的配置文件 dracut.kerneldracut kernel command line options德古特內核命令行選項 dracut.modulesdracut modulesdracut模塊 dsaDSA key processingDSA密鑰處理 dsaparamDSA parameter manipulation and generationDSA參數的操作和生成 duestimate file space usage估計文件空間使用情況 dumpe2fsdump ext2/ext3/ext4 filesystem informationDump ext2/ext3/ext4文件系統信息 dumpkeysdump keyboard translation tables轉儲鍵盤翻譯表以e開頭的命令
e2freefragreport free space fragmentation information報告空閑空間碎片信息 e2fsckcheck a Linux ext2/ext3/ext4 file system檢查Linux的ext2/ext3/ext4文件系統 e2fsck.confConfiguration file for e2fscke2fsck的配置文件 e2imageSave critical ext2/ext3/ext4 filesystem metadata to a file將重要的ext2/ext3/ext4文件系統元數據保存到一個文件中 e2labelChange the label on an ext2/ext3/ext4 filesystem修改ext2/ext3/ext4文件系統的標簽 e2mmpstatusCheck MMP status of an ext4 filesystem檢查ext4文件系統的MMP狀態 e2undoReplay an undo log for an ext2/ext3/ext4 filesystem重放ext2/ext3/ext4文件系統的undo日志 e4cryptext4 filesystem encryption utilityExt4文件系統加密實用程序 e4defragonline defragmenter for ext4 filesystemext4文件系統的聯機碎片整理程序 ebtablesEthernet bridge frame table administration (nft-based)以太網橋幀表管理(基于nfs) ebtables-nftEthernet bridge frame table administration (nft-based)以太網橋幀表管理(基于nfs) ecEC key processing電子商務關鍵處理 echodisplay a line of text顯示一行文本 ecparamEC parameter manipulation and generationEC參數的操作和生成 ed25519EVP_PKEY Ed25519 and Ed448 support支持EVP_PKEY Ed25519和Ed448 ed448EVP_PKEY Ed25519 and Ed448 support支持EVP_PKEY Ed25519和Ed448 editrcconfiguration file for editline library編輯行庫的配置文件 efibootdumpdump a boot entries from a variable or a file從變量或文件中轉儲引導項 efibootmgrmanipulate the UEFI Boot Manager操作UEFI啟動管理器 egrepprint lines matching a pattern打印匹配圖案的行 ejecteject removable media把可移動媒體 enablebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) encsymmetric cipher routines對稱密碼的例程 engineload and query engines加載和查詢引擎 envrun a program in a modified environment在修改過的環境中運行程序 environmentthe environment variables config files環境變量配置文件 environment.dDefinition of user session environment用戶會話環境的定義 envsubstsubstitutes environment variables in shell format strings替換shell格式字符串中的環境變量 eqnformat equations for troff or MathML格式方程的troff或MathML era_checkvalidate era metadata on device or file.驗證設備或文件上的年代元數據。 era_dumpdump era metadata from device or file to standard output.從設備或文件轉儲時代元數據到標準輸出。 era_invalidateProvide a list of blocks that have changed since a particular era.提供自特定時代以來發生變化的塊列表。 era_restorerestore era metadata file to device or file.將年代元數據文件恢復到設備或文件。 errstrlookup error codes查找錯誤代碼 ethtoolquery or control network driver and hardware settings查詢或控制網絡驅動程序和硬件設置 evalbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) evmctlIMA/EVM signing utilityIMA /維生素與簽署效用 evphigh-level cryptographic functions高級加密功能 evp_kdf_hkdfThe HKDF EVP_KDF implementationHKDF EVP_KDF實現 evp_kdf_kbThe Key-Based EVP_KDF implementation基于密鑰的EVP_KDF實現 evp_kdf_krb5kdfThe RFC3961 Krb5 KDF EVP_KDF implementationRFC3961 Krb5 KDF EVP_KDF的實現 evp_kdf_pbkdf2The PBKDF2 EVP_KDF implementationPBKDF2 EVP_KDF實現 evp_kdf_scryptThe scrypt EVP_KDF implementation腳本EVP_KDF實現 evp_kdf_ssThe Single Step / One Step EVP_KDF implementation單步/一步EVP_KDF實現 evp_kdf_sshkdfThe SSHKDF EVP_KDF implementationSSHKDF EVP_KDF實現 evp_kdf_tls1_prfThe TLS1 PRF EVP_KDF implementationTLS1 PRF EVP_KDF實現 exVi IMproved, a programmer’s text editor一個程序員的文本編輯器 execbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) exitbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) expandconvert tabs to spaces將制表符轉換為空格 exportbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) exprevaluate expressions表達式求值 ext2the second extended file system第二個擴展文件系統 ext3the third extended file system第三個擴展文件系統 ext4the fourth extended file system第四個擴展文件系統以f開頭的命令
factorfactor numbers因素的數字 faillockTool for displaying and modifying the authentication failure record files用于顯示和修改認證失敗記錄文件的工具 faillock.confpam_faillock configuration filepam_faillock配置文件 failsafe_contextThe SELinux fail safe context configuration fileSELinux失敗安全上下文配置文件 fallocatepreallocate or deallocate space to a file預分配或釋放文件空間 falsedo nothing, unsuccessfully什么也不做,但沒有成功 fatlabelset or get MS-DOS filesystem label設置或獲得MS-DOS文件系統標簽 fcbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) fdformatlow-level format a floppy disk對軟盤進行低級格式化 fdiskmanipulate disk partition table操作磁盤分區表 fgbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) fgconsoleprint the number of the active VT.打印active VT的編號。 fgrepprint lines matching a pattern打印匹配圖案的行 filedetermine file type確定文件類型 file-hierarchyFile system hierarchy overview文件系統層次結構概述 file.pcfile_contextsuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 file_contexts.homedirsuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 file_contexts.localuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 file_contexts.subsuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 file_contexts.subs_distuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 filefragreport on file fragmentation文件碎片報告 filefuncsprovide some file related functionality to gawk提供一些文件相關的功能gawk fincorecount pages of file contents in core計數頁的文件內容在核心 findsearch for files in a directory hierarchy在目錄層次結構中搜索文件 findfsfind a filesystem by label or UUID通過標簽或UUID找到文件系統 findmntfind a filesystem找到一個文件系統 fingerprint-authCommon configuration file for PAMified servicespamized服務的通用配置文件 fips-finish-installcomplete the instalation of FIPS modules.完成FIPS模塊的安裝。 fips-mode-setupCheck or enable the system FIPS mode.檢查或使能系統FIPS模式。 firewall-cmdfirewalld command line client防火墻客戶端命令行 firewall-offline-cmdfirewalld offline command line client防火墻離線命令行客戶端 firewalldDynamic Firewall Manager動態防火墻管理器 firewalld.conffirewalld configuration filefirewalld配置文件 firewalld.dbusfirewalld D-Bus interface description防火墻D-Bus接口描述 firewalld.directfirewalld direct configuration file防火墻直接配置文件 firewalld.helperfirewalld helper configuration filesfirewald助手配置文件 firewalld.icmptypefirewalld icmptype configuration filesfirewald icmptype配置文件 firewalld.ipsetfirewalld ipset configuration filesfirewald ipset配置文件 firewalld.lockdown-whitelistfirewalld lockdown whitelist configuration file防火墻鎖定白名單配置文件 firewalld.policiesfirewalld policiesfirewalld政策 firewalld.policyfirewalld policy configuration files防火墻策略配置文件 firewalld.richlanguageRich Language Documentation豐富的語言文檔 firewalld.servicefirewalld service configuration files防火墻服務配置文件 firewalld.zonefirewalld zone configuration files防火墻區域配置文件 firewalld.zonesfirewalld zonesfirewalld區 fixfilesfix file SELinux security contexts.修復文件SELinux安全上下文。 fixpartsMBR partition table repair utilityMBR分區表修復實用程序 flockmanage locks from shell scripts從shell腳本管理鎖 fmtsimple optimal text formatter簡單的最佳文本格式 fnmatchcompare a string against a filename wildcard比較字符串和文件名通配符 foldwrap each input line to fit in specified width將每個輸入行換行以適應指定的寬度 forkbasic process management基本的流程管理 freeDisplay amount of free and used memory in the system顯示系統中空閑和使用的內存數量 fsadmutility to resize or check filesystem on a device用于調整或檢查設備上的文件系統大小的實用程序 fsckcheck and repair a Linux filesystem檢查和修復一個Linux文件系統 fsck.cramfsfsck compressed ROM file systemfsck壓縮ROM文件系統 fsck.ext2check a Linux ext2/ext3/ext4 file system檢查Linux的ext2/ext3/ext4文件系統 fsck.ext3check a Linux ext2/ext3/ext4 file system檢查Linux的ext2/ext3/ext4文件系統 fsck.ext4check a Linux ext2/ext3/ext4 file system檢查Linux的ext2/ext3/ext4文件系統 fsck.fatcheck and repair MS-DOS filesystems檢查和修復MS-DOS文件系統 fsck.minixcheck consistency of Minix filesystem檢查Minix文件系統的一致性 fsck.msdoscheck and repair MS-DOS filesystems檢查和修復MS-DOS文件系統 fsck.vfatcheck and repair MS-DOS filesystems檢查和修復MS-DOS文件系統 fsck.xfsdo nothing, successfully什么也不做,成功 fsfreezesuspend access to a filesystem (Ext3/4, ReiserFS, JFS, XFS)掛起對文件系統的訪問(Ext3/4, ReiserFS, JFS, XFS) fstabstatic information about the filesystems關于文件系統的靜態信息 fstrimdiscard unused blocks on a mounted filesystem丟棄掛載文件系統上未使用的塊 fusefuse2fsFUSE file system client for ext2/ext3/ext4 file systemsext2/ext3/ext4文件系統的FUSE文件系統客戶端 fusermount3mount and unmount FUSE filesystems掛載和卸載FUSE文件系統 fwupdagentFirmware updating agent固件更新代理 fwupdateDebugging utility for UEFI firmware updates調試實用程序的UEFI固件更新 fwupdmgrFirmware update manager client utility固件更新管理器客戶端實用程序 fwupdtoolStandalone firmware update utility獨立固件更新工具以g開頭的命令
gapplicationD-Bus application launcherd - bus應用程序啟動器 gawkpattern scanning and processing language模式掃描和處理語言 gdbm_dumpdump a GDBM database to a file將GDBM數據庫轉儲到文件中 gdbm_loadre-create a GDBM database from a dump file.從轉儲文件中重新創建GDBM數據庫。 gdbmtoolexamine and modify a GDBM database檢查和修改GDBM數據庫 gdbusTool for working with D-Bus objects使用D-Bus對象的工具 gdiskInteractive GUID partition table (GPT) manipulator交互式GUID分區表(GPT)操作符 gendsagenerate a DSA private key from a set of parameters從一組參數生成DSA私鑰 genhomedircongenerate SELinux file context configuration entries for user home directories為用戶主目錄生成SELinux文件上下文配置項 genhostidgenerate and set a hostid for the current host為當前主機生成并設置一個hostid genlgeneric netlink utility frontend通用netlink實用程序前端 genl-ctrl-listList available kernel-side Generic Netlink families列出可用的內核端通用Netlink族 genpkeygenerate a private key生成私鑰 genrsagenerate an RSA private key生成RSA私鑰 geqnformat equations for troff or MathML格式方程的troff或MathML getcapexamine file capabilities檢查文件能力 getenforceget the current mode of SELinux獲取SELinux的當前模式 getfaclget file access control lists獲取文件訪問控制列表 getkeycodesprint kernel scancode-to-keycode mapping table打印內核掃描碼到鍵碼映射表 getoptparse command options (enhanced)解析命令選項(增強) getoptsbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) getpcapsdisplay process capabilities顯示過程能力 getseboolget SELinux boolean value(s)獲取linux資產值(s) getspnamgettexttranslate message翻譯的消息 gettextizeinstall or upgrade gettext infrastructure安裝或升級gettext基礎設施 gexVi IMproved, a programmer’s text editor一個程序員的文本編輯器 gioGIO commandline toolGIO 命令行工具 gio-querymodulesGIO module cache creationGIO模塊緩存創建 glib-compile-schemasGSettings schema compilerGSettings模式編譯器 gneqnformat equations for ascii output格式方程的ASCII輸出 gnroffemulate nroff command with groff使用groff模擬nroff命令 gnupgGnuPG 7 gnupg 7GnuPG 7 gnupg 7 gnupg2The GNU Privacy Guard suite of programsGNU隱私保護程序套件 gnupg~7The GNU Privacy Guard suite of programsGNU隱私保護程序套件 gpasswdadminister /etc/group and /etc/gshadow管理/etc/group和/etc/gshadow gpgOpenPGP encryption and signing toolOpenPGP加密和簽名工具 gpg-agentSecret key management for GnuPGGnuPG的密鑰管理 gpg-connect-agentCommunicate with a running agent與運行中的代理通信 gpg-preset-passphrasePut a passphrase into gpg-agent’s cache將密碼放入gpg-agent的緩存中 gpg-wks-clientClient for the Web Key ServiceWeb密鑰服務的客戶端 gpg-wks-serverServer providing the Web Key Service提供Web密鑰服務的服務器 gpg2OpenPGP encryption and signing toolOpenPGP加密和簽名工具 gpgconfModify .gnupg home directories修改.gnupg主目錄 gpgparsemailParse a mail message into an annotated format將郵件解析為帶注釋的格式 gpgsmCMS encryption and signing toolCMS加密簽名工具 gpgtarEncrypt or sign files into an archive加密或簽名文件到存檔 gpgvVerify OpenPGP signatures驗證OpenPGP簽名 gpgv2Verify OpenPGP signatures驗證OpenPGP簽名 gpiccompile pictures for troff or TeX為troff或TeX編譯圖片 grepprint lines matching a pattern打印匹配圖案的行 grofffront-end for the groff document formatting system前端為groff文檔格式化系統 gropsPostScript driver for groffPostScript驅動程序groff grottygroff driver for typewriter-like devices類似打字機設備的格羅夫驅動程序 group.confconfiguration file for the pam_group modulepam_group模塊的配置文件 groupaddcreate a new group創建一個新組 groupdeldelete a group刪除一組 groupmemsadminister members of a user’s primary group管理用戶的主組成員 groupmodmodify a group definition on the system修改系統中的組定義 groupsprint the groups a user is in打印用戶所在的組 grpckverify integrity of group files驗證組文件的完整性 grpconvconvert to and from shadow passwords and groups轉換影子密碼和組 grpunconvconvert to and from shadow passwords and groups轉換影子密碼和組 grub-bios-setupgrub-editenvgrub-filegrub-get-kernel-settingsgrub-glue-efigrub-installgrub-kbdcompgrub-menulst2cfggrub-mkconfiggrub-mkfontgrub-mkimagegrub-mklayoutgrub-mknetdirgrub-mkpasswd-pbkdf2grub-mkrelpathgrub-mkrescuegrub-mkstandalonegrub-ofpathnamegrub-probegrub-rebootgrub-rpm-sortgrub-script-checkgrub-set-bootflaggrub-set-defaultgrub-set-passwordgrub-sparc64-setupgrub-switch-to-blscfggrub-syslinux2cfggrub2-bios-setupSet up images to boot from a device.設置映像從設備啟動。 grub2-editenvManage the GRUB environment block.管理GRUB環境塊。 grub2-fileCheck if FILE is of specified type.檢查FILE是否為指定類型。 grub2-fstestgrub2-get-kernel-settingsEvaluate the system’s kernel installation settings for use while making a grub configuration file.在創建grub配置文件時,評估系統的內核安裝設置。 grub2-glue-efiCreate an Apple fat EFI binary.創建一個Apple胖EFI二進制文件。 grub2-installInstall GRUB on a device.在設備上安裝GRUB。 grub2-kbdcompGenerate a GRUB keyboard layout file.生成GRUB鍵盤布局文件。 grub2-menulst2cfgConvert a configuration file from GRUB 0.xx to GRUB 2.xx format.從GRUB 0轉換配置文件。xx到GRUB 2。xx格式。 grub2-mkconfigGenerate a GRUB configuration file.生成GRUB配置文件。 grub2-mkfontConvert common font file formats into the PF2 format.將常用的字體文件格式轉換為PF2格式。 grub2-mkimageMake a bootable GRUB image.制作一個可引導的GRUB映像。 grub2-mklayoutGenerate a GRUB keyboard layout file.生成GRUB鍵盤布局文件。 grub2-mknetdirPrepare a GRUB netboot directory.準備一個GRUB netboot目錄。 grub2-mkpasswd-pbkdf2Generate a PBKDF2 password hash.生成一個PBKDF2密碼散列。 grub2-mkrelpathGenerate a relative GRUB path given an OS path.根據操作系統路徑生成相對GRUB路徑。 grub2-mkrescueGenerate a GRUB rescue image using GNU Xorriso.使用GNU Xorriso生成GRUB拯救映像。 grub2-mkstandaloneGenerate a standalone image in the selected format.以選定的格式生成一個獨立的映像。 grub2-ofpathnameGenerate an IEEE-1275 device path for a specified device.為指定設備生成IEEE-1275設備路徑。 grub2-probeProbe device information for a given path.探測給定路徑的設備信息。 grub2-rebootSet the default boot menu entry for the next boot only.僅為下次啟動設置默認啟動菜單項。 grub2-rpm-sortSort input according to RPM version compare.根據RPM版本比較排序輸入。 grub2-script-checkCheck GRUB configuration file for syntax errors.檢查GRUB配置文件是否有語法錯誤。 grub2-set-bootflagSet a bootflag in the GRUB environment block.在GRUB環境塊中設置引導標志。 grub2-set-defaultSet the default boot menu entry for GRUB.設置GRUB的默認啟動菜單項。 grub2-set-passwordGenerate the user.cfg file containing the hashed grub bootloader password.生成包含散列grub引導加載程序密碼的user.cfg文件。 grub2-setpasswordGenerate the user.cfg file containing the hashed grub bootloader password.生成包含散列grub引導加載程序密碼的user.cfg文件。 grub2-sparc64-setupSet up a device to boot a sparc64 GRUB image.設置一個設備來引導sparc64 GRUB映像。 grub2-switch-to-blscfgSwitch to using BLS config files.切換到使用BLS配置文件。 grub2-syslinux2cfgTransform a syslinux config file into a GRUB config.將一個syslinux配置文件轉換為GRUB配置。 grubbycommand line tool for configuring grub and zipl配置grub和zipl的命令行工具 gsettingsGSettings configuration toolGSettings配置工具 gshadowshadowed group file跟蹤小組文件 gsoeliminterpret .so requests in groff input解釋groff輸入中的請求 gtaran archiving utility一個歸檔工具 gtblformat tables for troff格式化troff表 gtroffthe troff processor of the groff text formatting system格羅夫文本格式化系統的格羅夫處理器 gunzipcompress or expand files壓縮或擴展文件 gviewVi IMproved, a programmer’s text editor一個程序員的文本編輯器 gvimVi IMproved, a programmer’s text editor一個程序員的文本編輯器 gvimdiffedit two, three or four versions of a file with Vim and show differences用Vim編輯一個文件的兩個、三個或四個版本,并顯示差異 gvimtutorthe Vim tutorVim導師 gzexecompress executable files in place在適當的地方壓縮可執行文件 gzipcompress or expand files壓縮或擴展文件以h開頭的命令
haltHalt, power-off or reboot the machine暫停、關機或重新啟動機器 hardlinkConsolidate duplicate files via hardlinks通過硬鏈接合并重復文件 hashbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) hdparmget/set SATA/IDE device parameters獲取/設置SATA/IDE設備參數 headoutput the first part of files輸出文件的第一部分 helpbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) hexdumpdisplay file contents in hexadecimal, decimal, octal, or ascii以十六進制、十進制、八進制或ASCII格式顯示文件內容 historybash built-in commands, see bash(1)Bash內置命令,參見Bash (1) hostidprint the numeric identifier for the current host打印當前主機的數字標識符 hostnamehostname 5 hostname 1主機名5主機名1 hostnamectlControl the system hostname控制系統主機名 hostname~1show or set the system’s host name顯示或設置系統的主機名 hostname~5Local hostname configuration file本地主機名配置文件 hwclocktime clocks utility時鐘時間效用 hwdbHardware Database硬件數據庫以i開頭的命令
i386change reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 idprint real and effective user and group IDs打印真實有效的用戶id和組id ifcfgsimplistic script which replaces ifconfig IP management簡單腳本,取代ifconfig IP管理 ifenslaveAttach and detach slave network devices to a bonding device.在bonding設備上綁定并分離從網絡設備。 ifstathandy utility to read network interface statistics方便的實用工具讀取網絡接口統計數據 infoinfo 5 info 1信息5信息1 infocmpcompare or print out terminfo descriptions比較或打印出描述的結尾 infotocapconvert a terminfo description into a termcap description將一個terminfo description轉換為一個termcap description info~1read Info documents閱讀信息文件 info~5readable online documentation讀在線文檔 initsystemd system and service managerSystemd系統和服務經理 inplaceemulate sed/perl/ruby in-place editing模擬sed/perl/ruby就地編輯 insmodSimple program to insert a module into the Linux Kernel簡單的程序,插入一個模塊到Linux內核 installcopy files and set attributes復制文件并設置屬性 install-infoupdate info/dir entries更新信息/ dir條目 installkerneltool to script kernel installation用于腳本內核安裝的工具 ioniceset or get process I/O scheduling class and priority設置或獲取進程I/O調度類和優先級 ipshow / manipulate routing, network devices, interfaces and tunnels顯示/操作路由、網絡設備、接口和隧道 ip-addressprotocol address management協議地址管理 ip-addrlabelprotocol address label management協議地址標簽管理 ip-fouFoo-over-UDP receive port configurationFoo-over-UDP接收端口配置 ip-gueGeneric UDP Encapsulation receive port configuration通用UDP封裝接收端口配置 ip-l2tpL2TPv3 static unmanaged tunnel configurationL2TPv3非托管隧道靜態配置 ip-linknetwork device configuration網絡設備配置 ip-macsecMACsec device configurationMACsec設備配置 ip-maddressmulticast addresses management多播地址管理 ip-monitorstate monitoring狀態監測 ip-mptcpMPTCP path manager configurationMPTCP路徑管理器配置 ip-mroutemulticast routing cache management組播路由緩存管理 ip-neighbourneighbour/arp tables management.鄰居/ arp表管理。 ip-netconfnetwork configuration monitoring網絡配置監控 ip-netnsprocess network namespace management進程網絡命名空間管理 ip-nexthopnexthop object managementnexthop對象管理 ip-ntableneighbour table configuration鄰居表配置 ip-routerouting table management路由表管理 ip-rulerouting policy database management路由策略數據庫管理 ip-srIPv6 Segment Routing managementIPv6段路由管理 ip-tcp_metricsmanagement for TCP MetricsTCP指標管理 ip-tokentokenized interface identifier support標記化的接口標識符支持 ip-tunneltunnel configuration隧道配置 ip-vrfrun a command against a vrf針對VRF執行命令 ip-xfrmtransform configuration轉換配置 ip6tablesadministration tool for IPv4/IPv6 packet filtering and NATIPv4/IPv6包過濾和NAT的管理工具 ip6tables-restoreRestore IPv6 Tables恢復IPv6表 ip6tables-restore-translatetranslation tool to migrate from iptables to nftables從iptables遷移到nftables的翻譯工具 ip6tables-savedump iptables rules轉儲iptables規則 ip6tables-translatetranslation tool to migrate from ip6tables to nftables從ip6tables遷移到nftables的翻譯工具 ipcmkmake various IPC resources制造各種IPC資源 ipcrmremove certain IPC resources刪除某些IPC資源 ipcsshow information on IPC facilities顯示IPC設施信息 iprconfigIBM Power RAID storage adapter configuration/recovery utilityIBM Power RAID存儲適配器配置/恢復實用程序 iprdbgIBM Power RAID storage adapter debug utilityIBM Power RAID存儲適配器調試實用程序 iprdumpIBM Power RAID adapter dump utilityIBM電源RAID適配器轉儲實用程序 iprinitIBM Power RAID adapter/device initialization utilityIBM Power RAID適配器/設備初始化實用程序 iprsosIBM Power RAID report generatorIBM Power RAID報告生成器 iprupdateIBM Power RAID adapter/device microcode update utilityIBM電源RAID適配器/設備微碼更新實用程序 ipsetadministration tool for IP setsIP集的管理工具 iptablesadministration tool for IPv4/IPv6 packet filtering and NATIPv4/IPv6包過濾和NAT的管理工具 iptables-applya safer way to update iptables remotely遠程更新iptables的一種更安全的方式 iptables-extensionslist of extensions in the standard iptables distribution標準iptables發行版中的擴展列表 iptables-restoreRestore IP Tables恢復IP表 iptables-restore-translatetranslation tool to migrate from iptables to nftables從iptables遷移到nftables的翻譯工具 iptables-savedump iptables rules轉儲iptables規則 iptables-translatetranslation tool to migrate from iptables to nftables從iptables遷移到nftables的翻譯工具 iptables/ip6tablesirqbalancedistribute hardware interrupts across processors on a multiprocessor system在多處理器系統中,在處理器之間分發硬件中斷 isosizeoutput the length of an iso9660 filesystem輸出一個iso9660文件系統的長度以j開頭的命令
jcat-toolStandalone detached signature utility獨立的獨立簽名實用程序 jobsbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) joinjoin lines of two files on a common field在一個公共字段上聯接兩個文件的行 journalctlQuery the systemd journal查詢systemd日志 journald.confJournal service configuration files記錄服務配置文件 journald.conf.dJournal service configuration files記錄服務配置文件以k開頭的命令
k5identityKerberos V5 client principal selection rulesKerberos V5客戶機主體選擇規則 k5loginKerberos V5 acl file for host access用于主機訪問的Kerberos V5 acl文件 kbd_modereport or set the keyboard mode報告或設置鍵盤模式 kbdinfoobtain information about the status of a console獲取控制臺狀態信息 kbdratereset the keyboard repeat rate and delay time重置鍵盤的重復頻率和延遲時間 kdump.confconfiguration file for kdump kernel.kdump內核配置文件。 kdumpctlcontrol interface for kdumpkdump控制接口 kerberosOverview of using Kerberos使用Kerberos的概述 kernel-command-lineKernel command line parameters內核命令行參數 kernel-installAdd and remove kernel and initramfs images to and from /boot在/boot中添加和刪除內核和initramfs映像 kexecdirectly boot into a new kernel直接引導到一個新的內核 key3.dbLegacy NSS certificate database遺留的NSS證書數據庫 key4.dbNSS certificate databaseNSS證書數據庫 keymapskeyboard table descriptions for loadkeys and dumpkeysloadkeys和dumpkeys的鍵盤表描述 keyutilsin-kernel key management utilities內核密鑰管理實用程序 killterminate a process終止流程 kmodProgram to manage Linux Kernel modules程序管理Linux內核模塊 kpartxCreate device maps from partition tables.從分區表創建設備映射。 krb5.confKerberos configuration fileKerberos配置文件 kvm_statReport KVM kernel module event counters報告KVM內核模塊事件計數器以l開頭的命令
lastshow a listing of last logged in users顯示最近登錄的用戶列表 lastbshow a listing of last logged in users顯示最近登錄的用戶列表 lastlogreports the most recent login of all users or of a given user報告所有用戶或給定用戶的最近登錄 lchageDisplay or change user password policy顯示或修改用戶密碼策略 lchfnChange finger information改變手指信息 lchshChange login shell改變登錄shell ldap.confLDAP configuration file/environment variablesLDAP配置文件/環境變量 ldattachattach a line discipline to a serial line將線規連接到串行線上 ldifLDAP Data Interchange FormatLDAP數據交換格式 lessopposite of more相反的 lessechoexpand metacharacters擴展元字符 lesskeyspecify key bindings for less為less指定鍵綁定 letbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) lexgrogparse header information in man pages解析手冊頁中的頭信息 lgroupaddAdd an user group添加用戶組 lgroupdelDelete an user group刪除用戶組 lgroupmodModify an user group修改用戶組 libaudit.conflibaudit configuration filelibaudit配置文件 libipsetA library for using ipset一個使用ipset的庫 libnftables-jsonSupported JSON schema by libnftables支持的JSON模式由libftables libnss_myhostname.so.2Provide hostname resolution for the locally configured system hostname.為本地配置的系統主機名提供主機名解析。 libnss_resolve.so.2Provide hostname resolution via systemd-resolved.service通過system -resolved.service提供主機名解析 libnss_systemd.so.2Provide UNIX user and group name resolution for dynamic users and groups.為動態用戶和組提供UNIX用戶和組名解析。 libuser.confconfiguration for libuser and libuser utilitieslibuser和libuser實用程序的配置 libxmllibrary used to parse XML files用于解析XML文件的庫 lidDisplay user’s groups or group’s users顯示用戶組或組內用戶 limits.confconfiguration file for the pam_limits modulepam_limits模塊的配置文件 linkcall the link function to create a link to a file調用link函數來創建到文件的鏈接 linux32change reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 linux64change reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 listlist algorithms and features列出算法和特性 lnmake links between files在文件之間建立鏈接 lnewusersCreate new user accounts創建新用戶帳戶 lnstatunified linux network statisticsLinux統一網絡統計 load_policyload a new SELinux policy into the kernel將新的SELinux策略加載到內核中 loader.confConfiguration file for systemd-boot系統引導的配置文件 loadkeysload keyboard translation tables加載鍵盤翻譯表 loadunimapload the kernel unicode-to-font mapping table加載內核unicode到字體映射表 localbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) local.usersThe SELinux local users configuration fileSELinux本地用戶配置文件 locale.confConfiguration file for locale settings區域設置的配置文件 localectlControl the system locale and keyboard layout settings控制系統區域設置和鍵盤布局設置 localtimeLocal timezone configuration file本地時區配置文件 loggerenter messages into the system log在系統日志中輸入消息 loginbegin session on the system在系統上開始會話 login.defsshadow password suite configuration影子密碼套件配置 loginctlControl the systemd login manager控制systemd登錄管理器 logind.confLogin manager configuration files登錄管理器配置文件 logind.conf.dLogin manager configuration files登錄管理器配置文件 lognameprint user’s login name打印用戶的登錄名 logoutbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) logrotatelogrotate 8logrotate 8 logrotate.confrotates, compresses, and mails system logs旋轉、壓縮和郵件系統日志 logrotate~8rotates, compresses, and mails system logs旋轉、壓縮和郵件系統日志 logsavesave the output of a command in a logfile將命令的輸出保存到日志文件中 lookdisplay lines beginning with a given string顯示以給定字符串開頭的行 losetupset up and control loop devices設置和控制回路裝置 lpasswdChange group or user password更改組或用戶密碼 lslist directory contents列出目錄的內容 lsattrlist file attributes on a Linux second extended file system在Linux第二擴展文件系統上列出文件屬性 lsblklist block devices塊設備列表 lscpudisplay information about the CPU architecture顯示CPU架構信息 lshwlist hardware硬件列表 lsinitrdtool to show the contents of an initramfs image顯示initramfs映像的內容的工具 lsipcshow information on IPC facilities currently employed in the system顯示系統中目前使用的IPC設施的信息 lslockslist local system locks列出本地系統鎖 lsloginsdisplay information about known users in the system顯示系統中的已知用戶信息 lsmemlist the ranges of available memory with their online status列出可用內存的范圍及其在線狀態 lsmodShow the status of modules in the Linux Kernel顯示Linux內核中模塊的狀態 lsnslist namespaces列表名稱空間 lspcilist all PCI devices列出所有PCI設備 lsscsilist SCSI devices (or hosts), list NVMe devices列出SCSI設備(或主機),列出NVMe設備 luseraddAdd an user添加一個用戶 luserdelDelete an user刪除一個用戶 lusermodModify an user修改一個用戶 lvchangeChange the attributes of logical volume(s)更改邏輯卷的屬性 lvconvertChange logical volume layout更改邏輯卷布局 lvcreateCreate a logical volume創建邏輯卷 lvdisplayDisplay information about a logical volume顯示邏輯卷信息 lvextendAdd space to a logical volume為邏輯卷添加空間 lvmLVM2 toolsLVM2工具 lvm-configDisplay and manipulate configuration information顯示和操作配置信息 lvm-dumpconfigDisplay and manipulate configuration information顯示和操作配置信息 lvm-fullreportlvm-lvpolllvm.confConfiguration file for LVM2LVM2的配置文件 lvm2-activation-generatorgenerator for systemd units to activate LVM volumes on bootsystemd單元的發電機在啟動時激活LVM卷 lvm_import_vdoutility to import VDO volumes into a new volume group.實用程序導入VDO卷到一個新的卷組。 lvmcacheLVM cachingLVM緩存 lvmconfigDisplay and manipulate configuration information顯示和操作配置信息 lvmdevicesManage the devices file管理設備文件 lvmdiskscanList devices that may be used as physical volumes列出可作為物理卷使用的設備 lvmdumpcreate lvm2 information dumps for diagnostic purposes創建用于診斷目的的lvm2信息轉儲 lvmpolldLVM poll daemonLVM調查守護進程 lvmraidLVM RAIDLVM突襲 lvmreportLVM reporting and related featuresLVM報告和相關特性 lvmsadcLVM system activity data collectorLVM系統活動數據收集器 lvmsarLVM system activity reporterLVM系統活動報告器 lvmsystemidLVM system IDLVM系統標識 lvmthinLVM thin provisioningLVM自動精簡配置 lvmvdoSupport for Virtual Data Optimizer in LVM支持LVM中的虛擬數據優化器 lvreduceReduce the size of a logical volume減小邏輯卷的大小 lvremoveRemove logical volume(s) from the system從系統中移除邏輯卷 lvrenameRename a logical volume重命名邏輯卷 lvresizeResize a logical volume調整邏輯卷的大小 lvsDisplay information about logical volumes顯示邏輯卷信息 lvscanList all logical volumes in all volume groups列出所有卷組中的所有邏輯卷 lzcatlzcmplzdifflzlesslzmalzmadeclzmore以m開頭的命令
machine-idLocal machine ID configuration file本地機器ID配置文件 machine-infoLocal machine information file本地計算機信息文件 magicfile command’s magic pattern file文件命令的魔法模式文件 makedumpfilemake a small dumpfile of kdump制作一個kdump的小dumpfile makedumpfile.confThe filter configuration file for makedumpfile(8).makedumpfile(8)的過濾器配置文件。 manan interface to the on-line reference manuals聯機參考手冊的接口 manconvconvert manual page from one encoding to another將手動頁面從一種編碼轉換為另一種編碼 mandbcreate or update the manual page index caches創建或更新手動頁索引緩存 manpathmanpath 5 manpath 1人形道 5 人形道 1 manpath~1determine search path for manual pages確定手冊頁的搜索路徑 manpath~5format of the /etc/man_db.conf file/etc/man_db.conf文件格式 mapfilebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) mapscrnload screen output mapping table載入屏幕輸出映射表 matchpathconget the default SELinux security context for the specified path from the file contexts configuration從文件上下文配置中獲取指定路徑的默認SELinux安全上下文 mcookiegenerate magic cookies for xauth為xauth生成魔法餅干 mdMultiple Device driver aka Linux Software RAID多設備驅動程序又名Linux軟件RAID md5sumcompute and check MD5 message digest計算并檢查MD5消息摘要 mdadmmanage MD devices aka Linux Software RAID管理MD設備,即Linux軟件RAID mdadm.confconfiguration for management of Software RAID with mdadm使用mdadm管理軟件RAID的配置 mdmonmonitor MD external metadata arrays監控MD外部元數據數組 mediauserspace SELinux labeling interface and configuration file format for the media contexts backend用戶空間SELinux標簽界面和媒體上下文后端配置文件格式 mesgdisplay (or do not display) messages from other users顯示(或不顯示)來自其他用戶的消息 mkdirmake directories做目錄 mkdosfscreate an MS-DOS filesystem under Linux在Linux下創建一個MS-DOS文件系統 mkdumprdcreates initial ramdisk images for kdump crash recovery為kdump崩潰恢復創建初始ramdisk映像 mke2fscreate an ext2/ext3/ext4 filesystem創建ext2/ext3/ext4文件系統 mke2fs.confConfiguration file for mke2fsmke2fs的配置文件 mkfifomake FIFOs (named pipes)制造FIFOs(命名管道) mkfsbuild a Linux filesystem構建一個Linux文件系統 mkfs.cramfsmake compressed ROM file system制作壓縮ROM文件系統 mkfs.ext2create an ext2/ext3/ext4 filesystem創建ext2/ext3/ext4文件系統 mkfs.ext3create an ext2/ext3/ext4 filesystem創建ext2/ext3/ext4文件系統 mkfs.ext4create an ext2/ext3/ext4 filesystem創建ext2/ext3/ext4文件系統 mkfs.fatcreate an MS-DOS filesystem under Linux在Linux下創建一個MS-DOS文件系統 mkfs.minixmake a Minix filesystem制作一個Minix文件系統 mkfs.msdoscreate an MS-DOS filesystem under Linux在Linux下創建一個MS-DOS文件系統 mkfs.vfatcreate an MS-DOS filesystem under Linux在Linux下創建一個MS-DOS文件系統 mkfs.xfsconstruct an XFS filesystem構造一個XFS文件系統 mkhomedir_helperHelper binary that creates home directories創建主目錄的輔助二進制文件 mkinitrdis a compat wrapper, which calls dracut to generate an initramfs是compat包裝器,它調用dracut生成initramfs mklost+foundcreate a lost+found directory on a mounted Linux second extended file system在掛載的Linux第二擴展文件系統上創建lost+found目錄 mknodmake block or character special files使塊或字符特殊文件 mksquashfstool to create and append to squashfs filesystems用于創建和追加到squashfs文件系統的工具 mkswapset up a Linux swap area設置一個Linux交換區 mktempcreate a temporary file or directory創建一個臨時文件或目錄 mlx4dvDirect verbs for mlx4 devices用于mlx4設備的直接謂詞 mlx5dvDirect verbs for mlx5 devices用于mlx5設備的直接動詞 modinfoShow information about a Linux Kernel module顯示Linux Kernel模塊的信息 modprobeAdd and remove modules from the Linux Kernel從Linux內核中添加和刪除模塊 modprobe.confConfiguration directory for modprobemodprobe的配置目錄 modprobe.dConfiguration directory for modprobemodprobe的配置目錄 modulemd-validatormanual page for modulemd-validator 2.13.0modulemd-validator 2.13.0的手冊頁 modules-load.dConfigure kernel modules to load at boot配置內核模塊以在引導時加載 modules.depModule dependency information模塊依賴關系信息 modules.dep.binModule dependency information模塊依賴關系信息 moduliDiffie-Hellman moduliDiffie-Hellman moduli mokutilutility to manipulate machine owner keys實用程序來操縱機器所有者的鑰匙 morefile perusal filter for crt viewing文件閱讀過濾器的CRT查看 mountmount a filesystem掛載文件系統 mount.fuseconfiguration and mount options for FUSE file systemsFUSE文件系統的配置和掛載選項 mountpointsee if a directory or file is a mountpoint查看一個目錄或文件是否是一個掛載點 msgattribattribute matching and manipulation on message catalog消息編目上的屬性匹配和操作 msgcatcombines several message catalogs組合多個消息目錄 msgcmpcompare message catalog and template比較消息目錄和模板 msgcommmatch two message catalogs匹配兩個消息目錄 msgconvcharacter set conversion for message catalog消息編目的字符集轉換 msgencreate English message catalog創建英文郵件目錄 msgexecprocess translations of message catalog處理消息目錄的翻譯 msgfilteredit translations of message catalog編輯消息目錄的翻譯 msgfmtcompile message catalog to binary format將消息編目編譯為二進制格式 msggreppattern matching on message catalog消息目錄上的模式匹配 msginitinitialize a message catalog初始化消息目錄 msgmergemerge message catalog and template合并消息目錄和模板 msgunfmtuncompile message catalog from binary format從二進制格式反編譯消息目錄 msguniqunify duplicate translations in message catalog統一消息目錄中的重復翻譯 mtreeformat of mtree dir hierarchy filesmtree目錄層次結構文件的格式 mvmove (rename) files(重命名)文件以n開頭的命令
nameifollow a pathname until a terminal point is found遵循路徑名,直到找到終結點 namespace.confthe namespace configuration file命名空間配置文件 ndptoolNeighbor Discovery Protocol tool鄰居發現協議工具 neqnformat equations for ascii output格式方程的ASCII輸出 networkmanagernetwork management daemon網絡管理守護進程 networkmanager-dispatcherDispatch user scripts for NetworkManager為NetworkManager分派用戶腳本 networkmanager.confNetworkManager configuration file使其配置文件 newgidmapset the gid mapping of a user namespace設置用戶命名空間的gid映射 newgrplog in to a new group登錄到一個新組 newuidmapset the uid mapping of a user namespace設置用戶命名空間的uid映射 newusersupdate and create new users in batch批量更新和創建新用戶 nftAdministration tool of the nftables framework for packet filtering and classification用于包過濾和分類的nftables框架的管理工具 ngettexttranslate message and choose plural form翻譯信息并選擇復數形式 nicerun a program with modified scheduling priority運行一個修改了調度優先級的程序 nisdomainnameshow or set the system’s NIS/YP domain nameshow或設置系統的NIS/YP域名 nlnumber lines of files文件行數 nl-classid-lookupLookup classid definitions查找classid定義 nl-pktloc-lookupLookup packet location definitions查找包位置定義 nl-qdisc-addManage queueing disciplines排隊管理規程 nl-qdisc-deleteManage queueing disciplines排隊管理規程 nl-qdisc-listManage queueing disciplines排隊管理規程 nl-qdisc-{add|list|delete}nm-initrd-generatorearly boot NetworkManager configuration generator早期啟動NetworkManager配置生成器 nm-onlineask NetworkManager whether the network is connected詢問NetworkManager網絡是否連通 nm-settingsDescription of settings and properties of NetworkManager connection profiles for nmclinmcli的NetworkManager連接配置文件的設置和屬性描述 nm-settings-dbusDescription of settings and properties of NetworkManager connection profiles on the D-Bus APID-Bus API上NetworkManager連接配置文件的設置和屬性描述 nm-settings-ifcfg-rhDescription of ifcfg-rh settings pluginifcfg-rh設置插件的描述 nm-settings-keyfileDescription of keyfile settings pluginkeyfile設置插件的描述 nm-settings-nmcliDescription of settings and properties of NetworkManager connection profiles for nmclinmcli的NetworkManager連接配置文件的設置和屬性描述 nm-system-settings.confNetworkManager configuration file使其配置文件 nmclicommand-line tool for controlling NetworkManager用于控制NetworkManager的命令行工具 nmcli-examplesusage examples of nmclinmcli的使用示例 nmtuiText User Interface for controlling NetworkManager文本用戶界面控制NetworkManager nmtui-connectText User Interface for controlling NetworkManager文本用戶界面控制NetworkManager nmtui-editText User Interface for controlling NetworkManager文本用戶界面控制NetworkManager nmtui-hostnameText User Interface for controlling NetworkManager文本用戶界面控制NetworkManager nohuprun a command immune to hangups, with output to a non-tty運行不受掛起影響的命令,輸出到非tty對象 nologinpolitely refuse a login禮貌地拒絕登錄 nprocprint the number of processing units available打印可用處理單元的數量 nroffemulate nroff command with groff使用groff模擬nroff命令 nsenterrun program with namespaces of other processes使用其他進程的命名空間運行程序 nseqcreate or examine a Netscape certificate sequence創建或檢查Netscape證書序列 nss-myhostnameProvide hostname resolution for the locally configured system hostname.為本地配置的系統主機名提供主機名解析。 nss-resolveProvide hostname resolution via systemd-resolved.service通過system -resolved.service提供主機名解析 nss-systemdProvide UNIX user and group name resolution for dynamic users and groups.為動態用戶和組提供UNIX用戶和組名解析。 nstatnetwork statistics tools.網絡統計工具。 numfmtConvert numbers from/to human-readable strings將數字轉換為人類可讀的字符串以o開頭的命令
ocspOnline Certificate Status Protocol utility在線證書狀態協議實用程序 oddump files in octal and other formats以八進制和其他格式轉儲文件 openstart a program on a new virtual terminal (VT).在新的虛擬終端(VT)上啟動一個程序。 opensslOpenSSL command line toolOpenSSL命令行工具 openssl-asn1parseASN.1 parsing toolasn . 1解析工具 openssl-c_rehashCreate symbolic links to files named by the hash values創建指向以散列值命名的文件的符號鏈接 openssl-casample minimal CA application樣本最小CA應用 openssl-ciphersSSL cipher display and cipher list toolSSL密碼顯示和密碼列表工具 openssl-cmsCMS utilityCMS工具 openssl-crlCRL utilityCRL效用 openssl-crl2pkcs7Create a PKCS#7 structure from a CRL and certificates從CRL和證書創建PKCS#7結構 openssl-dgstperform digest operations執行消化操作 openssl-dhparamDH parameter manipulation and generationDH參數的操作和生成 openssl-dsaDSA key processingDSA密鑰處理 openssl-dsaparamDSA parameter manipulation and generationDSA參數的操作和生成 openssl-ecEC key processing電子商務關鍵處理 openssl-ecparamEC parameter manipulation and generationEC參數的操作和生成 openssl-encsymmetric cipher routines對稱密碼的例程 openssl-engineload and query engines加載和查詢引擎 openssl-errstrlookup error codes查找錯誤代碼 openssl-gendsagenerate a DSA private key from a set of parameters從一組參數生成DSA私鑰 openssl-genpkeygenerate a private key生成私鑰 openssl-genrsagenerate an RSA private key生成RSA私鑰 openssl-listlist algorithms and features列出算法和特性 openssl-nseqcreate or examine a Netscape certificate sequence創建或檢查Netscape證書序列 openssl-ocspOnline Certificate Status Protocol utility在線證書狀態協議實用程序 openssl-passwdcompute password hashes計算密碼散列 openssl-pkcs12PKCS#12 file utilityPKCS # 12文件實用程序 openssl-pkcs7PKCS#7 utilityPKCS # 7效用 openssl-pkcs8PKCS#8 format private key conversion toolpkcs# 8格式私鑰轉換工具 openssl-pkeypublic or private key processing tool公鑰或私鑰處理工具 openssl-pkeyparampublic key algorithm parameter processing tool公鑰算法參數處理工具 openssl-pkeyutlpublic key algorithm utility公鑰算法實用程序 openssl-primecompute prime numbers計算素數 openssl-randgenerate pseudo-random bytes生成偽隨機字節 openssl-rehashCreate symbolic links to files named by the hash values創建指向以散列值命名的文件的符號鏈接 openssl-reqPKCS#10 certificate request and certificate generating utilityPKCS#10證書請求和證書生成工具 openssl-rsaRSA key processing toolRSA密鑰處理工具 openssl-rsautlRSA utilityRSA公用事業 openssl-s_clientSSL/TLS client programSSL / TLS客戶機程序 openssl-s_serverSSL/TLS server programSSL / TLS服務器程序 openssl-s_timeSSL/TLS performance timing programSSL/TLS性能定時程序 openssl-sess_idSSL/TLS session handling utilitySSL/TLS會話處理實用程序 openssl-smimeS/MIME utilityS / MIME效用 openssl-speedtest library performance測試庫性能 openssl-spkacSPKAC printing and generating utilitySPKAC打印和生成實用程序 openssl-srpmaintain SRP password file維護SRP密碼文件 openssl-storeutlSTORE utility存儲工具 openssl-tsTime Stamping Authority tool (client/server)時間戳授權工具(客戶端/服務器) openssl-verifyUtility to verify certificates驗證證書的實用程序 openssl-versionprint OpenSSL version information打印OpenSSL版本信息 openssl-x509Certificate display and signing utility證書顯示和簽名實用程序 openssl.cnfOpenSSL CONF library configuration filesOpenSSL CONF庫配置文件 openvtstart a program on a new virtual terminal (VT).在新的虛擬終端(VT)上啟動一個程序。 ordchrconvert characters to strings and vice versa將字符轉換為字符串,反之亦然 os-releaseOperating system identification操作系統識別 ossl_storeStore retrieval functions存儲檢索功能 ossl_store-fileThe store ’file’ scheme loaderstore 'file'方案加載程序 ownershipCompaq ownership tag retriever康柏所有權標簽檢索器以p開頭的命令
p11-kitTool for operating on configured PKCS#11 modules用于操作已配置PKCS#11模塊的工具 pamPAM 8 pam 8PAM 8 PAM 8 pam.confPAM configuration filesPAM配置文件 pam.dPAM configuration filesPAM配置文件 pam_accessPAM module for logdaemon style login access controlPAM模塊用于日志守護程序式的登錄訪問控制 pam_consoledetermine user owning the system console確定擁有系統控制臺的用戶 pam_console_applyset or revoke permissions for users at the system console在系統控制臺為用戶設置或撤銷權限 pam_cracklibPAM module to check the password against dictionary wordsPAM模塊來檢查密碼對字典單詞 pam_debugPAM module to debug the PAM stackPAM模塊調試PAM堆棧 pam_denyThe locking-out PAM module鎖定PAM模塊 pam_echoPAM module for printing text messages用于打印文本消息的PAM模塊 pam_envPAM module to set/unset environment variablesPAM模塊設置/取消設置環境變量 pam_env.confthe environment variables config files環境變量配置文件 pam_execPAM module which calls an external command調用外部命令的PAM模塊 pam_faildelayChange the delay on failure per-application更改每個應用程序失敗的延遲 pam_faillockModule counting authentication failures during a specified interval模塊在指定時間間隔內統計認證失敗次數 pam_filterPAM filter modulePAM濾波器模塊 pam_ftpPAM module for anonymous access modulePAM模塊用于匿名訪問模塊 pam_groupPAM module for group accessPAM模塊用于組訪問 pam_issuePAM module to add issue file to user promptPAM模塊添加問題文件到用戶提示 pam_keyinitKernel session keyring initialiser module內核會話keyring初始化模塊 pam_lastlogPAM module to display date of last login and perform inactive account lock outPAM模塊顯示最后登錄日期和執行不活躍帳戶鎖定 pam_limitsPAM module to limit resourcesPAM模塊限制資源 pam_listfiledeny or allow services based on an arbitrary file拒絕或允許基于任意文件的服務 pam_localuserrequire users to be listed in /etc/passwd要求在/etc/passwd中列出用戶 pam_loginuidRecord user’s login uid to the process attribute將用戶的登錄uid記錄到進程屬性 pam_mailInform about available mail通知可用郵件 pam_mkhomedirPAM module to create users home directoryPAM模塊創建用戶的主目錄 pam_motdDisplay the motd file顯示motd文件 pam_namespacePAM module for configuring namespace for a session用于為會話配置命名空間的PAM模塊 pam_nologinPrevent non-root users from login禁止非root用戶登錄 pam_permitThe promiscuous module濫交的模塊 pam_postgresoksimple check of real UID and corresponding account name簡單的檢查真實的UID和相應的帳戶名 pam_pwhistoryPAM module to remember last passwordsPAM模塊,以記住最后的密碼 pam_pwqualityPAM module to perform password quality checkingPAM模塊進行密碼質量檢查 pam_rhostsThe rhosts PAM modulerhosts PAM模塊 pam_rootokGain only root access只獲得根訪問權限 pam_securettyLimit root login to special devices限制根用戶登錄到特殊設備 pam_selinuxPAM module to set the default security contextPAM模塊來設置默認的安全上下文 pam_sepermitPAM module to allow/deny login depending on SELinux enforcement statePAM模塊允許/拒絕登錄,這取決于SELinux執行狀態 pam_shellsPAM module to check for valid login shellPAM模塊檢查有效的登錄shell pam_sssPAM module for SSSD用于SSSD的PAM模塊 pam_sss_gssPAM module for SSSD GSSAPI authenticationPAM模塊用于SSSD的GSSAPI驗證 pam_succeed_iftest account characteristics測試賬戶的特點 pam_systemdRegister user sessions in the systemd login manager在systemd登錄管理器中注冊用戶會話 pam_timePAM module for time control accessPAM模塊用于時間控制訪問 pam_timestampAuthenticate using cached successful authentication attempts使用緩存的成功身份驗證嘗試進行身份驗證 pam_timestamp_checkCheck to see if the default timestamp is valid檢查默認的時間戳是否有效 pam_tty_auditEnable or disable TTY auditing for specified users為指定用戶開啟或關閉TTY審計功能 pam_umaskPAM module to set the file mode creation maskPAM模塊設置文件模式的創建掩碼 pam_unixModule for traditional password authentication傳統密碼驗證模塊 pam_userdbPAM module to authenticate against a db databasePAM模塊對數據庫進行身份驗證 pam_usertypecheck if the authenticated user is a system or regular account檢查被驗證的用戶是系統帳戶還是普通帳戶 pam_warnPAM module which logs all PAM items if calledPAM模塊,它記錄所有被調用的PAM項 pam_wheelOnly permit root access to members of group wheel僅允許根訪問組輪的成員 pam_xauthPAM module to forward xauth keys between usersPAM模塊在用戶之間轉發xauth密鑰 pam~8Pluggable Authentication Modules for LinuxLinux可插拔認證模塊 parteda partition manipulation program分區操作程序 partprobeinform the OS of partition table changes通知OS分區表的變化 partxtell the kernel about the presence and numbering of on-disk partitions告訴內核磁盤分區的存在情況和編號 passphrase-encodingHow diverse parts of OpenSSL treat pass phrases character encodingOpenSSL的不同部分如何處理傳遞短語字符編碼 passwdpasswd 1ssl passwd 1Passwd 1ssl Passwd 1 .輸入密碼 passwd~1update user’s authentication tokens更新用戶身份驗證令牌 passwd~1sslpassword-authCommon configuration file for PAMified servicespamized服務的通用配置文件 pastemerge lines of files合并文件行 pathchkcheck whether file names are valid or portable檢查文件名是否有效或可移植 pcpkg-config file formatpkg-config文件格式 pcap-filterpacket filter syntax包過濾語法 pcap-linktypelink-layer header types supported by libpcaplibpcap支持的鏈路層報頭類型 pcap-tstamppacket time stamps in libpcaplibpcap中的數據包時間戳 pgreplook up or signal processes based on name and other attributes根據名稱和其他屬性查找或發送信號 piccompile pictures for troff or TeX為troff或TeX編譯圖片 pidoffind the process ID of a running program.查找正在運行的程序的進程號。 pigzcompress or expand files壓縮或擴展文件 pingsend ICMP ECHO_REQUEST to network hosts發送ICMP ECHO_REQUEST到網絡主機 ping6send ICMP ECHO_REQUEST to network hosts發送ICMP ECHO_REQUEST到網絡主機 pinkylightweight finger輕量級的手指 pippip3pip 9.0.3皮普9.0.3 pivot_rootchange the root filesystem更改根文件系統 pkactionGet details about a registered action獲取有關已注冊操作的詳細信息 pkcheckCheck whether a process is authorized檢查進程是否被授權 pkcs11.confConfiguration files for PKCS#11 modulesPKCS#11模塊的配置文件 pkcs11.txtNSS PKCS #11 module configuration fileNSS PKCS #11模塊配置文件 pkcs12PKCS#12 file utilityPKCS # 12文件實用程序 pkcs7PKCS#7 utilityPKCS # 7效用 pkcs8PKCS#8 format private key conversion toolpkcs# 8格式私鑰轉換工具 pkexecExecute a command as another user以其他用戶執行命令 pkeypublic or private key processing tool公鑰或私鑰處理工具 pkeyparampublic key algorithm parameter processing tool公鑰算法參數處理工具 pkeyutlpublic key algorithm utility公鑰算法實用程序 pkg-configa system for configuring build dependency information用于配置構建依賴項信息的系統 pkg.m4autoconf macros for using pkgconf使用pkgconf的Autoconf宏 pkgconfa system for configuring build dependency information用于配置構建依賴項信息的系統 pkilllook up or signal processes based on name and other attributes根據名稱和其他屬性查找或發送信號 pkla-admin-identitiesList pklocalauthority-configured polkit administrators列出pklocalauthority配置的polkit管理員 pkla-check-authorizationEvaluate pklocalauthority authorization configuration評估pklocalauthority授權配置 pklocalauthoritypolkit Local Authority Compatibilitypolkit本地權威兼容性 pkttyagentTextual authentication helper文本驗證助手 plymouthplymouth 1 plymouth 8普利茅斯1普利茅斯8 plymouth-set-default-themeSet the plymouth theme設置普利茅斯主題 plymouthdThe plymouth daemon普利茅斯守護進程 plymouth~1Send commands to plymouthd將命令發送到plymouthd plymouth~8A graphical boot system and logger一個圖形化的引導系統和記錄器 pmapreport memory map of a process報告進程的內存映射 pngPortable Network Graphics (PNG) format便攜式網絡圖形(PNG)格式 polkitAuthorization Manager授權管理器 polkitdThe polkit system daemonpolkit系統守護進程 popdbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) portablectlAttach, detach or inspect portable service images附加、分離或檢查便攜式服務圖像 postloginCommon configuration file for PAMified servicespamized服務的通用配置文件 poweroffHalt, power-off or reboot the machine暫停、關機或重新啟動機器 prconvert text files for printing轉換文本文件用于打印 preconvconvert encoding of input files to something GNU troff understands將輸入文件的編碼轉換成GNU troff能夠理解的東西 primecompute prime numbers計算素數 printenvprint all or part of environment打印環境的全部或部分 printfformat and print data格式化和打印數據 prlimitget and set process resource limits獲取和設置進程資源限制 procpsreport a snapshot of the current processes.報告當前進程的快照。 projectspersistent project root definition持久的項目根定義 projidthe project name mapping file項目名稱映射文件 proxy-certificatesProxy certificates in OpenSSLOpenSSL中的代理證書 psreport a snapshot of the current processes.報告當前進程的快照。 psfaddtableadd a Unicode character table to a console font為控制臺字體添加Unicode字符表 psfgettableextract the embedded Unicode character table from a console font從控制臺字體中提取嵌入的Unicode字符表 psfstriptableremove the embedded Unicode character table from a console font從控制臺字體中移除嵌入的Unicode字符表 psfxtablehandle Unicode character tables for console fonts處理控制臺字體的Unicode字符表 ptxproduce a permuted index of file contents生成文件內容的排列索引 pushdbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) pvchangeChange attributes of physical volume(s)更改物理卷的屬性 pvckCheck metadata on physical volumes檢查物理卷的元數據 pvcreateInitialize physical volume(s) for use by LVM初始化物理卷供LVM使用 pvdisplayDisplay various attributes of physical volume(s)顯示物理卷的各種屬性 pvmoveMove extents from one physical volume to another將范圍從一個物理卷移動到另一個物理卷 pvremoveRemove LVM label(s) from physical volume(s)從物理卷中移除LVM標簽 pvresizeResize physical volume(s)調整物理卷(s) pvsDisplay information about physical volumes顯示物理卷信息 pvscanList all physical volumes列出所有物理卷 pwckverify integrity of password files驗證密碼文件的完整性 pwconvconvert to and from shadow passwords and groups轉換影子密碼和組 pwdprint name of current/working directory打印當前/工作目錄的名稱 pwdxreport current working directory of a process報告進程的當前工作目錄 pwhistory_helperHelper binary that transfers password hashes from passwd or shadow to opasswd將密碼哈希值從passwd或shadow傳輸到passwd的輔助二進制文件 pwmakesimple tool for generating random relatively easily pronounceable passwords簡單的工具生成隨機相對容易發音的密碼 pwquality.confconfiguration for the libpwquality librarylibpwquality庫的配置 pwscoresimple configurable tool for checking quality of a password簡單的可配置工具檢查質量的密碼 pwunconvconvert to and from shadow passwords and groups轉換影子密碼和組 pythoninfo on how to set up the `python` command.關于如何設置' python '命令的信息。 python3.6an interpreted, interactive, object-oriented programming language一種解釋的、交互式的、面向對象的程序設計語言以r開頭的命令
randRAND 7ssl rand 1sslRAND 7ssl RAND 1ssl rand_drbgthe deterministic random bit generator確定性隨機比特發生器 rand~1sslrawbind a Linux raw character device綁定Linux原始字符設備 rawdevicesbind a Linux raw character device綁定Linux原始字符設備 rdiscnetwork router discovery daemon網絡路由器發現守護進程 rdmaRDMA toolRDMA工具 rdma-devRDMA device configurationRDMA設備配置 rdma-linkrdma link configurationrdma鏈接配置 rdma-nddRDMA-NDD 8 rdma-ndd 8RDMA-NDD 8 Rdma-ndd 8 rdma-ndd~8RDMA device Node Description update daemonRDMA設備更新守護進程 rdma-resourcerdma resource configurationrdma資源配置 rdma-statisticRDMA statistic counter configurationRDMA統計計數器配置 rdma-systemRDMA subsystem configurationRDMA子系統配置 readbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) readareaddirdirectory input parser for gawk目錄輸入解析器gawk readfilereturn the entire contents of a file as a string以字符串形式返回文件的全部內容 readlinkprint resolved symbolic links or canonical file names打印解析的符號鏈接或規范文件名 readonlybash built-in commands, see bash(1)Bash內置命令,參見Bash (1) readprofileread kernel profiling information讀取內核概要信息 realpathprint the resolved path打印解析的路徑 rebootHalt, power-off or reboot the machine暫停、關機或重新啟動機器 recode-sr-latinconvert Serbian text from Cyrillic to Latin script將塞爾維亞文字從西里爾文字轉換為拉丁文字 rehashCreate symbolic links to files named by the hash values創建指向以散列值命名的文件的符號鏈接 removable_contextThe SELinux removable devices context configuration fileSELinux可移動設備上下文配置文件 renamerename files重命名文件 renicealter priority of running processes修改進程的優先級 reqPKCS#10 certificate request and certificate generating utilityPKCS#10證書請求和證書生成工具 rescan-scsi-bus.shscript to add and remove SCSI devices without rebooting腳本可以在不重啟的情況下添加和刪除SCSI設備 resetterminal initialization終端初始化 resize2fsext2/ext3/ext4 file system resizer調整Ext2 /ext3/ext4文件系統大小 resizeconschange kernel idea of the console size改變控制臺大小的內核概念 resizeparttell the kernel about the new size of a partition告訴內核分區的新大小 resolvconfResolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver解析域名、IPV4和IPv6地址、DNS資源記錄和服務;內省并重新配置DNS解析器 resolvectlResolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver解析域名、IPV4和IPv6地址、DNS資源記錄和服務;內省并重新配置DNS解析器 resolved.confNetwork Name Resolution configuration files網絡名稱解析配置文件 resolved.conf.dNetwork Name Resolution configuration files網絡名稱解析配置文件 restoreconrestore file(s) default SELinux security contexts.恢復文件默認的SELinux安全上下文。 restorecon_xattrmanage security.restorecon_last extended attribute entries added by setfiles (8) or restorecon (8).管理安全。Restorecon_last擴展屬性項由setfiles(8)或restorerecon(8)添加。 returnbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) revreverse lines characterwise反向行characterwise revoutputReverse output strings sample extension反向輸出字符串示例擴展 revtwowayReverse strings sample two-way processor extension反向字符串樣本雙向處理器擴展 rfkilltool for enabling and disabling wireless devices啟用和禁用無線設備的工具 rmremove files or directories刪除文件或目錄 rmdirremove empty directories刪除空目錄 rmmodSimple program to remove a module from the Linux Kernel從Linux內核中刪除一個模塊的簡單程序 routefflush routes沖洗路線 routellist routes with pretty output format用漂亮的輸出格式列出路由 rpmRPM Package ManagerRPM包管理器 rpm-misclesser need options for rpm(8)較少需要rpm選項(8) rpm-plugin-systemd-inhibitPlugin for the RPM Package ManagerRPM包管理器插件 rpm2cpioExtract cpio archive from RPM Package Manager (RPM) package.從RPM包中提取cpio文件。 rpmdbRPM Database ToolRPM數據庫工具 rpmkeysRPM KeyringRPM密匙環 rsaRSA key processing toolRSA密鑰處理工具 rsa-pssEVP_PKEY RSA-PSS algorithm supportEVP_PKEY RSA-PSS算法支持 rsautlRSA utilityRSA公用事業 rsyslog.confrsyslogd(8) configuration filersyslogd(8)配置文件 rsyslogdreliable and extended syslogd可靠和擴展的syslog日志 rtacctnetwork statistics tools.網絡統計工具。 rtcwakeenter a system sleep state until specified wakeup time進入系統休眠狀態,直到指定的喚醒時間 rtmonlistens to and monitors RTnetlink監聽和監控RTnetlink rtprreplace backslashes with newlines.用換行替換反斜杠。 rtstatunified linux network statisticsLinux統一網絡統計 run-partsconfiguration and scripts for running periodical jobs用于運行定期作業的配置和腳本 runconrun command with specified SELinux security context使用指定的SELinux安全上下文運行命令 runlevelPrint previous and current SysV runlevel打印以前和現在的SysV運行級別 runuserrun a command with substitute user and group ID使用替代用戶和組ID運行命令 rviVi IMproved, a programmer’s text editor一個程序員的文本編輯器 rviewVi IMproved, a programmer’s text editor一個程序員的文本編輯器 rvimVi IMproved, a programmer’s text editor一個程序員的文本編輯器 rwarraywrite and read gawk arrays to/from files在文件中寫入和讀取gawk數組 rxeSoftware RDMA over Ethernet基于以太網的軟件RDMA以s開頭的命令
s_clientSSL/TLS client programSSL / TLS客戶機程序 s_serverSSL/TLS server programSSL / TLS服務器程序 s_timeSSL/TLS performance timing programSSL/TLS性能定時程序 sandboxRun cmd under an SELinux sandbox在SELinux沙箱下運行cmd scdaemonSmartcard daemon for the GnuPG systemGnuPG系統的智能卡守護進程 scpsecure copy (remote file copy program)安全拷貝(遠程文件拷貝程序) scr_dumpformat of curses screen-dumps.詛咒屏幕轉儲的格式。 scriptmake typescript of terminal session制作終端會話的打字稿 scriptreplayplay back typescripts, using timing information使用定時信息回放打字腳本 scryptEVP_PKEY scrypt KDF supportEVP_PKEY加密 KDF 支持 scsi-rescanscript to add and remove SCSI devices without rebooting腳本可以在不重啟的情況下添加和刪除SCSI設備 scsi_logging_levelaccess Linux SCSI logging level information訪問Linux SCSI日志級別信息 scsi_mandatcheck SCSI device support for mandatory commands檢查SCSI設備對強制命令的支持 scsi_readcapdo SCSI READ CAPACITY command on disks磁盤上是否有SCSI READ CAPACITY命令 scsi_readydo SCSI TEST UNIT READY on devicesSCSI測試單元準備好了嗎 scsi_satlcheck SCSI to ATA Translation (SAT) device support檢查SCSI到ATA轉換(SAT)設備支持 scsi_startstart one or more SCSI disks啟動一個或多個SCSI磁盤 scsi_stopstop (spin down) one or more SCSI disksstop (spin down)一個或多個SCSI磁盤 scsi_temperaturefetch the temperature of a SCSI device獲取SCSI設備的溫度 sd-bootA simple UEFI boot manager一個簡單的UEFI啟動管理器 sdiffside-by-side merge of file differences并排合并文件差異 secmod.dbLegacy NSS security modules database遺留的NSS安全模塊數據庫 secolor.confThe SELinux color configuration fileSELinux顏色配置文件 seconSee an SELinux context, from a file, program or user input.從文件、程序或用戶輸入中查看SELinux上下文。 secret-toolStore and retrieve passwords存儲和檢索密碼 securetty_typesThe SELinux secure tty type configuration fileSELinux安全tty類型配置文件 sedstream editor for filtering and transforming text用于過濾和轉換文本的流編輯器 sefcontext_compilecompile file context regular expression files編譯文件上下文正則表達式文件 selabel_dbuserspace SELinux labeling interface and configuration file format for the RDBMS objects context backendRDBMS對象上下文后端的用戶空間SELinux標記接口和配置文件格式 selabel_fileuserspace SELinux labeling interface and configuration file format for the file contexts backend用戶空間SELinux標簽界面和文件上下文后端配置文件格式 selabel_mediauserspace SELinux labeling interface and configuration file format for the media contexts backend用戶空間SELinux標簽界面和媒體上下文后端配置文件格式 selabel_xuserspace SELinux labeling interface and configuration file format for the X Window System contexts backend. This backend is also used to determine the default context for labeling remotely connected X clients用戶空間SELinux標簽界面和配置文件格式的X窗口系統上下文后端。這個后端還用于確定標識遠程連接的X客戶端的默認上下文 selinuxSELinux 8 selinux 8SELinux 8 selinux 8 selinux_configThe SELinux sub-system configuration file.SELinux子系統配置文件。 selinuxconlistlist all SELinux context reachable for user列出用戶可訪問的所有SELinux上下文 selinuxdefconreport default SELinux context for user為用戶報告默認SELinux上下文 selinuxenabledtool to be used within shell scripts to determine if selinux is enabled在shell腳本中使用的工具,用于確定是否啟用了selinux selinuxexecconreport SELinux context used for this executable報告用于此可執行文件的SELinux上下文 selinux~8NSA Security-Enhanced Linux (SELinux)NSA安全增強Linux (SELinux) semanageSELinux Policy Management toolSELinux Policy管理工具 semanage-booleanSELinux Policy Management boolean toolSELinux Policy管理布爾型工具 semanage-dontauditSELinux Policy Management dontaudit toolSELinux策略管理不審計工具 semanage-exportSELinux Policy Management import toolSELinux Policy管理導入工具 semanage-fcontextSELinux Policy Management file context toolSELinux Policy管理文件上下文工具 semanage-ibendportSELinux Policy Management ibendport mapping toolSELinux Policy Management ibendport映射工具 semanage-ibpkeySELinux Policy Management ibpkey mapping toolSELinux Policy Management ibpkey映射工具 semanage-importSELinux Policy Management import toolSELinux Policy管理導入工具 semanage-interfaceSELinux Policy Management network interface toolSELinux Policy管理網口工具 semanage-loginSELinux Policy Management linux user to SELinux User mapping toolSELinux策略管理linux用戶到SELinux用戶映射工具 semanage-moduleSELinux Policy Management module mapping toolSELinux Policy管理模塊映射工具 semanage-nodeSELinux Policy Management node mapping toolSELinux Policy管理節點映射工具 semanage-permissiveSELinux Policy Management permissive mapping toolSELinux Policy管理權限映射工具 semanage-portSELinux Policy Management port mapping toolSELinux Policy管理端口映射工具 semanage-userSELinux Policy Management SELinux User mapping toolSELinux策略管理SELinux用戶映射工具 semanage.confglobal configuration file for the SELinux Management librarySELinux Management庫的全局配置文件 semoduleManage SELinux policy modules.管理SELinux策略模塊。 semodule_expandExpand a SELinux policy module package.展開SELinux策略模塊包。 semodule_linkLink SELinux policy module packages together將SELinux策略模塊包鏈接在一起 semodule_packageCreate a SELinux policy module package.創建SELinux策略模塊包。 semodule_unpackageExtract policy module and file context file from an SELinux policy module package.從SELinux策略模塊包中提取策略模塊和文件上下文文件。 sepermit.confconfiguration file for the pam_sepermit modulepam_sepermit模塊的配置文件 sepgsql_contextsuserspace SELinux labeling interface and configuration file format for the RDBMS objects context backendRDBMS對象上下文后端的用戶空間SELinux標記接口和配置文件格式 seqprint a sequence of numbers打印一個數字序列 servicerun a System V init script執行System V的init腳本 service_seusersThe SELinux GNU/Linux user and service to SELinux user mapping configuration filesSELinux GNU/Linux用戶和服務到SELinux用戶的映射配置文件 sess_idSSL/TLS session handling utilitySSL/TLS會話處理實用程序 sestatusSELinux status toolSELinux地位的工具 sestatus.confThe sestatus(8) configuration file.sestatus(8)配置文件。 setbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) setarchchange reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 setcapset file capabilities設置文件能力 setenforcemodify the mode SELinux is running in修改SELinux正在運行的模式 setfaclset file access control lists設置文件訪問控制列表 setfilesset SELinux file security contexts.設置SELinux文件安全上下文。 setfontload EGA/VGA console screen font加載EGA/VGA控制臺屏幕字體 setkeycodesload kernel scancode-to-keycode mapping table entries加載內核scancode-to-keycode映射表項 setledsset the keyboard leds設置鍵盤指示燈 setmetamodedefine the keyboard meta key handling定義鍵盤元鍵處理 setpciconfigure PCI devices配置PCI設備 setprivrun a program with different Linux privilege settings使用不同的Linux權限設置運行一個程序 setseboolset SELinux boolean value設置SELinux布爾值 setsidrun a program in a new session在一個新的會話中運行一個程序 settermset terminal attributes設置終端屬性 setup-nsssysinitQuery or enable the nss-sysinit module查詢或使能nss-sysinit模塊 setvtrgbset the virtual terminal RGB colors設置虛擬終端的RGB顏色 seusersThe SELinux GNU/Linux user to SELinux user mapping configuration fileSELinux GNU/Linux用戶到SELinux用戶映射配置文件 sfdiskdisplay or manipulate a disk partition table顯示或操作磁盤分區表 sftpsecure file transfer program安全文件傳輸程序 sftp-serverSFTP server subsystemSFTP服務器子系統 sgexecute command as different group ID執行命令使用不同的組ID sg3_utilsa package of utilities for sending SCSI commands用于發送SCSI命令的實用程序包 sg_bg_ctlsend SCSI BACKGROUND CONTROL command發送SCSI后臺控制命令 sg_compare_and_writesend the SCSI COMPARE AND WRITE command發送SCSI比較和寫命令 sg_copy_resultssend SCSI RECEIVE COPY RESULTS command (XCOPY related)發送SCSI接收COPY RESULTS命令(XCOPY相關) sg_ddcopy data to and from files and devices, especially SCSI devices從文件和設備(特別是SCSI設備)復制數據 sg_decode_sensedecode SCSI sense and related data解碼SCSI感覺和相關數據 sg_emc_trespasschange ownership of SCSI LUN from another Service-Processor to this one將SCSI LUN的所有權從另一個服務處理器更改為這個 sg_formatformat, resize a SCSI disk or format a tape格式化、調整SCSI磁盤大小或格式化磁帶 sg_get_configsend SCSI GET CONFIGURATION command (MMC-4 +)發送SCSI GET配置命令(MMC-4 +) sg_get_lba_statussend SCSI GET LBA STATUS(16 or 32) commandsend SCSI GET LBA STATUS(16或32)命令 sg_identsend SCSI REPORT/SET IDENTIFYING INFORMATION command發送SCSI報告/設置識別信息命令 sg_inqissue SCSI INQUIRY command and/or decode its response發出SCSI INQUIRY命令和/或解碼它的響應 sg_logsaccess log pages with SCSI LOG SENSE command使用SCSI log SENSE命令訪問日志頁面 sg_lunssend SCSI REPORT LUNS command or decode given LUN發送SCSI REPORT LUN命令或解碼給定的LUN sg_mapdisplays mapping between Linux sg and other SCSI devices顯示Linux sg和其他SCSI設備之間的映射 sg_map26map SCSI generic (sg) device to corresponding device names將SCSI通用(sg)設備映射到相應的設備名 sg_modesreads mode pages with SCSI MODE SENSE command使用SCSI mode SENSE命令讀取模式頁面 sg_opcodesreport supported SCSI commands or task management functions報告支持SCSI命令或任務管理功能 sg_persistuse SCSI PERSISTENT RESERVE command to access registrations and reservations使用SCSI PERSISTENT RESERVE命令訪問注冊和預訂 sg_preventsend SCSI PREVENT ALLOW MEDIUM REMOVAL command發送SCSI阻止允許介質移除命令 sg_rawsend arbitrary SCSI command to a device發送任意SCSI命令到設備 sg_rbufreads data using SCSI READ BUFFER command使用SCSI READ BUFFER命令讀取數據 sg_rdacdisplay or modify SCSI RDAC Redundant Controller mode page顯示或修改“SCSI RDAC冗余控制器模式”界面 sg_readread multiple blocks of data, optionally with SCSI READ commands讀取多個數據塊,可選使用SCSI read命令 sg_read_attrsend SCSI READ ATTRIBUTE command發送SCSI READ屬性命令 sg_read_block_limitssend SCSI READ BLOCK LIMITS command發送SCSI讀塊限制命令 sg_read_buffersend SCSI READ BUFFER command發送SCSI讀緩沖區命令 sg_read_longsend a SCSI READ LONG command發送SCSI讀長命令 sg_readcapsend SCSI READ CAPACITY command發送SCSI READ CAPACITY命令 sg_reassignsend SCSI REASSIGN BLOCKS command發送SCSI重新分配塊命令 sg_referralssend SCSI REPORT REFERRALS command發送SCSI報告引用命令 sg_rep_zonessend SCSI REPORT ZONES command發送SCSI REPORT ZONES命令 sg_requestssend one or more SCSI REQUEST SENSE commands發送一個或多個SCSI REQUEST SENSE命令 sg_resetsends SCSI device, target, bus or host reset; or checks reset state發送SCSI設備、目標、總線或主機復位;或者檢查復位狀態 sg_reset_wpsend SCSI RESET WRITE POINTER command發送SCSI RESET WRITE POINTER命令 sg_rmsnsend SCSI READ MEDIA SERIAL NUMBER command發送SCSI讀媒體序列號命令 sg_rtpgsend SCSI REPORT TARGET PORT GROUPS command發送SCSI報告目標端口組命令 sg_safteaccess SCSI Accessed Fault-Tolerant Enclosure (SAF-TE) deviceaccess SCSI access Fault-Tolerant Enclosure (saft - te)設備 sg_sanitizeremove all user data from disk with SCSI SANITIZE command使用SCSI SANITIZE命令刪除磁盤上的所有用戶數據 sg_sat_identifysend ATA IDENTIFY DEVICE command via SCSI to ATA Translation (SAT) layer通過SCSI向ATA Translation (SAT)層發送ATA IDENTIFY DEVICE命令 sg_sat_phy_eventuse ATA READ LOG EXT via a SAT pass-through to fetch SATA phy event counters使用ATA READ LOG EXT通過SAT直通獲取SATA phy事件計數器 sg_sat_read_gploguse ATA READ LOG EXT command via a SCSI to ATA Translation (SAT) layer通過SCSI到ATA Translation (SAT)層使用ATA READ LOG EXT命令 sg_sat_set_featuresuse ATA SET FEATURES command via a SCSI to ATA Translation (SAT) layer通過SCSI到ATA轉換(SAT)層使用ATA SET FEATURES命令 sg_scanscans sg devices (or SCSI/ATAPI/ATA devices) and prints results掃描sg設備(或SCSI/ATAPI/ATA設備)并打印結果 sg_seeksend SCSI SEEK, PRE-FETCH(10) or PRE-FETCH(16) command發送SCSI SEEK,預取(10)或預取(16)命令 sg_senddiagperforms a SCSI SEND DIAGNOSTIC command執行SCSI SEND DIAGNOSTIC命令 sg_sesaccess a SCSI Enclosure Services (SES) device接入SES (SCSI Enclosure Services)設備 sg_ses_microcodesend microcode to a SCSI enclosure發送微碼到SCSI框 sg_startsend SCSI START STOP UNIT command: start, stop, load or eject mediumsend SCSI START STOP UNIT命令:啟動、停止、加載或彈出介質 sg_stpgsend SCSI SET TARGET PORT GROUPS command發送SCSI設置目標端口組命令 sg_stream_ctlsend SCSI STREAM CONTROL or GET STREAM STATUS command發送SCSI流控制或獲取流狀態命令 sg_syncsend SCSI SYNCHRONIZE CACHE commandsend SCSI SYNCHRONIZE CACHE命令 sg_test_rwbuftest a SCSI host adapter by issuing dummy writes and reads通過發出虛擬的寫和讀來測試SCSI主機適配器 sg_timestampreport or set timestamp on SCSI device報告或設置SCSI設備上的時間戳 sg_turssend one or more SCSI TEST UNIT READY commands發送一個或多個SCSI測試單元READY命令 sg_unmapsend SCSI UNMAP command (known as ’trim’ in ATA specs)發送SCSI UNMAP命令(在ATA規格中稱為“修剪”) sg_verifyinvoke SCSI VERIFY command(s) on a block device在塊設備上調用SCSI VERIFY命令 sg_vpdfetch SCSI VPD page and/or decode its responsefetch SCSI VPD頁面和/或解碼其響應 sg_wr_modewrite (modify) SCSI mode pagewrite (modify) SCSI模式頁面 sg_write_and_verifysg_write_buffersend SCSI WRITE BUFFER commands發送SCSI WRITE BUFFER命令 sg_write_longsend SCSI WRITE LONG command發送SCSI寫長命令 sg_write_samesend SCSI WRITE SAME command發送SCSI寫相同的命令 sg_write_verifysend the SCSI WRITE AND VERIFY command發送SCSI WRITE AND VERIFY命令 sg_write_xSCSI WRITE normal/ATOMIC/SAME/SCATTERED/STREAM, ORWRITE commandsSCSI寫普通/原子/相同/分散/流,或寫命令 sg_xcopycopy data to and from files and devices using SCSI EXTENDED COPY (XCOPY)使用SCSI擴展拷貝(XCOPY)從文件和設備復制數據 sg_zonesend SCSI OPEN, CLOSE, FINISH or SEQUENTIALIZE ZONE command發送SCSI OPEN, CLOSE, FINISH或SEQUENTIALIZE ZONE命令 sgdiskCommand-line GUID partition table (GPT) manipulator for Linux and UnixLinux和Unix的命令行GUID分區表(GPT)操縱符 sginfoaccess mode page information for a SCSI (or ATAPI) deviceSCSI(或ATAPI)設備的訪問模式頁面信息 sgm_ddcopy data to and from files and devices, especially SCSI devices從文件和設備(特別是SCSI設備)復制數據 sgp_ddcopy data to and from files and devices, especially SCSI devices從文件和設備(特別是SCSI設備)復制數據 shGNU Bourne-Again SHellGNU Bourne-Again殼 sha1sumcompute and check SHA1 message digest計算并檢查SHA1消息摘要 sha224sumcompute and check SHA224 message digest計算并檢查SHA224消息摘要 sha256sumcompute and check SHA256 message digest計算并檢查SHA256消息摘要 sha384sumcompute and check SHA384 message digest計算并檢查SHA384消息摘要 sha512sumcompute and check SHA512 message digest計算并檢查SHA512消息摘要 shadowshadow 5 shadow 3陰影5陰影3 shadow~3encrypted password file routines加密密碼文件例程 shadow~5shadowed password file陰影口令文件 shiftbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) shoptbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) showconsolefontShow the current EGA/VGA console screen font顯示當前EGA/VGA控制臺屏幕字體 showkeyexamine the codes sent by the keyboard檢查鍵盤發送的代碼 shredoverwrite a file to hide its contents, and optionally delete it覆蓋文件以隱藏其內容,并可選地刪除它 shufgenerate random permutations生成隨機排列 shutdownHalt, power-off or reboot the machine暫停、關機或重新啟動機器 skillsend a signal or report process status發送信號或報告進程狀態 slabtopdisplay kernel slab cache information in real time實時顯示內核slab cache信息 sleepdelay for a specified amount of time延遲指定的時間 sleep.conf.dSuspend and hibernation configuration file暫停和休眠配置文件 sm2Chinese SM2 signature and encryption algorithm support中文SM2簽名和加密算法支持 smartcard-authCommon configuration file for PAMified servicespamized服務的通用配置文件 smimeS/MIME utilityS / MIME效用 snicesend a signal or report process status發送信號或報告進程狀態 soeliminterpret .so requests in groff input解釋groff輸入中的請求 sortsort lines of text files對文本文件行進行排序 sourcebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) speedtest library performance測試庫性能 spkacSPKAC printing and generating utilitySPKAC打印和生成實用程序 splitsplit a file into pieces將文件分割成幾個部分 srpmaintain SRP password file維護SRP密碼文件 ssanother utility to investigate sockets另一個研究套接字的實用程序 sshOpenSSH SSH client (remote login program)OpenSSH SSH客戶端(遠程登錄程序) ssh-addadds private key identities to the authentication agent向身份驗證代理添加私鑰身份 ssh-agentauthentication agent認證代理 ssh-copy-iduse locally available keys to authorise logins on a remote machine使用本地可用的密鑰授權遠程計算機上的登錄 ssh-keygenauthentication key generation, management and conversion認證密鑰的生成、管理和轉換 ssh-keyscangather SSH public keys收集SSH公鑰 ssh-keysignssh helper program for host-based authenticationSSH助手程序的主機認證 ssh-pkcs11-helperssh-agent helper program for PKCS#11 support支持PKCS#11的ssh-agent助手程序 ssh_configOpenSSH SSH client configuration filesOpenSSH SSH客戶端配置文件 sshdOpenSSH SSH daemonOpenSSH SSH守護進程 sshd_configOpenSSH SSH daemon configuration fileOpenSSH SSH守護進程配置文件 sslOpenSSL SSL/TLS libraryOpenSSL庫SSL / TLS sslpasswdcompute password hashes計算密碼散列 sslrandgenerate pseudo-random bytes生成偽隨機字節 sss-certmapSSSD Certificate Matching and Mapping RulesSSSD證書匹配和映射規則 sss_cacheperform cache cleanup執行緩存清理 sss_rpcidmapdsss plugin configuration directives for rpc.idmapd用于rpc.idmapd的SSS插件配置指令 sss_ssh_authorizedkeysget OpenSSH authorized keys獲取OpenSSH授權的密鑰 sss_ssh_knownhostsproxyget OpenSSH host keys獲取OpenSSH主機密鑰 sssdSystem Security Services Daemon系統安全服務守護進程 sssd-filesSSSD files providerSSSD文件提供者 sssd-kcmSSSD Kerberos Cache ManagerSSSD Kerberos緩存管理器 sssd-session-recordingConfiguring session recording with SSSD配置SSSD會話記錄 sssd-simplethe configuration file for SSSD’s ’simple’ access-control providerSSSD的“simple”訪問控制提供程序的配置文件 sssd-sudoConfiguring sudo with the SSSD back end使用SSSD后端配置sudo sssd-systemtapSSSD systemtap informationSSSD systemtap的信息 sssd.confthe configuration file for SSSDSSSD配置文件 sssd_krb5_locator_pluginKerberos locator pluginKerberos定位器插件 statdisplay file or file system status顯示文件或文件系統狀態 stdbufRun COMMAND, with modified buffering operations for its standard streams.運行COMMAND,修改了標準流的緩沖操作。 storeutlSTORE utility存儲工具 sttychange and print terminal line settings更改并打印終端行設置 surun a command with substitute user and group ID使用替代用戶和組ID運行命令 subgidthe subordinate gid file從屬的gid文件 subuidthe subordinate uid file從屬uid文件 sudoexecute a command as another user以其他用戶執行命令 sudo-ldap.confsudo LDAP configurationsudo LDAP配置 sudo.confconfiguration for sudo front endsudo前端配置 sudoeditexecute a command as another user以其他用戶執行命令 sudoersdefault sudo security policy plugin默認的sudo安全策略插件 sudoers.ldapsudo LDAP configurationsudo LDAP配置 sudoers_timestampSudoers Time Stamp FormatSudoers時間戳格式 sudoreplayreplay sudo session logs重放sudo會話日志 suloginsingle-user login單用戶登錄 sumchecksum and count the blocks in a file對文件中的塊進行校驗和計數 suspendbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) swaplabelprint or change the label or UUID of a swap area打印或更改交換區標簽或UUID swapoffenable/disable devices and files for paging and swapping啟用/禁用用于分頁和交換的設備和文件 swaponenable/disable devices and files for paging and swapping啟用/禁用用于分頁和交換的設備和文件 switch_rootswitch to another filesystem as the root of the mount tree切換到另一個文件系統作為掛載樹的根 symcryptrunCall a simple symmetric encryption tool調用一個簡單的對稱加密工具 syncSynchronize cached writes to persistent storage將緩存寫同步到持久存儲 sysctlconfigure kernel parameters at runtime在運行時配置內核參數 sysctl.confsysctl preload/configuration filesysctl預加載/配置文件 sysctl.dConfigure kernel parameters at boot在引導時配置內核參數 syspurposeSet the intended purpose for this system設置此系統的預期用途 system-authCommon configuration file for PAMified servicespamized服務的通用配置文件 system.conf.dSystem and session service manager configuration files系統和會話服務管理器配置文件 systemctlControl the systemd system and service manager控制systemd系統和服務管理器 systemdsystemd system and service managerSystemd系統和服務經理 systemd-analyzeAnalyze and debug system manager分析和調試系統管理員 systemd-ask-passwordQuery the user for a system password使用實例查詢系統密碼的用戶 systemd-ask-password-console.pathQuery the user for system passwords on the console and via wall通過控制臺和墻壁查詢用戶的系統密碼 systemd-ask-password-console.serviceQuery the user for system passwords on the console and via wall通過控制臺和墻壁查詢用戶的系統密碼 systemd-ask-password-wall.pathQuery the user for system passwords on the console and via wall通過控制臺和墻壁查詢用戶的系統密碼 systemd-ask-password-wall.serviceQuery the user for system passwords on the console and via wall通過控制臺和墻壁查詢用戶的系統密碼 systemd-backlightLoad and save the display backlight brightness at boot and shutdown加載并保存開機和關機時顯示背光亮度 systemd-backlight@.serviceLoad and save the display backlight brightness at boot and shutdown加載并保存開機和關機時顯示背光亮度 systemd-binfmtConfigure additional binary formats for executables at boot在引導時為可執行文件配置額外的二進制格式 systemd-binfmt.serviceConfigure additional binary formats for executables at boot在引導時為可執行文件配置額外的二進制格式 systemd-bootA simple UEFI boot manager一個簡單的UEFI啟動管理器 systemd-catConnect a pipeline or program’s output with the journal將管道或程序的輸出與日志連接起來 systemd-cglsRecursively show control group contents遞歸顯示控件組內容 systemd-cgtopShow top control groups by their resource usage顯示top控件組的資源使用情況 systemd-coredumpAcquire, save and process core dumps獲取、保存和處理核心轉儲 systemd-coredump.socketAcquire, save and process core dumps獲取、保存和處理核心轉儲 systemd-coredump@.serviceAcquire, save and process core dumps獲取、保存和處理核心轉儲 systemd-cryptsetupFull disk decryption logic全磁盤解密邏輯 systemd-cryptsetup-generatorUnit generator for /etc/crypttab單位生成器/etc/ cryptab systemd-cryptsetup@.serviceFull disk decryption logic全磁盤解密邏輯 systemd-debug-generatorGenerator for enabling a runtime debug shell and masking specific units at boot用于啟動運行時調試shell和屏蔽特定單元的生成器 systemd-deltaFind overridden configuration files查找重寫的配置文件 systemd-detect-virtDetect execution in a virtualized environment檢測虛擬化環境中的執行 systemd-environment-d-generatorLoad variables specified by environment.d由environment.d指定的加載變量 systemd-escapeEscape strings for usage in systemd unit names用于systemd單元名稱的轉義字符串 systemd-firstbootInitialize basic system settings on or before the first boot-up of a system在系統第一次啟動時或之前初始化基本系統設置 systemd-firstboot.serviceInitialize basic system settings on or before the first boot-up of a system在系統第一次啟動時或之前初始化基本系統設置 systemd-fsckFile system checker logic文件系統檢查邏輯 systemd-fsck-root.serviceFile system checker logic文件系統檢查邏輯 systemd-fsck@.serviceFile system checker logic文件系統檢查邏輯 systemd-fstab-generatorUnit generator for /etc/fstab/etc/fstab的單位生成器 systemd-getty-generatorGenerator for enabling getty instances on the console在控制臺上啟用getty實例的生成器 systemd-gpt-auto-generatorGenerator for automatically discovering and mounting root, /home and /srv partitions, as well as discovering and enabling swap partitions, based on GPT partition type GUIDs.基于GPT分區類型guid自動發現和掛載根分區、/home分區和/srv分區,以及發現和啟用交換分區的生成器。 systemd-growfsCreating and growing file systems on demand根據需要創建和增長文件系統 systemd-growfs@.serviceCreating and growing file systems on demand根據需要創建和增長文件系統 systemd-halt.serviceSystem shutdown logic系統關機邏輯 systemd-hibernate-resumeResume from hibernation從休眠狀態恢復 systemd-hibernate-resume-generatorUnit generator for resume= kernel parameterresume= kernel參數的單位生成器 systemd-hibernate-resume@.serviceResume from hibernation從休眠狀態恢復 systemd-hibernate.serviceSystem sleep state logic系統休眠狀態邏輯 systemd-hostnamedHost name bus mechanism主機名總線機制 systemd-hostnamed.serviceHost name bus mechanism主機名總線機制 systemd-hwdbhardware database management tool硬件數據庫管理工具 systemd-hybrid-sleep.serviceSystem sleep state logic系統休眠狀態邏輯 systemd-inhibitExecute a program with an inhibition lock taken執行一個帶有抑制鎖的程序 systemd-initctl/dev/initctl compatibility/dev/initctl兼容性 systemd-initctl.service/dev/initctl compatibility/dev/initctl兼容性 systemd-initctl.socket/dev/initctl compatibility/dev/initctl兼容性 systemd-journaldJournal service日志服務 systemd-journald-audit.socketJournal service日志服務 systemd-journald-dev-log.socketJournal service日志服務 systemd-journald.serviceJournal service日志服務 systemd-journald.socketJournal service日志服務 systemd-kexec.serviceSystem shutdown logic系統關機邏輯 systemd-localedLocale bus mechanism現場總線機制 systemd-localed.serviceLocale bus mechanism現場總線機制 systemd-logindLogin manager登錄管理器 systemd-logind.serviceLogin manager登錄管理器 systemd-machine-id-commit.serviceCommit a transient machine ID to disk提交一個臨時機器ID到磁盤 systemd-machine-id-setupInitialize the machine ID in /etc/machine-id初始化/etc/machine-id中的機器ID systemd-makefsCreating and growing file systems on demand根據需要創建和增長文件系統 systemd-makefs@.serviceCreating and growing file systems on demand根據需要創建和增長文件系統 systemd-makeswap@.serviceCreating and growing file systems on demand根據需要創建和增長文件系統 systemd-modules-loadLoad kernel modules at boot在引導時加載內核模塊 systemd-modules-load.serviceLoad kernel modules at boot在引導時加載內核模塊 systemd-mountEstablish and destroy transient mount or auto-mount points建立和銷毀臨時掛載點或自動掛載點 systemd-notifyNotify service manager about start-up completion and other daemon status changes通知服務管理器啟動完成和其他守護進程狀態的變化 systemd-pathList and query system and user paths列出和查詢系統和用戶路徑 systemd-portabledPortable service manager便攜式服務經理 systemd-portabled.servicePortable service manager便攜式服務經理 systemd-poweroff.serviceSystem shutdown logic系統關機邏輯 systemd-quotacheckFile system quota checker logic文件系統配額檢查器邏輯 systemd-quotacheck.serviceFile system quota checker logic文件系統配額檢查器邏輯 systemd-random-seedLoad and save the system random seed at boot and shutdown在啟動和關閉時加載和保存系統隨機種子 systemd-random-seed.serviceLoad and save the system random seed at boot and shutdown在啟動和關閉時加載和保存系統隨機種子 systemd-rc-local-generatorCompatibility generator for starting /etc/rc.local and /usr/sbin/halt.local during boot and shutdown兼容性生成器啟動/etc/rc.本地和/usr/sbin/halt.本地啟動和關機期間 systemd-reboot.serviceSystem shutdown logic系統關機邏輯 systemd-remount-fsRemount root and kernel file systems重新掛載根和內核文件系統 systemd-remount-fs.serviceRemount root and kernel file systems重新掛載根和內核文件系統 systemd-resolvedNetwork Name Resolution manager網絡名稱解析管理器 systemd-resolved.serviceNetwork Name Resolution manager網絡名稱解析管理器 systemd-rfkillLoad and save the RF kill switch state at boot and change在啟動和更改時載入和保存RF殺死開關狀態 systemd-rfkill.serviceLoad and save the RF kill switch state at boot and change在啟動和更改時載入和保存RF殺死開關狀態 systemd-rfkill.socketLoad and save the RF kill switch state at boot and change在啟動和更改時載入和保存RF殺死開關狀態 systemd-runRun programs in transient scope units, service units, or path-, socket-, or timer-triggered service units在瞬態作用域單元、服務單元或路徑、套接字或定時器觸發的服務單元中運行程序 systemd-shutdownSystem shutdown logic系統關機邏輯 systemd-sleepSystem sleep state logic系統休眠狀態邏輯 systemd-sleep.confSuspend and hibernation configuration file暫停和休眠配置文件 systemd-socket-activateTest socket activation of daemons測試守護進程的套接字激活 systemd-socket-proxydBidirectionally proxy local sockets to another (possibly remote) socket.雙向代理本地套接字到另一個(可能是遠程)套接字。 systemd-suspend-then-hibernate.serviceSystem sleep state logic系統休眠狀態邏輯 systemd-suspend.serviceSystem sleep state logic系統休眠狀態邏輯 systemd-sysctlConfigure kernel parameters at boot在引導時配置內核參數 systemd-sysctl.serviceConfigure kernel parameters at boot在引導時配置內核參數 systemd-system-update-generatorGenerator for redirecting boot to offline update mode用于重定向引導到脫機更新模式的生成器 systemd-system.confSystem and session service manager configuration files系統和會話服務管理器配置文件 systemd-sysusersAllocate system users and groups分配系統用戶和組 systemd-sysusers.serviceAllocate system users and groups分配系統用戶和組 systemd-sysv-generatorUnit generator for SysV init scriptsSysV初始化腳本的單元生成器 systemd-timedatedTime and date bus mechanism時間和日期總線機制 systemd-timedated.serviceTime and date bus mechanism時間和日期總線機制 systemd-tmpfilesCreates, deletes and cleans up volatile and temporary files and directories創建、刪除和清理易失性和臨時文件和目錄 systemd-tmpfiles-clean.serviceCreates, deletes and cleans up volatile and temporary files and directories創建、刪除和清理易失性和臨時文件和目錄 systemd-tmpfiles-clean.timerCreates, deletes and cleans up volatile and temporary files and directories創建、刪除和清理易失性和臨時文件和目錄 systemd-tmpfiles-setup-dev.serviceCreates, deletes and cleans up volatile and temporary files and directories創建、刪除和清理易失性和臨時文件和目錄 systemd-tmpfiles-setup.serviceCreates, deletes and cleans up volatile and temporary files and directories創建、刪除和清理易失性和臨時文件和目錄 systemd-tty-ask-password-agentList or process pending systemd password requests列出或處理掛起的systemd密碼請求 systemd-udevdDevice event managing daemon設備事件管理守護進程 systemd-udevd-control.socketDevice event managing daemon設備事件管理守護進程 systemd-udevd-kernel.socketDevice event managing daemon設備事件管理守護進程 systemd-udevd.serviceDevice event managing daemon設備事件管理守護進程 systemd-umountEstablish and destroy transient mount or auto-mount points建立和銷毀臨時掛載點或自動掛載點 systemd-update-doneMark /etc and /var fully updated標記/etc和/var完全更新 systemd-update-done.serviceMark /etc and /var fully updated標記/etc和/var完全更新 systemd-update-utmpWrite audit and utmp updates at bootup, runlevel changes and shutdown在啟動、運行級更改和關閉時編寫審計和utmp更新 systemd-update-utmp-runlevel.serviceWrite audit and utmp updates at bootup, runlevel changes and shutdown在啟動、運行級更改和關閉時編寫審計和utmp更新 systemd-update-utmp.serviceWrite audit and utmp updates at bootup, runlevel changes and shutdown在啟動、運行級更改和關閉時編寫審計和utmp更新 systemd-user-sessionsPermit user logins after boot, prohibit user logins at shutdown允許用戶在開機后登錄,禁止用戶在關機時登錄 systemd-user-sessions.servicePermit user logins after boot, prohibit user logins at shutdown允許用戶在開機后登錄,禁止用戶在關機時登錄 systemd-user.confSystem and session service manager configuration files系統和會話服務管理器配置文件 systemd-vconsole-setupConfigure the virtual consoles配置虛擬控制臺 systemd-vconsole-setup.serviceConfigure the virtual consoles配置虛擬控制臺 systemd-veritysetupDisk integrity protection logic磁盤完整性保護邏輯 systemd-veritysetup-generatorUnit generator for integrity protected block devices用于完整性保護塊設備的單元發生器 systemd-veritysetup@.serviceDisk integrity protection logic磁盤完整性保護邏輯 systemd-volatile-rootMake the root file system volatile使根文件系統易變 systemd-volatile-root.serviceMake the root file system volatile使根文件系統易變 systemd.automountAutomount unit configuration加載單元配置 systemd.deviceDevice unit configuration設備單元配置 systemd.directivesIndex of configuration directives配置指令索引 systemd.dnssdDNS-SD configurationDNS-SD配置 systemd.environment-generatorsystemd environment file generatorsSystemd環境文件生成器 systemd.execExecution environment configuration執行環境配置 systemd.generatorsystemd unit generatorssystemd單位發電機 systemd.indexList all manpages from the systemd project列出systemd項目中的所有手冊頁 systemd.journal-fieldsSpecial journal fields特種日記帳字段 systemd.killProcess killing procedure configuration進程終止過程配置 systemd.linkNetwork device configuration網絡設備配置 systemd.mountMount unit configuration山單元配置 systemd.negativeDNSSEC trust anchor configuration filesDNSSEC信任錨配置文件 systemd.net-naming-schemeNetwork device naming schemes網絡設備命名方案 systemd.nspawnContainer settings容器設置 systemd.offline-updatesImplementation of offline updates in systemd在systemd中實現離線更新 systemd.pathPath unit configuration道路單元配置 systemd.positiveDNSSEC trust anchor configuration filesDNSSEC信任錨配置文件 systemd.presetService enablement presets服務支持預設 systemd.resource-controlResource control unit settings資源控制單元設置 systemd.scopeScope unit configuration單元配置范圍 systemd.serviceService unit configuration服務單位配置 systemd.sliceSlice unit configuration片單元配置 systemd.socketSocket unit configuration套接字單元配置 systemd.specialSpecial systemd units特殊systemd單位 systemd.swapSwap unit configuration交換單元的配置 systemd.syntaxGeneral syntax of systemd configuration filessystemd配置文件的通用語法 systemd.targetTarget unit configuration目標單位配置 systemd.timeTime and date specifications時間日期規格 systemd.timerTimer unit configuration定時器單元配置 systemd.unitUnit configuration單位配置 sysusers.dDeclarative allocation of system users and groups系統用戶和組的聲明式分配以t開頭的命令
tabsset tabs on a terminal設置終端的選項卡 tacconcatenate and print files in reverse反向連接和打印文件 tailoutput the last part of files輸出文件的最后一部分 tartar 5 tar 1焦油 5 焦油 1 tar~1an archiving utility一個歸檔工具 tar~5format of tape archive files磁帶歸檔文件的格式 tasksetset or retrieve a process’s CPU affinity設置或檢索進程的CPU關聯 tblformat tables for troff格式化troff表 tcsddaemon that manages Trusted Computing resources管理可信計算資源的守護進程 tcsd.confconfiguration file for the trousers TCS daemon.褲子TCS守護進程的配置文件。 teamdteam network device control daemon團隊網絡設備控制守護進程 teamd.conflibteam daemon configuration fileLibteam守護進程配置文件 teamdctlteam daemon control tool團隊守護程序控制工具 teamnlteam network device Netlink interface tool團隊網絡設備Netlink接口工具 teeread from standard input and write to standard output and files從標準輸入讀取并寫入標準輸出和文件 telinitChange SysV runlevel改變SysV運行級別 termterm 5 term 7第5項第7項 terminal-colors.dConfigure output colorization for various utilities為各種實用程序配置輸出著色 terminfoterminal capability data base終端能力數據庫 term~5format of compiled term file.已編譯術語文件的格式。 term~7conventions for naming terminal types命名終端類型的約定 testcheck file types and compare values檢查文件類型并比較值 thin_checkvalidates thin provisioning metadata on a device or file驗證設備或文件上的精簡配置元數據 thin_deltaPrint the differences in the mappings between two thin devices.打印兩個瘦設備之間映射的差異。 thin_dumpdump thin provisioning metadata from device or file to standard output.將精簡配置元數據從設備或文件轉儲到標準輸出。 thin_lsList thin volumes within a pool.列出池中的精簡卷。 thin_metadata_packpack thin provisioning binary metadata.打包精簡配置二進制元數據。 thin_metadata_sizethin provisioning metadata device/file size calculator.精簡配置元數據設備/文件大小計算器。 thin_metadata_unpackunpack thin provisioning binary metadata.解包精簡配置二進制元數據。 thin_repairrepair thin provisioning binary metadata.修復精簡配置二進制元數據。 thin_restorerestore thin provisioning metadata file to device or file.將元數據精簡配置文件恢復到設備或文件。 thin_rmapoutput reverse map of a thin provisioned region of blocks frommetadata device or file.從元數據設備或文件中輸出一個薄區域塊的反向映射。 thin_trimIssue discard requests for free pool space (offline tool).為空閑池空間發出丟棄請求(脫機工具)。 ticthe terminfo entry-description compiler結束入口描述編譯器 timetime functions for gawk時間為愚人服務 time.confconfiguration file for the pam_time modulepam_time模塊的配置文件 timedatectlControl the system time and date控制系統時間和日期 timeoutrun a command with a time limit運行有時間限制的命令 timesbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) tipca TIPC configuration and management toolTIPC配置管理工具 tipc-bearershow or modify TIPC bearers顯示或修改TIPC持有人 tipc-linkshow links or modify link properties顯示鏈接或修改鏈接屬性 tipc-medialist or modify media properties列出或修改媒體屬性 tipc-nametableshow TIPC nametable顯示TIPC nametable tipc-nodemodify and show local node parameters or list peer nodes修改和顯示本地節點參數或列出對等節點 tipc-peermodify peer information修改對等信息 tipc-socketshow TIPC socket (port) informationshow TIPC socket (port)信息 tloadgraphic representation of system load average系統平均負載的圖形表示 tmpfiles.dConfiguration for creation, deletion and cleaning of volatile and temporary files用于創建、刪除和清理易失文件和臨時文件的配置 toetable of (terminfo) entries(terminfo)條目表 topdisplay Linux processes顯示Linux進程 touchchange file timestamps更改文件的時間戳 tputinitialize a terminal or query terminfo database初始化終端或查詢terminfo數據庫 trtranslate or delete characters翻譯或刪除字符 tracepathtraces path to a network host discovering MTU along this path跟蹤到網絡主機的路徑,發現MTU沿著這條路徑 tracepath6traces path to a network host discovering MTU along this path跟蹤到網絡主機的路徑,發現MTU沿著這條路徑 trapbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) troffthe troff processor of the groff text formatting system格羅夫文本格式化系統的格羅夫處理器 truedo nothing, successfully什么也不做,成功 truncateshrink or extend the size of a file to the specified size將文件的大小收縮或擴展到指定的大小 trustTool for operating on the trust policy store用于操作信任策略存儲的工具 tsTime Stamping Authority tool (client/server)時間戳授權工具(客戶端/服務器) tsetterminal initialization終端初始化 tsortperform topological sort進行拓撲排序 ttyprint the file name of the terminal connected to standard input打印連接到標準輸入的終端的文件名 tune2fsadjust tunable filesystem parameters on ext2/ext3/ext4 filesystems調整ext2/ext3/ext4文件系統上的可調參數 tunedTuneD 8 tuned 8調諧 tuned-admcommand line tool for switching between different tuning profiles用于在不同調優配置文件之間切換的命令行工具 tuned-guigraphical interface for configuration of TuneD圖形界面的調優配置 tuned-main.confTuneD global configuration file優化的全局配置文件 tuned-profilesdescription of basic TuneD profiles基本調優配置文件的描述 tuned.confTuneD profile definition優化概要文件定義 tuned~8dynamic adaptive system tuning daemon動態自適應系統調優守護進程 turbostatReport processor frequency and idle statistics報告處理器頻率和空閑統計信息 typebash built-in commands, see bash(1)Bash內置命令,參見Bash (1) typesetbash built-in commands, see bash(1)Bash內置命令,參見Bash (1)以u開頭的命令
udevDynamic device management動態設備管理 udev.confConfiguration for device event managing daemon設備事件管理守護進程的配置 udevadmudev management tooludev管理工具 udisksDisk Manager磁盤管理器 udisks2.confThe udisks2 configuration fileudisks2配置文件 udisksctlThe udisks command line tooludisks命令行工具 udisksdThe udisks system daemonudisks系統守護進程 uldo underlining做強調 ulimitbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) umaskbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) umountunmount file systems卸載文件系統 umount.udisks2unmount file systems that have been mounted by UDisks2卸載UDisks2掛載的文件系統 unaliasbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) unameprint system information打印系統信息 uname26change reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 unbound-anchorUnbound anchor utility.釋放錨效用。 unexpandconvert spaces to tabs將空格轉換為制表符 unicode_startput keyboard and console in unicode mode將鍵盤和控制臺設置為unicode模式 unicode_stoprevert keyboard and console from unicode mode從unicode模式恢復鍵盤和控制臺 uniqreport or omit repeated lines報告或省略重復的行 unix_chkpwdHelper binary that verifies the password of the current user驗證當前用戶密碼的輔助二進制文件 unix_updateHelper binary that updates the password of a given user更新給定用戶密碼的助手二進制文件 unlinkcall the unlink function to remove the specified file調用unlink函數來刪除指定的文件 unlzmaunpigz-- unsetbash built-in commands, see bash(1)Bash內置命令,參見Bash (1) unsharerun program with some namespaces unshared from parent運行程序時使用一些不與父文件共享的命名空間 unsquashfstool to uncompress squashfs filesystems解壓squashfs文件系統的工具 unversioned-pythoninfo on how to set up the `python` command.關于如何設置' python '命令的信息。 unxzCompress or decompress .xz and .lzma files壓縮或解壓縮.xz和.lzma文件 update-alternativesmaintain symbolic links determining default commands維護確定默認命令的符號鏈接 update-ca-trustmanage consolidated and dynamic configuration of CA certificates and associated trust管理CA證書和關聯信任的統一和動態配置 update-cracklibRegenerate cracklib dictionary再生cracklib字典 update-crypto-policiesmanage the policies available to the various cryptographic back-ends.管理各種加密后端可用的策略。 update-mime-databasea program to build the Shared MIME-Info database cache建立共享MIME-Info數據庫緩存的程序 update-pciidsdownload new version of the PCI ID list下載新版本的PCI ID列表 uptimeTell how long the system has been running.說明系統已經運行了多長時間。 user.conf.dSystem and session service manager configuration files系統和會話服務管理器配置文件 user_capsuser-defined terminfo capabilities用戶定義terminfo功能 user_contextsThe SELinux user contexts configuration filesSELinux用戶上下文配置文件 useraddcreate a new user or update default new user information創建新用戶或更新默認新用戶信息 userdeldelete a user account and related files刪除用戶帳號和相關文件 usermodmodify a user account修改用戶帳號 usersprint the user names of users currently logged in to the current host打印當前主機上當前登錄用戶的用戶名 usleepsleep some number of microseconds睡眠數微秒 utmpdumpdump UTMP and WTMP files in raw formatdump UTMP和WTMP文件在原始格式 uuidgencreate a new UUID value創建一個新的UUID值 uuidparsean utility to parse unique identifiers一個用來解析唯一標識符的工具以v開頭的命令
vconsole.confConfiguration file for the virtual console虛擬控制臺的配置文件 vdirlist directory contents列出目錄的內容 vdpavdpa management toolvdpa管理工具 vdpa-devvdpa device configurationvdpa設備配置 vdpa-mgmtdevvdpa management device viewVdpa管理設備視圖 verifyUtility to verify certificates驗證證書的實用程序 versionprint OpenSSL version information打印OpenSSL版本信息 vgcfgbackupBackup volume group configuration(s)備份卷組配置 vgcfgrestoreRestore volume group configuration恢復卷組配置 vgchangeChange volume group attributes更改卷組屬性 vgckCheck the consistency of volume group(s)檢查卷組一致性 vgconvertChange volume group metadata format更改卷組元數據格式 vgcreateCreate a volume group創建卷組 vgdisplayDisplay volume group information顯示卷組信息 vgexportUnregister volume group(s) from the system從系統注銷卷組 vgextendAdd physical volumes to a volume group將物理卷添加到卷組 vgimportRegister exported volume group with system向系統注冊導出的卷組 vgimportcloneImport a VG from cloned PVs從克隆的pv導入VG vgimportdevicesAdd devices for a VG to the devices file.在設備文件中為VG添加設備。 vgmergeMerge volume groups合并卷組 vgmknodesCreate the special files for volume group devices in /dev在/dev中為卷組設備創建特殊文件 vgreduceRemove physical volume(s) from a volume group從卷組中移除物理卷 vgremoveRemove volume group(s)刪除卷組(s) vgrenameRename a volume group重命名卷組 vgsDisplay information about volume groups顯示卷組信息 vgscanSearch for all volume groups搜索所有卷組 vgsplitMove physical volumes into a new or existing volume group將物理卷移動到新的或現有的卷組中 viVi IMproved, a programmer’s text editor一個程序員的文本編輯器 viewVi IMproved, a programmer’s text editor一個程序員的文本編輯器 vigredit the password, group, shadow-password or shadow-group file編輯密碼、組、shadow-password或shadow-group文件 vimvim 1vim 1 vimdiffedit two, three or four versions of a file with Vim and show differences用Vim編輯一個文件的兩個、三個或四個版本,并顯示差異 vimrcVi IMproved, a programmer’s text editor一個程序員的文本編輯器 vimtutorthe Vim tutorVim導師 vimxVi IMproved, a programmer’s text editor一個程序員的文本編輯器 vim~1Vi IMproved, a programmer’s text editor一個程序員的文本編輯器 vipwedit the password, group, shadow-password or shadow-group file編輯密碼、組、shadow-password或shadow-group文件 vircVi IMproved, a programmer’s text editor一個程序員的文本編輯器 virt-whatdetect if we are running in a virtual machine檢測我們是否在虛擬機中運行 virtual_domain_contextThe SELinux virtual machine domain context configuration fileSELinux虛擬機域上下文配置文件 virtual_image_contextThe SELinux virtual machine image context configuration fileSELinux虛擬機映像上下文配置文件 visudoedit the sudoers file編輯sudoers文件 vlockVirtual Console lock program虛擬控制臺鎖定程序 vmcore-dmesgThis is just a placeholder until real man page has been written在編寫真正的手冊頁之前,這只是一個占位符 vmstatReport virtual memory statistics報告虛擬內存統計信息 vpddecodeVPD structure decoderVPD譯碼器結構以w開頭的命令
wShow who is logged on and what they are doing.顯示誰登錄了,他們正在做什么。 waitwait 1 wait 3am等待1等待凌晨3點 waitpidwait~1bash built-in commands, see bash(1)Bash內置命令,參見Bash (1) wait~3amwallwrite a message to all users給所有用戶寫一條消息 watchexecute a program periodically, showing output fullscreen定期執行一個程序,顯示全屏輸出 watchgnupgRead and print logs from a socket從套接字讀取和打印日志 wcprint newline, word, and byte counts for each file打印每個文件的換行、字和字節計數 wdctlshow hardware watchdog status顯示硬件看門狗狀態 whatisdisplay one-line manual page descriptions顯示單行的手冊頁面描述 whereislocate the binary, source, and manual page files for a command找到命令的二進制、源和手動頁文件 whichshows the full path of (shell) commands.顯示(shell)命令的完整路徑。 whiptaildisplay dialog boxes from shell scripts從shell腳本顯示對話框 whoshow who is logged on顯示誰登錄了 whoamiprint effective userid打印有效標識 wipefswipe a signature from a device從設備上刪除一個簽名 writesend a message to another user發送消息給另一個用戶 writea以x開頭的命令
x25519EVP_PKEY X25519 and X448 support支持EVP_PKEY X25519和X448 x448EVP_PKEY X25519 and X448 support支持EVP_PKEY X25519和X448 x509x509 7ssl x509 1sslX509 7ssl X509 1ssl x509v3_configX509 V3 certificate extension configuration formatX509 V3證書擴展配置格式 x509~1sslCertificate display and signing utility證書顯示和簽名實用程序 x509~7sslX.509 certificate handling證書處理 x86_64change reported architecture in new program environment and set personality flags在新的程序環境中更改報告的架構并設置個性標志 x86_energy_perf_policyManage Energy vs. Performance Policy via x86 Model Specific Registers通過x86模型特定寄存器管理能源與性能策略 x_contextsuserspace SELinux labeling interface and configuration file format for the X Window System contexts backend. This backend is also used to determine the default context for labeling remotely connected X clients用戶空間SELinux標簽界面和配置文件格式的X窗口系統上下文后端。這個后端還用于確定標識遠程連接的X客戶端的默認上下文 xargsbuild and execute command lines from standard input從標準輸入構建和執行命令行 xfslayout, mount options, and supported file attributes for the XFS filesystemXFS文件系統的布局、掛載選項和支持的文件屬性 xfs_adminchange parameters of an XFS filesystem修改XFS文件系統參數 xfs_bmapprint block mapping for an XFS file打印XFS文件的塊映射 xfs_copycopy the contents of an XFS filesystem復制XFS文件系統的內容 xfs_dbdebug an XFS filesystem調試XFS文件系統 xfs_estimateestimate the space that an XFS filesystem will take估計XFS文件系統將占用的空間 xfs_freezesuspend access to an XFS filesystem暫停對XFS文件系統的訪問 xfs_fsrfilesystem reorganizer for XFSXFS的文件系統重組器 xfs_growfsexpand an XFS filesystem擴展XFS文件系統 xfs_infodisplay XFS filesystem geometry information顯示XFS文件系統幾何信息 xfs_iodebug the I/O path of an XFS filesystem調試XFS文件系統的I/O路徑 xfs_logprintprint the log of an XFS filesystem打印XFS文件系統的日志 xfs_mdrestorerestores an XFS metadump image to a filesystem image將XFS元adump映像還原為文件系統映像 xfs_metadumpcopy XFS filesystem metadata to a file將XFS文件系統元數據復制到一個文件中 xfs_mkfilecreate an XFS file創建一個XFS文件 xfs_ncheckgenerate pathnames from i-numbers for XFS從i-numbers為XFS生成路徑名 xfs_quotamanage use of quota on XFS filesystems管理XFS文件系統的配額使用 xfs_repairrepair an XFS filesystem修復XFS文件系統 xfs_rtcpXFS realtime copy commandXFS實時拷貝命令 xfs_spacemanshow free space information about an XFS filesystem顯示XFS文件系統的空閑空間信息 xgettextextract gettext strings from source從源代碼中提取gettext字符串 xkeyboard-configXKB data description filesXKB數據描述文件 xmlcatalogCommand line tool to parse and manipulate XML or SGML catalog files.解析和操作XML或SGML目錄文件的命令行工具。 xmllintcommand line XML tool命令行XML工具 xmlsec1sign, verify, encrypt and decrypt XML documents簽名、驗證、加密和解密XML文檔 xmlwfDetermines if an XML document is well-formed確定XML文檔是否格式良好 xsltproccommand line XSLT processor命令行XSLT處理器 xtables-monitorshow changes to rule set and trace-events顯示對規則集和跟蹤事件的更改 xtables-nftiptables using nftables kernel apiIptables使用nftables內核API xtables-translatetranslation tool to migrate from iptables to nftables從iptables遷移到nftables的翻譯工具 xxdmake a hexdump or do the reverse.做一個六方轉儲或者做相反的操作。 xzCompress or decompress .xz and .lzma files壓縮或解壓縮.xz和.lzma文件 xzcatCompress or decompress .xz and .lzma files壓縮或解壓縮.xz和.lzma文件 xzcmpcompare compressed files比較壓縮文件 xzdecSmall .xz and .lzma decompressors小型。xz和。lzma減壓器 xzdiffcompare compressed files比較壓縮文件 xzegrepsearch compressed files for a regular expression在壓縮文件中搜索正則表達式 xzfgrepsearch compressed files for a regular expression在壓縮文件中搜索正則表達式 xzgrepsearch compressed files for a regular expression在壓縮文件中搜索正則表達式 xzlessview xz or lzma compressed (text) files查看xz或lzma壓縮(文本)文件 xzmoreview xz or lzma compressed (text) files查看xz或lzma壓縮(文本)文件以y開頭的命令
yesoutput a string repeatedly until killed重復輸出字符串直到終止 ypdomainnameshow or set the system’s NIS/YP domain nameshow或設置系統的NIS/YP域名 yumredirecting to DNF Command Reference重定向到DNF命令參考 yum-aliasesredirecting to DNF Command Reference重定向到DNF命令參考 yum-changelogredirecting to DNF changelog Plugin重定向到DNF changelog插件 yum-coprredirecting to DNF copr Plugin重定向到DNF copr插件 yum-shellredirecting to DNF Command Reference重定向到DNF命令參考 yum.confredirecting to DNF Configuration Reference重定向到DNF配置參考 yum2dnfChanges in DNF compared to YUM與YUM相比,DNF的變化以z開頭的命令
zcatcompress or expand files壓縮或擴展文件 zcmpcompare compressed files比較壓縮文件 zdiffcompare compressed files比較壓縮文件 zforceforce a ’.力”。 zgrepsearch possibly compressed files for a regular expression在可能壓縮的文件中搜索正則表達式 zlessfile perusal filter for crt viewing of compressed text文件閱讀過濾器CRT查看壓縮文本 zmorefile perusal filter for crt viewing of compressed text文件閱讀過濾器CRT查看壓縮文本 znewrecompress .Z files to .將. z文件重新壓縮為。 zramctlset up and control zram devices設置和控制zram設備 zsoeliminterpret .so requests in groff input解釋groff輸入中的請求收獲
比較令我驚奇的是,“.” 也是一個命令。當然,還有“:”也是命令。
畢竟是機器翻譯,準確性不敢茍同。不過,能看懂,就好!
總結
以上是生活随笔為你收集整理的【原创】调用有道翻译Api翻译Linux命令accessdb输出内容的全部內容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: ffmpeg 推流MP4文件,采用rtm
- 下一篇: QT 透明 半透明 效果