【原创】调用有道翻译Api翻译Linux命令accessdb输出内容

27 篇文章 1 订阅
14 篇文章 0 订阅

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)

NAME
       accessdb - dumps the content of a man-db database in a human readable for‐
       mat

SYNOPSIS
       /usr/sbin/accessdb [-d?V] [<index-file>]

DESCRIPTION
       accessdb will output the data contained within  a  man-db  database  in  a
       human   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, --debug
              Print debugging information.

       -?, --help
              Print a help message and exit.

       --usage
              Print a short usage message and exit.

       -V, --version
              Display version information.

AUTHOR
       Wilf. (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 ,来自于创建的应用。

			string q = "待输入的文字";
            string appKey = "您的应用ID";
            string 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文件中添加如下代码:

using ConsoleApp10;
using System.Text;

var output = new StringBuilder();
YouDaoFanyiV3 youDaoFanyiV3 = new YouDaoFanyiV3();

var data = File.ReadAllLines("E:\\accessdb.txt").ToList();
data.Sort(StringComparer.Ordinal);

char firstChar = 'z';
foreach (var item in data)
{
    if (firstChar != item[0])
    {
        firstChar = item[0];
        output.AppendLine("```");
        output.AppendLine("## 以" + firstChar + "开头的命令");
        output.AppendLine("```bash");
    }
    var lines = item.Split("->");
    var command = lines[0].Trim();
    output.AppendLine(command);

    var descript = "";
    try
    {
        descript = lines[1].Trim().Split("gz")[1].Trim().Trim('\"').Trim();
    }
    catch
    {
        descript = lines[1].Trim().Trim('\"').Trim(); 
    }
    if (descript == "")
    {
        output.AppendLine();
        continue;
    }

    output.Append("\t");
    output.AppendLine(descript.Replace("'","’"));
    output.Append("\t");

    Console.WriteLine(command);

    var trans = youDaoFanyiV3.Trans(descript);
    output.AppendLine(trans.translation[0]);

    Console.WriteLine("\t" + trans.translation[0]);
}

output.AppendLine("```");
File.WriteAllText("E:\\accessdb_ok.txt", output.ToString());

编译运行,执行完毕后,得到accessdb_ok.txt文件。文件内容如下:

翻译后的accessdb输出内容

以$开头的命令

$version$
	2.5.0
	2.5.0

以.开头的命令

.
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
.k5identity
	Kerberos V5 client principal selection rules
	Kerberos V5客户机主体选择规则
.k5login
	Kerberos V5 acl file for host access
	用于主机访问的Kerberos V5 acl文件
.ldaprc

以/开头的命令

/etc/anacrontab

以3开头的命令

30-systemd-environment-d-generator
	Load variables specified by environment.d
	由environment.d指定的加载变量

以:开头的命令

:
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)

以G开头的命令

GnuPG~7

以P开头的命令

PAM~8
	Pluggable Authentication Modules for Linux
	Linux可插拔认证模块

以R开头的命令

RAND~7ssl
	the OpenSSL random generator
	OpenSSL随机生成器
RDMA-NDD~8

以S开头的命令

SELinux~8

以T开头的命令

TuneD~8

以[开头的命令

[
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)

以a开头的命令

access.conf
	the login access control table file
	登录访问控制表文件
accessdb
	dumps the content of a man-db database in a human readable format
	以人类可读的格式转储man-db数据库的内容
acl
	Access Control Lists
	访问控制列表
addgnupghome
	Create .gnupg home directories
	创建.gnupg主目录
addpart
	tell the kernel about the existence of a partition
	告诉内核分区的存在
adduser
	create a new user or update default new user information
	创建新用户或更新默认新用户信息
agetty
	alternative Linux getty
	选择Linux盖蒂
alias
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
alternatives
	maintain symbolic links determining default commands
	维护确定默认命令的符号链接
anacron
	runs commands periodically
	定期运行命令
anacrontab
	configuration file for Anacron
	Anacron配置文件
applygnupgdefaults
	Run gpgconf - apply-defaults for all users.
	对所有用户执行gpgconf - apply-defaults命令。
apropos
	search the manual page names and descriptions
	搜索手册页面名称和描述
arch
	print machine hardware name (same as uname -m)
	打印机器硬件名称(与uname -m相同)
arpd
	userspace arp daemon.
	用户空间arp守护进程。
arping
	send ARP REQUEST to a neighbour host
	向邻居主机发送ARP请求
asn1parse
	ASN.1 parsing tool
	asn . 1解析工具
audit-plugins

audit.rules
	a set of rules loaded in the kernel audit system
	加载在内核审计系统中的一组规则
audit2allow
	generate SELinux policy allow/dontaudit rules from logs of denied operations
	从被拒绝的操作日志中生成SELinux policy allow/dontaudit规则
audit2why
	generate SELinux policy allow/dontaudit rules from logs of denied operations
	从被拒绝的操作日志中生成SELinux policy allow/dontaudit规则
auditctl
	a utility to assist controlling the kernel’s audit system
	一个帮助控制内核审计系统的工具
auditd
	The Linux Audit daemon
	Linux Audit守护进程
auditd-plugins
	realtime event receivers
	实时事件接收者
auditd.conf
	audit daemon configuration file
	审计守护进程配置文件
augenrules
	a script that merges component audit rule files
	合并组件审计规则文件的脚本
aulast
	a program similar to last
	类似于最后的程序
aulastlog
	a program similar to lastlog
	类似于lastlog的程序
aureport
	a tool that produces summary reports of audit daemon logs
	生成审计守护进程日志摘要报告的工具
ausearch
	a tool to query audit daemon logs
	用于查询审计守护进程日志的工具
ausearch-expression
	audit search expression format
	审计搜索表达式格式
ausyscall
	a program that allows mapping syscall names and numbers
	一个允许映射系统调用名和号码的程序
authselect
	select system identity and authentication sources.
	选择系统标识和认证源。
authselect-migration
	A guide how to migrate from authconfig to authselect.
	如何从authconfig迁移到authselect的指南。
authselect-profiles
	how to extend authselect profiles.
	如何扩展authselect配置文件。
autrace
	a program similar to strace
	类似于strace的程序
auvirt
	a program that shows data related to virtual machines
	显示与虚拟机有关的数据的程序
avcstat
	Display SELinux AVC statistics
	显示SELinux AVC统计信息
awk
	pattern scanning and processing language
	模式扫描和处理语言

以b开头的命令

b2sum
	compute and check BLAKE2 message digest
	计算并检查BLAKE2消息摘要
badblocks
	search a device for bad blocks
	在设备中查找坏块
base32
	base32 encode/decode data and print to standard output
	Base32编码/解码数据并打印到标准输出
base64
	base64 encode/decode data and print to standard output
	Base64编码/解码数据并打印到标准输出
basename
	strip directory and suffix from filenames
	从文件名中去掉目录和后缀
bash
	GNU Bourne-Again SHell
	GNU Bourne-Again壳
bashbug
	report a bug in bash
	在bash中报告bug
bashbug-64
	report a bug in bash
	在bash中报告bug
bg
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
bind
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
binfmt.d
	Configure additional binary formats for executables at boot
	在引导时为可执行文件配置额外的二进制格式
bio
	Basic I/O abstraction
	基本的I / O的抽象
biosdecode
	BIOS information decoder
	BIOS信息译码器
biosdevname
	give BIOS-given name of a device
	give bios指定的设备名称
blkdeactivate
	utility to deactivate block devices
	实用程序去激活块设备
blkdiscard
	discard sectors on a device
	丢弃设备上的扇区
blkid
	locate/print block device attributes
	定位/打印块设备属性
blkzone
	run zone command on a device
	在设备上执行zone命令
blockdev
	call block device ioctls from the command line
	从命令行调用块设备ioctls
bond2team
	Converts bonding configuration to team
	将绑定配置转换为团队
booleans
	booleans 5 booleans 8
	布尔值5,布尔值8
booleans~5
	The SELinux booleans configuration files
	SELinux布尔值配置文件
booleans~8
	Policy booleans enable runtime customization of SELinux policy
	策略布尔值启用SELinux策略的运行时自定义
bootctl
	Control the firmware and boot manager settings
	控制固件和启动管理器设置
bootup
	System bootup process
	系统启动过程
break
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
bridge
	show / manipulate bridge addresses and devices
	显示/操作网桥地址和设备
builtin
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
builtins
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
busctl
	Introspect the bus
	反思公共汽车
bwrap
	container setup utility
	容器设置实用程序

以c开头的命令

c_rehash

ca
	sample minimal CA application
	样本最小CA应用
ca-legacy
	Manage the system configuration for legacy CA certificates
	管理旧CA证书的系统配置
cache_check
	validates cache metadata on a device or file.
	验证设备或文件上的缓存元数据。
cache_dump
	dump cache metadata from device or file to standard output.
	将缓存元数据从设备或文件转储到标准输出。
cache_metadata_size
	Estimate the size of the metadata device needed for a given configuration.
	估计给定配置所需的元数据设备的大小。
cache_repair
	repair cache binary metadata from device/file to device/file.
	修复设备/文件到设备/文件的缓存二进制元数据。
cache_restore
	restore cache metadata file to device or file.
	将缓存元数据文件恢复到设备或文件。
cache_writeback
	writeback dirty blocks to the origin device.
	回写脏块到原始设备。
cal
	display a calendar
	显示一个日历
caller
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
capsh
	capability shell wrapper
	能力壳包装
captoinfo
	convert a termcap description into a terminfo description
	将一个termcap描述转换为一个terminfo描述
cat
	concatenate files and print on the standard output
	连接文件并在标准输出上打印
catman
	create or update the pre-formatted manual pages
	创建或更新预格式化的手册页
cd
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
cert8.db
	Legacy NSS certificate database
	遗留的NSS证书数据库
cert9.db
	NSS certificate database
	NSS证书数据库
cfdisk
	display or manipulate a disk partition table
	显示或操作磁盘分区表
cgdisk
	Curses-based GUID partition table (GPT) manipulator
	基于诅咒的GUID分区表(GPT)操纵符
chacl
	change the access control list of a file or directory
	修改文件或目录的访问控制列表
chage
	change user password expiry information
	修改用户密码过期信息
chattr
	change file attributes on a Linux file system
	在Linux文件系统上修改文件属性
chcat
	change file SELinux security category
	更改文件SELinux安全类别
chcon
	change file SELinux security context
	更改文件SELinux安全上下文
chcpu
	configure CPUs
	cpu配置
checkmodule
	SELinux policy module compiler
	SELinux策略模块编译器
checkpolicy
	SELinux policy compiler
	SELinux策略编译器
chgpasswd
	update group passwords in batch mode
	批量更新组密码
chgrp
	change group ownership
	改变组所有权
chkconfig
	updates and queries runlevel information for system services
	更新和查询系统服务的运行级别信息
chmem
	configure memory
	配置内存
chmod
	change file mode bits
	改变文件模式位
chown
	change file owner and group
	更改文件所有者和组
chpasswd
	update passwords in batch mode
	批量更新密码
chroot
	run command or interactive shell with special root directory
	在特殊的根目录下运行命令或交互式shell
chrt
	manipulate the real-time attributes of a process
	操作流程的实时属性
chvt
	change foreground virtual terminal
	改变前台虚拟终端
ciphers
	SSL cipher display and cipher list tool
	SSL密码显示和密码列表工具
cksum
	checksum and count the bytes in a file
	校验和计算文件中的字节数
clear
	clear the terminal screen
	清除终端屏幕
clock
	time clocks utility
	时钟时间效用
clockdiff
	measure clock difference between hosts
	测量主机之间的时钟差异
cmp
	compare two files byte by byte
	逐字节比较两个文件
cms
	CMS utility
	CMS工具
col
	filter reverse line feeds from input
	从输入中过滤反馈线
colcrt
	filter nroff output for CRT previewing
	滤镜nroff输出用于CRT预览
colrm
	remove columns from a file
	从文件中删除列
column
	columnate lists
	columnate列表
comm
	compare two sorted files line by line
	逐行比较两个已排序的文件
command
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
compgen
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
complete
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
compopt
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
config
	config 5ssl config 5
	配置5ssl配置5 .单击“确定”
config-util
	Common PAM configuration file for configuration utilities
	用于配置实用程序的公共PAM配置文件
config~5

config~5ssl
	OpenSSL CONF library configuration files
	OpenSSL CONF库配置文件
console.apps
	specify console-accessible privileged applications
	指定控制台可访问的特权应用程序
console.handlers
	file specifying handlers of console lock and unlock events
	指定控制台锁定和解锁事件处理程序的文件
console.perms
	permissions control file for users at the system console
	在系统控制台为用户提供权限控制文件
consoletype
	print type of the console connected to standard input
	控制台连接到标准输入的打印类型
continue
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
coredump.conf
	Core dump storage configuration files
	核心转储存储配置文件
coredump.conf.d
	Core dump storage configuration files
	核心转储存储配置文件
coredumpctl
	Retrieve and process saved core dumps and metadata
	检索和处理保存的核心转储文件和元数据
cp
	copy files and directories
	复制文件和目录
cpio
	cpio 5 cpio 1
	cpio 5 cpio 1
cpio~1
	copy files to and from archives
	将文件复制到存档中或从存档中复制
cpio~5
	format of cpio archive files
	cpio归档文件的格式
cpupower
	Shows and sets processor power related values
	显示和设置处理器功率相关值
cpupower-frequency-info
	Utility to retrieve cpufreq kernel information
	检索cpufreq内核信息的实用程序
cpupower-frequency-set
	A small tool which allows to modify cpufreq settings.
	一个允许修改cpufreq设置的小工具。
cpupower-idle-info
	Utility to retrieve cpu idle kernel information
	检索cpu空闲内核信息的实用程序
cpupower-idle-set
	Utility to set cpu idle state specific kernel options
	实用程序设置cpu空闲状态特定的内核选项
cpupower-info
	Shows processor power related kernel or hardware configurations
	显示与处理器功率相关的内核或硬件配置
cpupower-monitor
	Report processor frequency and idle statistics
	报告处理器频率和空闲统计信息
cpupower-set
	Set processor power related kernel or hardware configurations
	设置与处理器功率相关的内核或硬件配置
cracklib-check
	Check passwords using libcrack2
	使用libcrack2检查密码
cracklib-format
	cracklib dictionary utilities
	cracklib词典工具
cracklib-packer
	cracklib dictionary utilities
	cracklib词典工具
cracklib-unpacker
	cracklib dictionary utilities
	cracklib词典工具
create-cracklib-dict
	Check passwords using libcrack2
	使用libcrack2检查密码
crl
	CRL utility
	CRL效用
crl2pkcs7
	Create a PKCS#7 structure from a CRL and certificates
	从CRL和证书创建PKCS#7结构
cron
	daemon to execute scheduled commands
	执行预定命令的守护进程
crond
	daemon to execute scheduled commands
	执行预定命令的守护进程
cronnext
	time of next job cron will execute
	下一个任务cron执行的时间
crontab
	crontab 5 crontab 1
	Crontab 5
crontabs
	configuration and scripts for running periodical jobs
	用于运行定期作业的配置和脚本
crontab~1
	maintains crontab files for individual users
	为个别用户维护crontab文件
crontab~5
	files used to schedule the execution of programs
	用来安排程序执行的文件
crypt
	storage format for hashed passphrases and available hashing methods
	散列密码和可用的散列方法的存储格式
crypto
	OpenSSL cryptographic library
	OpenSSL加密库
crypto-policies
	system-wide crypto policies overview
	系统范围加密策略概述
crypttab
	Configuration for encrypted block devices
	加密块设备的配置
csplit
	split a file into sections determined by context lines
	根据上下文行将文件分割成若干节
ct
	Certificate Transparency
	证书的透明度
ctrlaltdel
	set the function of the Ctrl-Alt-Del combination
	设置Ctrl-Alt-Del组合功能
ctstat
	unified linux network statistics
	Linux统一网络统计
curl
	transfer a URL
	转让一个URL
customizable_types
	The SELinux customizable types configuration file
	SELinux可定制类型配置文件
cut
	remove sections from each line of files
	从文件的每一行中删除部分
cvtsudoers
	convert between sudoers file formats
	在sudoers文件格式之间转换

以d开头的命令

daemon
	Writing and packaging system daemons
	编写和打包系统守护进程
date
	print or set the system date and time
	打印或设置系统日期和时间
db_archive
	Find unused log files for archival
	找到未使用的日志文件进行归档
db_checkpoint
	Periodically checkpoint transactions
	周期性的检查点的事务
db_deadlock
	Detect deadlocks and abort lock requests
	检测死锁和中止锁请求
db_dump
	Write database file using flat-text format
	用平面文本格式编写数据库文件
db_dump185
	Write database file using flat-text format
	用平面文本格式编写数据库文件
db_hotbackup
	Create "hot backup" or "hot failover" snapshots
	创建“热备”或“热倒换”快照
db_load
	Read and load data from standard input
	从标准输入读取和加载数据
db_log_verify
	Verify log files of a database environment
	检查数据库环境的日志文件
db_printlog
	Dumps log files into a human-readable format
	将日志文件转储为人类可读的格式
db_recover
	Recover the database to a consistent state
	将数据库恢复到一致状态
db_replicate
	Provide replication services
	提供复制服务
db_stat
	Display environment statistics
	显示环境统计数据
db_tuner
	analyze and tune btree database
	分析和调优btree数据库
db_upgrade
	Upgrade files and databases to the current release version.
	将文件和数据库升级到当前版本。
db_verify
	Verify the database structure
	验证数据库结构
dbus-binding-tool
	C language GLib bindings generation utility.
	C语言生成GLib绑定工具。
dbus-cleanup-sockets
	clean up leftover sockets in a directory
	清理目录中剩余的套接字
dbus-daemon
	Message bus daemon
	消息总线守护进程
dbus-monitor
	debug probe to print message bus messages
	调试用于打印消息总线消息的探测
dbus-run-session
	start a process as a new D-Bus session
	启动一个进程作为一个新的D-Bus会话
dbus-send
	Send a message to a message bus
	将消息发送到消息总线
dbus-test-tool
	D-Bus traffic generator and test tool
	D-Bus交通发生器和测试工具
dbus-update-activation-environment
	update environment used for D-Bus session services
	用于D-Bus会话服务的更新环境
dbus-uuidgen
	Utility to generate UUIDs
	生成uuid的实用工具
dbxtool
	dbxtool
	dbxtool
dcb
	show / manipulate DCB (Data Center Bridging) settings
	显示/操作DCB(数据中心桥接)设置
dcb-app
	show / manipulate application priority table of the DCB (Data Center Bridging) subsystem
	显示/操作DCB(数据中心桥接)子系统的应用程序优先级表
dcb-buffer
	show / manipulate port buffer settings of the DCB (Data Center Bridging) subsystem
	显示/操作DCB(数据中心桥接)子系统的端口缓冲区设置
dcb-dcbx
	show / manipulate port DCBX (Data Center Bridging eXchange)
	数据中心桥接交换
dcb-ets
	show / manipulate ETS (Enhanced Transmission Selection) settings of the DCB (Data Center Bridging) subsystem
	显示/操作DCB(数据中心桥接)子系统的ETS(增强传输选择)设置
dcb-maxrate
	show / manipulate port maxrate settings of the DCB (Data Center Bridging) subsystem
	显示/操纵DCB(数据中心桥接)子系统的端口最大速率设置
dcb-pfc
	show / manipulate PFC (Priority-based Flow Control) settings of the DCB (Data Center Bridging) subsystem
	显示/操纵DCB(数据中心桥接)子系统的PFC(基于优先级的流量控制)设置
dd
	convert and copy a file
	转换和复制一个文件
deallocvt
	deallocate unused virtual consoles
	释放未使用的虚拟控制台
debugfs
	ext2/ext3/ext4 file system debugger
	Ext2 /ext3/ext4文件系统调试器
debuginfod-find
	request debuginfo-related data
	请求debuginfo-related数据
declare
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
default_contexts
	The SELinux default contexts configuration file
	SELinux默认上下文配置文件
default_type
	The SELinux default type configuration file
	SELinux默认类型配置文件
delpart
	tell the kernel to forget about a partition
	告诉内核忘记分区
depmod
	Generate modules.dep and map files.
	生成modules.dep和map文件。
depmod.d
	Configuration directory for depmod
	depmod的配置目录
des_modes
	the variants of DES and other crypto algorithms of OpenSSL
	DES的变体和OpenSSL的其他加密算法
devlink
	Devlink tool
	开发链接工具
devlink-dev
	devlink device configuration
	devlink设备配置
devlink-dpipe
	devlink dataplane pipeline visualization
	Devlink数据平面管线可视化
devlink-health
	devlink health reporting and recovery
	Devlink运行状况报告和恢复
devlink-monitor
	state monitoring
	状态监测
devlink-port
	devlink port configuration
	devlink端口配置
devlink-region
	devlink address region access
	Devlink地址区域访问
devlink-resource
	devlink device resource configuration
	Devlink设备资源配置
devlink-sb
	devlink shared buffer configuration
	Devlink共享缓冲区配置
devlink-trap
	devlink trap configuration
	devlink陷阱配置
df
	report file system disk space usage
	报告文件系统磁盘空间使用情况
dfu-tool
	dfu-tool
	dfu-tool
dgst
	perform digest operations
	执行消化操作
dhparam
	DH parameter manipulation and generation
	DH参数的操作和生成
diff
	compare files line by line
	逐行比较文件
diff3
	compare three files line by line
	逐行比较三个文件
dir
	list directory contents
	列出目录的内容
dircolors
	color setup for ls
	ls的颜色设置
dirmngr
	CRL and OCSP daemon
	CRL和OCSP守护进程
dirmngr-client
	Tool to access the Dirmngr services
	访问Dirmngr服务的工具
dirname
	strip last component from file name
	从文件名中去掉最后一个组件
dirs
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
disown
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
dmesg
	print or control the kernel ring buffer
	打印或控制内核环缓冲区
dmeventd
	Device-mapper event daemon
	名为事件守护进程
dmfilemapd
	device-mapper filemap monitoring daemon
	设备映射程序文件映射监视守护进程
dmidecode
	DMI table decoder
	DMI表译码器
dmsetup
	low level logical volume management
	低级逻辑卷管理
dmstats
	device-mapper statistics management
	名为统计管理
dnf
	DNF Command Reference
	DNF命令参考
dnf-builddep
	DNF builddep Plugin
	DNF builddep插件
dnf-changelog
	DNF changelog Plugin
	DNF的更新日志插件
dnf-config-manager
	DNF config-manager Plugin
	DNF配置经理插件
dnf-copr
	DNF copr Plugin
	DNF copr插件
dnf-debug
	DNF debug Plugin
	DNF调试插件
dnf-debuginfo-install
	DNF debuginfo-install Plugin
	DNF debuginfo-install插件
dnf-download
	DNF download Plugin
	DNF下载插件
dnf-generate_completion_cache
	DNF generate_completion_cache Plugin
	DNF generate_completion_cache插件
dnf-groups-manager
	DNF groups-manager Plugin
	DNF groups-manager插件
dnf-needs-restarting
	DNF needs_restarting Plugin
	DNF needs_restarting插件
dnf-repoclosure
	DNF repoclosure Plugin
	DNF repoclosure插件
dnf-repodiff
	DNF repodiff Plugin
	DNF repodiff插件
dnf-repograph
	DNF repograph Plugin
	DNF repograph插件
dnf-repomanage
	DNF repomanage Plugin
	DNF repomanage插件
dnf-reposync
	DNF reposync Plugin
	DNF reposync插件
dnf-transaction-json
	DNF Stored Transaction JSON
	DNF存储事务JSON
dnf.conf
	DNF Configuration Reference
	DNF配置参考
dnf.modularity
	Modularity in DNF
	模块化的DNF
dnsdomainname
	show the system’s DNS domain name
	显示系统的DNS域名
dnssec-trust-anchors.d
	DNSSEC trust anchor configuration files
	DNSSEC信任锚配置文件
domainname
	show or set the system’s NIS/YP domain name
	show或设置系统的NIS/YP域名
dosfsck
	check and repair MS-DOS filesystems
	检查和修复MS-DOS文件系统
dosfslabel
	set or get MS-DOS filesystem label
	设置或获得MS-DOS文件系统标签
dracut
	low-level tool for generating an initramfs/initrd image
	用于生成initramfs/initrd镜像的低级工具
dracut-cmdline.service
	runs the dracut hooks to parse the kernel command line
	运行dracut钩子来解析内核命令行
dracut-initqueue.service
	runs the dracut main loop to find the real root
	运行dracut主循环以找到真正的根目录
dracut-mount.service
	runs the dracut hooks after /sysroot is mounted
	在安装/sysroot之后运行dracut钩子
dracut-pre-mount.service
	runs the dracut hooks before /sysroot is mounted
	在安装/sysroot之前运行dracut钩子
dracut-pre-pivot.service
	runs the dracut hooks before switching root
	在切换根之前运行dracut钩子
dracut-pre-trigger.service
	runs the dracut hooks before udevd is triggered
	在udevd被触发之前运行dracut钩子
dracut-pre-udev.service
	runs the dracut hooks before udevd is started
	在启动udevd之前运行dracut钩子
dracut-shutdown.service
	unpack the initramfs to /run/initramfs
	将initramfs解压到/run/initramfs目录下
dracut.bootup
	boot ordering in the initramfs
	initramfs中的引导顺序
dracut.cmdline
	dracut kernel command line options
	德古特内核命令行选项
dracut.conf
	configuration file(s) for dracut
	dracut的配置文件
dracut.kernel
	dracut kernel command line options
	德古特内核命令行选项
dracut.modules
	dracut modules
	dracut模块
dsa
	DSA key processing
	DSA密钥处理
dsaparam
	DSA parameter manipulation and generation
	DSA参数的操作和生成
du
	estimate file space usage
	估计文件空间使用情况
dumpe2fs
	dump ext2/ext3/ext4 filesystem information
	Dump ext2/ext3/ext4文件系统信息
dumpkeys
	dump keyboard translation tables
	转储键盘翻译表

以e开头的命令

e2freefrag
	report free space fragmentation information
	报告空闲空间碎片信息
e2fsck
	check a Linux ext2/ext3/ext4 file system
	检查Linux的ext2/ext3/ext4文件系统
e2fsck.conf
	Configuration file for e2fsck
	e2fsck的配置文件
e2image
	Save critical ext2/ext3/ext4 filesystem metadata to a file
	将重要的ext2/ext3/ext4文件系统元数据保存到一个文件中
e2label
	Change the label on an ext2/ext3/ext4 filesystem
	修改ext2/ext3/ext4文件系统的标签
e2mmpstatus
	Check MMP status of an ext4 filesystem
	检查ext4文件系统的MMP状态
e2undo
	Replay an undo log for an ext2/ext3/ext4 filesystem
	重放ext2/ext3/ext4文件系统的undo日志
e4crypt
	ext4 filesystem encryption utility
	Ext4文件系统加密实用程序
e4defrag
	online defragmenter for ext4 filesystem
	ext4文件系统的联机碎片整理程序
ebtables
	Ethernet bridge frame table administration (nft-based)
	以太网桥帧表管理(基于nfs)
ebtables-nft
	Ethernet bridge frame table administration (nft-based)
	以太网桥帧表管理(基于nfs)
ec
	EC key processing
	电子商务关键处理
echo
	display a line of text
	显示一行文本
ecparam
	EC parameter manipulation and generation
	EC参数的操作和生成
ed25519
	EVP_PKEY Ed25519 and Ed448 support
	支持EVP_PKEY Ed25519和Ed448
ed448
	EVP_PKEY Ed25519 and Ed448 support
	支持EVP_PKEY Ed25519和Ed448
editrc
	configuration file for editline library
	编辑行库的配置文件
efibootdump
	dump a boot entries from a variable or a file
	从变量或文件中转储引导项
efibootmgr
	manipulate the UEFI Boot Manager
	操作UEFI启动管理器
egrep
	print lines matching a pattern
	打印匹配图案的行
eject
	eject removable media
	把可移动媒体
enable
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
enc
	symmetric cipher routines
	对称密码的例程
engine
	load and query engines
	加载和查询引擎
env
	run a program in a modified environment
	在修改过的环境中运行程序
environment
	the environment variables config files
	环境变量配置文件
environment.d
	Definition of user session environment
	用户会话环境的定义
envsubst
	substitutes environment variables in shell format strings
	替换shell格式字符串中的环境变量
eqn
	format equations for troff or MathML
	格式方程的troff或MathML
era_check
	validate era metadata on device or file.
	验证设备或文件上的年代元数据。
era_dump
	dump era metadata from device or file to standard output.
	从设备或文件转储时代元数据到标准输出。
era_invalidate
	Provide a list of blocks that have changed since a particular era.
	提供自特定时代以来发生变化的块列表。
era_restore
	restore era metadata file to device or file.
	将年代元数据文件恢复到设备或文件。
errstr
	lookup error codes
	查找错误代码
ethtool
	query or control network driver and hardware settings
	查询或控制网络驱动程序和硬件设置
eval
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
evmctl
	IMA/EVM signing utility
	IMA /维生素与签署效用
evp
	high-level cryptographic functions
	高级加密功能
evp_kdf_hkdf
	The HKDF EVP_KDF implementation
	HKDF EVP_KDF实现
evp_kdf_kb
	The Key-Based EVP_KDF implementation
	基于密钥的EVP_KDF实现
evp_kdf_krb5kdf
	The RFC3961 Krb5 KDF EVP_KDF implementation
	RFC3961 Krb5 KDF EVP_KDF的实现
evp_kdf_pbkdf2
	The PBKDF2 EVP_KDF implementation
	PBKDF2 EVP_KDF实现
evp_kdf_scrypt
	The scrypt EVP_KDF implementation
	脚本EVP_KDF实现
evp_kdf_ss
	The Single Step / One Step EVP_KDF implementation
	单步/一步EVP_KDF实现
evp_kdf_sshkdf
	The SSHKDF EVP_KDF implementation
	SSHKDF EVP_KDF实现
evp_kdf_tls1_prf
	The TLS1 PRF EVP_KDF implementation
	TLS1 PRF EVP_KDF实现
ex
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
exec
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
exit
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
expand
	convert tabs to spaces
	将制表符转换为空格
export
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
expr
	evaluate expressions
	表达式求值
ext2
	the second extended file system
	第二个扩展文件系统
ext3
	the third extended file system
	第三个扩展文件系统
ext4
	the fourth extended file system
	第四个扩展文件系统

以f开头的命令

factor
	factor numbers
	因素的数字
faillock
	Tool for displaying and modifying the authentication failure record files
	用于显示和修改认证失败记录文件的工具
faillock.conf
	pam_faillock configuration file
	pam_faillock配置文件
failsafe_context
	The SELinux fail safe context configuration file
	SELinux失败安全上下文配置文件
fallocate
	preallocate or deallocate space to a file
	预分配或释放文件空间
false
	do nothing, unsuccessfully
	什么也不做,但没有成功
fatlabel
	set or get MS-DOS filesystem label
	设置或获得MS-DOS文件系统标签
fc
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
fdformat
	low-level format a floppy disk
	对软盘进行低级格式化
fdisk
	manipulate disk partition table
	操作磁盘分区表
fg
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
fgconsole
	print the number of the active VT.
	打印active VT的编号。
fgrep
	print lines matching a pattern
	打印匹配图案的行
file
	determine file type
	确定文件类型
file-hierarchy
	File system hierarchy overview
	文件系统层次结构概述
file.pc

file_contexts
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.homedirs
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.local
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.subs
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.subs_dist
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
filefrag
	report on file fragmentation
	文件碎片报告
filefuncs
	provide some file related functionality to gawk
	提供一些文件相关的功能gawk
fincore
	count pages of file contents in core
	计数页的文件内容在核心
find
	search for files in a directory hierarchy
	在目录层次结构中搜索文件
findfs
	find a filesystem by label or UUID
	通过标签或UUID找到文件系统
findmnt
	find a filesystem
	找到一个文件系统
fingerprint-auth
	Common configuration file for PAMified services
	pamized服务的通用配置文件
fips-finish-install
	complete the instalation of FIPS modules.
	完成FIPS模块的安装。
fips-mode-setup
	Check or enable the system FIPS mode.
	检查或使能系统FIPS模式。
firewall-cmd
	firewalld command line client
	防火墙客户端命令行
firewall-offline-cmd
	firewalld offline command line client
	防火墙离线命令行客户端
firewalld
	Dynamic Firewall Manager
	动态防火墙管理器
firewalld.conf
	firewalld configuration file
	firewalld配置文件
firewalld.dbus
	firewalld D-Bus interface description
	防火墙D-Bus接口描述
firewalld.direct
	firewalld direct configuration file
	防火墙直接配置文件
firewalld.helper
	firewalld helper configuration files
	firewald助手配置文件
firewalld.icmptype
	firewalld icmptype configuration files
	firewald icmptype配置文件
firewalld.ipset
	firewalld ipset configuration files
	firewald ipset配置文件
firewalld.lockdown-whitelist
	firewalld lockdown whitelist configuration file
	防火墙锁定白名单配置文件
firewalld.policies
	firewalld policies
	firewalld政策
firewalld.policy
	firewalld policy configuration files
	防火墙策略配置文件
firewalld.richlanguage
	Rich Language Documentation
	丰富的语言文档
firewalld.service
	firewalld service configuration files
	防火墙服务配置文件
firewalld.zone
	firewalld zone configuration files
	防火墙区域配置文件
firewalld.zones
	firewalld zones
	firewalld区
fixfiles
	fix file SELinux security contexts.
	修复文件SELinux安全上下文。
fixparts
	MBR partition table repair utility
	MBR分区表修复实用程序
flock
	manage locks from shell scripts
	从shell脚本管理锁
fmt
	simple optimal text formatter
	简单的最佳文本格式
fnmatch
	compare a string against a filename wildcard
	比较字符串和文件名通配符
fold
	wrap each input line to fit in specified width
	将每个输入行换行以适应指定的宽度
fork
	basic process management
	基本的流程管理
free
	Display amount of free and used memory in the system
	显示系统中空闲和使用的内存数量
fsadm
	utility to resize or check filesystem on a device
	用于调整或检查设备上的文件系统大小的实用程序
fsck
	check and repair a Linux filesystem
	检查和修复一个Linux文件系统
fsck.cramfs
	fsck compressed ROM file system
	fsck压缩ROM文件系统
fsck.ext2
	check a Linux ext2/ext3/ext4 file system
	检查Linux的ext2/ext3/ext4文件系统
fsck.ext3
	check a Linux ext2/ext3/ext4 file system
	检查Linux的ext2/ext3/ext4文件系统
fsck.ext4
	check a Linux ext2/ext3/ext4 file system
	检查Linux的ext2/ext3/ext4文件系统
fsck.fat
	check and repair MS-DOS filesystems
	检查和修复MS-DOS文件系统
fsck.minix
	check consistency of Minix filesystem
	检查Minix文件系统的一致性
fsck.msdos
	check and repair MS-DOS filesystems
	检查和修复MS-DOS文件系统
fsck.vfat
	check and repair MS-DOS filesystems
	检查和修复MS-DOS文件系统
fsck.xfs
	do nothing, successfully
	什么也不做,成功
fsfreeze
	suspend access to a filesystem (Ext3/4, ReiserFS, JFS, XFS)
	挂起对文件系统的访问(Ext3/4, ReiserFS, JFS, XFS)
fstab
	static information about the filesystems
	关于文件系统的静态信息
fstrim
	discard unused blocks on a mounted filesystem
	丢弃挂载文件系统上未使用的块
fuse

fuse2fs
	FUSE file system client for ext2/ext3/ext4 file systems
	ext2/ext3/ext4文件系统的FUSE文件系统客户端
fusermount3
	mount and unmount FUSE filesystems
	挂载和卸载FUSE文件系统
fwupdagent
	Firmware updating agent
	固件更新代理
fwupdate
	Debugging utility for UEFI firmware updates
	调试实用程序的UEFI固件更新
fwupdmgr
	Firmware update manager client utility
	固件更新管理器客户端实用程序
fwupdtool
	Standalone firmware update utility
	独立固件更新工具

以g开头的命令

gapplication
	D-Bus application launcher
	d - bus应用程序启动器
gawk
	pattern scanning and processing language
	模式扫描和处理语言
gdbm_dump
	dump a GDBM database to a file
	将GDBM数据库转储到文件中
gdbm_load
	re-create a GDBM database from a dump file.
	从转储文件中重新创建GDBM数据库。
gdbmtool
	examine and modify a GDBM database
	检查和修改GDBM数据库
gdbus
	Tool for working with D-Bus objects
	使用D-Bus对象的工具
gdisk
	Interactive GUID partition table (GPT) manipulator
	交互式GUID分区表(GPT)操作符
gendsa
	generate a DSA private key from a set of parameters
	从一组参数生成DSA私钥
genhomedircon
	generate SELinux file context configuration entries for user home directories
	为用户主目录生成SELinux文件上下文配置项
genhostid
	generate and set a hostid for the current host
	为当前主机生成并设置一个hostid
genl
	generic netlink utility frontend
	通用netlink实用程序前端
genl-ctrl-list
	List available kernel-side Generic Netlink families
	列出可用的内核端通用Netlink族
genpkey
	generate a private key
	生成私钥
genrsa
	generate an RSA private key
	生成RSA私钥
geqn
	format equations for troff or MathML
	格式方程的troff或MathML
getcap
	examine file capabilities
	检查文件能力
getenforce
	get the current mode of SELinux
	获取SELinux的当前模式
getfacl
	get file access control lists
	获取文件访问控制列表
getkeycodes
	print kernel scancode-to-keycode mapping table
	打印内核扫描码到键码映射表
getopt
	parse command options (enhanced)
	解析命令选项(增强)
getopts
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
getpcaps
	display process capabilities
	显示过程能力
getsebool
	get SELinux boolean value(s)
	获取linux资产值(s)
getspnam

gettext
	translate message
	翻译的消息
gettextize
	install or upgrade gettext infrastructure
	安装或升级gettext基础设施
gex
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
gio
	GIO commandline tool
	GIO 命令行工具
gio-querymodules
	GIO module cache creation
	GIO模块缓存创建
glib-compile-schemas
	GSettings schema compiler
	GSettings模式编译器
gneqn
	format equations for ascii output
	格式方程的ASCII输出
gnroff
	emulate nroff command with groff
	使用groff模拟nroff命令
gnupg
	GnuPG 7 gnupg 7
	GnuPG 7 gnupg 7
gnupg2
	The GNU Privacy Guard suite of programs
	GNU隐私保护程序套件
gnupg~7
	The GNU Privacy Guard suite of programs
	GNU隐私保护程序套件
gpasswd
	administer /etc/group and /etc/gshadow
	管理/etc/group和/etc/gshadow
gpg
	OpenPGP encryption and signing tool
	OpenPGP加密和签名工具
gpg-agent
	Secret key management for GnuPG
	GnuPG的密钥管理
gpg-connect-agent
	Communicate with a running agent
	与运行中的代理通信
gpg-preset-passphrase
	Put a passphrase into gpg-agent’s cache
	将密码放入gpg-agent的缓存中
gpg-wks-client
	Client for the Web Key Service
	Web密钥服务的客户端
gpg-wks-server
	Server providing the Web Key Service
	提供Web密钥服务的服务器
gpg2
	OpenPGP encryption and signing tool
	OpenPGP加密和签名工具
gpgconf
	Modify .gnupg home directories
	修改.gnupg主目录
gpgparsemail
	Parse a mail message into an annotated format
	将邮件解析为带注释的格式
gpgsm
	CMS encryption and signing tool
	CMS加密签名工具
gpgtar
	Encrypt or sign files into an archive
	加密或签名文件到存档
gpgv
	Verify OpenPGP signatures
	验证OpenPGP签名
gpgv2
	Verify OpenPGP signatures
	验证OpenPGP签名
gpic
	compile pictures for troff or TeX
	为troff或TeX编译图片
grep
	print lines matching a pattern
	打印匹配图案的行
groff
	front-end for the groff document formatting system
	前端为groff文档格式化系统
grops
	PostScript driver for groff
	PostScript驱动程序groff
grotty
	groff driver for typewriter-like devices
	类似打字机设备的格罗夫驱动程序
group.conf
	configuration file for the pam_group module
	pam_group模块的配置文件
groupadd
	create a new group
	创建一个新组
groupdel
	delete a group
	删除一组
groupmems
	administer members of a user’s primary group
	管理用户的主组成员
groupmod
	modify a group definition on the system
	修改系统中的组定义
groups
	print the groups a user is in
	打印用户所在的组
grpck
	verify integrity of group files
	验证组文件的完整性
grpconv
	convert to and from shadow passwords and groups
	转换影子密码和组
grpunconv
	convert to and from shadow passwords and groups
	转换影子密码和组
grub-bios-setup

grub-editenv

grub-file

grub-get-kernel-settings

grub-glue-efi

grub-install

grub-kbdcomp

grub-menulst2cfg

grub-mkconfig

grub-mkfont

grub-mkimage

grub-mklayout

grub-mknetdir

grub-mkpasswd-pbkdf2

grub-mkrelpath

grub-mkrescue

grub-mkstandalone

grub-ofpathname

grub-probe

grub-reboot

grub-rpm-sort

grub-script-check

grub-set-bootflag

grub-set-default

grub-set-password

grub-sparc64-setup

grub-switch-to-blscfg

grub-syslinux2cfg

grub2-bios-setup
	Set up images to boot from a device.
	设置映像从设备启动。
grub2-editenv
	Manage the GRUB environment block.
	管理GRUB环境块。
grub2-file
	Check if FILE is of specified type.
	检查FILE是否为指定类型。
grub2-fstest

grub2-get-kernel-settings
	Evaluate the system’s kernel installation settings for use while making a grub configuration file.
	在创建grub配置文件时,评估系统的内核安装设置。
grub2-glue-efi
	Create an Apple fat EFI binary.
	创建一个Apple胖EFI二进制文件。
grub2-install
	Install GRUB on a device.
	在设备上安装GRUB。
grub2-kbdcomp
	Generate a GRUB keyboard layout file.
	生成GRUB键盘布局文件。
grub2-menulst2cfg
	Convert a configuration file from GRUB 0.xx to GRUB 2.xx format.
	从GRUB 0转换配置文件。xx到GRUB 2。xx格式。
grub2-mkconfig
	Generate a GRUB configuration file.
	生成GRUB配置文件。
grub2-mkfont
	Convert common font file formats into the PF2 format.
	将常用的字体文件格式转换为PF2格式。
grub2-mkimage
	Make a bootable GRUB image.
	制作一个可引导的GRUB映像。
grub2-mklayout
	Generate a GRUB keyboard layout file.
	生成GRUB键盘布局文件。
grub2-mknetdir
	Prepare a GRUB netboot directory.
	准备一个GRUB netboot目录。
grub2-mkpasswd-pbkdf2
	Generate a PBKDF2 password hash.
	生成一个PBKDF2密码散列。
grub2-mkrelpath
	Generate a relative GRUB path given an OS path.
	根据操作系统路径生成相对GRUB路径。
grub2-mkrescue
	Generate a GRUB rescue image using GNU Xorriso.
	使用GNU Xorriso生成GRUB拯救映像。
grub2-mkstandalone
	Generate a standalone image in the selected format.
	以选定的格式生成一个独立的映像。
grub2-ofpathname
	Generate an IEEE-1275 device path for a specified device.
	为指定设备生成IEEE-1275设备路径。
grub2-probe
	Probe device information for a given path.
	探测给定路径的设备信息。
grub2-reboot
	Set the default boot menu entry for the next boot only.
	仅为下次启动设置默认启动菜单项。
grub2-rpm-sort
	Sort input according to RPM version compare.
	根据RPM版本比较排序输入。
grub2-script-check
	Check GRUB configuration file for syntax errors.
	检查GRUB配置文件是否有语法错误。
grub2-set-bootflag
	Set a bootflag in the GRUB environment block.
	在GRUB环境块中设置引导标志。
grub2-set-default
	Set the default boot menu entry for GRUB.
	设置GRUB的默认启动菜单项。
grub2-set-password
	Generate the user.cfg file containing the hashed grub bootloader password.
	生成包含散列grub引导加载程序密码的user.cfg文件。
grub2-setpassword
	Generate the user.cfg file containing the hashed grub bootloader password.
	生成包含散列grub引导加载程序密码的user.cfg文件。
grub2-sparc64-setup
	Set up a device to boot a sparc64 GRUB image.
	设置一个设备来引导sparc64 GRUB映像。
grub2-switch-to-blscfg
	Switch to using BLS config files.
	切换到使用BLS配置文件。
grub2-syslinux2cfg
	Transform a syslinux config file into a GRUB config.
	将一个syslinux配置文件转换为GRUB配置。
grubby
	command line tool for configuring grub and zipl
	配置grub和zipl的命令行工具
gsettings
	GSettings configuration tool
	GSettings配置工具
gshadow
	shadowed group file
	跟踪小组文件
gsoelim
	interpret .so requests in groff input
	解释groff输入中的请求
gtar
	an archiving utility
	一个归档工具
gtbl
	format tables for troff
	格式化troff表
gtroff
	the troff processor of the groff text formatting system
	格罗夫文本格式化系统的格罗夫处理器
gunzip
	compress or expand files
	压缩或扩展文件
gview
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
gvim
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
gvimdiff
	edit two, three or four versions of a file with Vim and show differences
	用Vim编辑一个文件的两个、三个或四个版本,并显示差异
gvimtutor
	the Vim tutor
	Vim导师
gzexe
	compress executable files in place
	在适当的地方压缩可执行文件
gzip
	compress or expand files
	压缩或扩展文件

以h开头的命令

halt
	Halt, power-off or reboot the machine
	暂停、关机或重新启动机器
hardlink
	Consolidate duplicate files via hardlinks
	通过硬链接合并重复文件
hash
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
hdparm
	get/set SATA/IDE device parameters
	获取/设置SATA/IDE设备参数
head
	output the first part of files
	输出文件的第一部分
help
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
hexdump
	display file contents in hexadecimal, decimal, octal, or ascii
	以十六进制、十进制、八进制或ASCII格式显示文件内容
history
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
hostid
	print the numeric identifier for the current host
	打印当前主机的数字标识符
hostname
	hostname 5 hostname 1
	主机名5主机名1
hostnamectl
	Control the system hostname
	控制系统主机名
hostname~1
	show or set the system’s host name
	显示或设置系统的主机名
hostname~5
	Local hostname configuration file
	本地主机名配置文件
hwclock
	time clocks utility
	时钟时间效用
hwdb
	Hardware Database
	硬件数据库

以i开头的命令

i386
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
id
	print real and effective user and group IDs
	打印真实有效的用户id和组id
ifcfg
	simplistic script which replaces ifconfig IP management
	简单脚本,取代ifconfig IP管理
ifenslave
	Attach and detach slave network devices to a bonding device.
	在bonding设备上绑定并分离从网络设备。
ifstat
	handy utility to read network interface statistics
	方便的实用工具读取网络接口统计数据
info
	info 5 info 1
	信息5信息1
infocmp
	compare or print out terminfo descriptions
	比较或打印出描述的结尾
infotocap
	convert a terminfo description into a termcap description
	将一个terminfo description转换为一个termcap description
info~1
	read Info documents
	阅读信息文件
info~5
	readable online documentation
	读在线文档
init
	systemd system and service manager
	Systemd系统和服务经理
inplace
	emulate sed/perl/ruby in-place editing
	模拟sed/perl/ruby就地编辑
insmod
	Simple program to insert a module into the Linux Kernel
	简单的程序,插入一个模块到Linux内核
install
	copy files and set attributes
	复制文件并设置属性
install-info
	update info/dir entries
	更新信息/ dir条目
installkernel
	tool to script kernel installation
	用于脚本内核安装的工具
ionice
	set or get process I/O scheduling class and priority
	设置或获取进程I/O调度类和优先级
ip
	show / manipulate routing, network devices, interfaces and tunnels
	显示/操作路由、网络设备、接口和隧道
ip-address
	protocol address management
	协议地址管理
ip-addrlabel
	protocol address label management
	协议地址标签管理
ip-fou
	Foo-over-UDP receive port configuration
	Foo-over-UDP接收端口配置
ip-gue
	Generic UDP Encapsulation receive port configuration
	通用UDP封装接收端口配置
ip-l2tp
	L2TPv3 static unmanaged tunnel configuration
	L2TPv3非托管隧道静态配置
ip-link
	network device configuration
	网络设备配置
ip-macsec
	MACsec device configuration
	MACsec设备配置
ip-maddress
	multicast addresses management
	多播地址管理
ip-monitor
	state monitoring
	状态监测
ip-mptcp
	MPTCP path manager configuration
	MPTCP路径管理器配置
ip-mroute
	multicast routing cache management
	组播路由缓存管理
ip-neighbour
	neighbour/arp tables management.
	邻居/ arp表管理。
ip-netconf
	network configuration monitoring
	网络配置监控
ip-netns
	process network namespace management
	进程网络命名空间管理
ip-nexthop
	nexthop object management
	nexthop对象管理
ip-ntable
	neighbour table configuration
	邻居表配置
ip-route
	routing table management
	路由表管理
ip-rule
	routing policy database management
	路由策略数据库管理
ip-sr
	IPv6 Segment Routing management
	IPv6段路由管理
ip-tcp_metrics
	management for TCP Metrics
	TCP指标管理
ip-token
	tokenized interface identifier support
	标记化的接口标识符支持
ip-tunnel
	tunnel configuration
	隧道配置
ip-vrf
	run a command against a vrf
	针对VRF执行命令
ip-xfrm
	transform configuration
	转换配置
ip6tables
	administration tool for IPv4/IPv6 packet filtering and NAT
	IPv4/IPv6包过滤和NAT的管理工具
ip6tables-restore
	Restore IPv6 Tables
	恢复IPv6表
ip6tables-restore-translate
	translation tool to migrate from iptables to nftables
	从iptables迁移到nftables的翻译工具
ip6tables-save
	dump iptables rules
	转储iptables规则
ip6tables-translate
	translation tool to migrate from ip6tables to nftables
	从ip6tables迁移到nftables的翻译工具
ipcmk
	make various IPC resources
	制造各种IPC资源
ipcrm
	remove certain IPC resources
	删除某些IPC资源
ipcs
	show information on IPC facilities
	显示IPC设施信息
iprconfig
	IBM Power RAID storage adapter configuration/recovery utility
	IBM Power RAID存储适配器配置/恢复实用程序
iprdbg
	IBM Power RAID storage adapter debug utility
	IBM Power RAID存储适配器调试实用程序
iprdump
	IBM Power RAID adapter dump utility
	IBM电源RAID适配器转储实用程序
iprinit
	IBM Power RAID adapter/device initialization utility
	IBM Power RAID适配器/设备初始化实用程序
iprsos
	IBM Power RAID report generator
	IBM Power RAID报告生成器
iprupdate
	IBM Power RAID adapter/device microcode update utility
	IBM电源RAID适配器/设备微码更新实用程序
ipset
	administration tool for IP sets
	IP集的管理工具
iptables
	administration tool for IPv4/IPv6 packet filtering and NAT
	IPv4/IPv6包过滤和NAT的管理工具
iptables-apply
	a safer way to update iptables remotely
	远程更新iptables的一种更安全的方式
iptables-extensions
	list of extensions in the standard iptables distribution
	标准iptables发行版中的扩展列表
iptables-restore
	Restore IP Tables
	恢复IP表
iptables-restore-translate
	translation tool to migrate from iptables to nftables
	从iptables迁移到nftables的翻译工具
iptables-save
	dump iptables rules
	转储iptables规则
iptables-translate
	translation tool to migrate from iptables to nftables
	从iptables迁移到nftables的翻译工具
iptables/ip6tables

irqbalance
	distribute hardware interrupts across processors on a multiprocessor system
	在多处理器系统中,在处理器之间分发硬件中断
isosize
	output the length of an iso9660 filesystem
	输出一个iso9660文件系统的长度

以j开头的命令

jcat-tool
	Standalone detached signature utility
	独立的独立签名实用程序
jobs
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
join
	join lines of two files on a common field
	在一个公共字段上联接两个文件的行
journalctl
	Query the systemd journal
	查询systemd日志
journald.conf
	Journal service configuration files
	记录服务配置文件
journald.conf.d
	Journal service configuration files
	记录服务配置文件

以k开头的命令

k5identity
	Kerberos V5 client principal selection rules
	Kerberos V5客户机主体选择规则
k5login
	Kerberos V5 acl file for host access
	用于主机访问的Kerberos V5 acl文件
kbd_mode
	report or set the keyboard mode
	报告或设置键盘模式
kbdinfo
	obtain information about the status of a console
	获取控制台状态信息
kbdrate
	reset the keyboard repeat rate and delay time
	重置键盘的重复频率和延迟时间
kdump.conf
	configuration file for kdump kernel.
	kdump内核配置文件。
kdumpctl
	control interface for kdump
	kdump控制接口
kerberos
	Overview of using Kerberos
	使用Kerberos的概述
kernel-command-line
	Kernel command line parameters
	内核命令行参数
kernel-install
	Add and remove kernel and initramfs images to and from /boot
	在/boot中添加和删除内核和initramfs映像
kexec
	directly boot into a new kernel
	直接引导到一个新的内核
key3.db
	Legacy NSS certificate database
	遗留的NSS证书数据库
key4.db
	NSS certificate database
	NSS证书数据库
keymaps
	keyboard table descriptions for loadkeys and dumpkeys
	loadkeys和dumpkeys的键盘表描述
keyutils
	in-kernel key management utilities
	内核密钥管理实用程序
kill
	terminate a process
	终止流程
kmod
	Program to manage Linux Kernel modules
	程序管理Linux内核模块
kpartx
	Create device maps from partition tables.
	从分区表创建设备映射。
krb5.conf
	Kerberos configuration file
	Kerberos配置文件
kvm_stat
	Report KVM kernel module event counters
	报告KVM内核模块事件计数器

以l开头的命令

last
	show a listing of last logged in users
	显示最近登录的用户列表
lastb
	show a listing of last logged in users
	显示最近登录的用户列表
lastlog
	reports the most recent login of all users or of a given user
	报告所有用户或给定用户的最近登录
lchage
	Display or change user password policy
	显示或修改用户密码策略
lchfn
	Change finger information
	改变手指信息
lchsh
	Change login shell
	改变登录shell
ldap.conf
	LDAP configuration file/environment variables
	LDAP配置文件/环境变量
ldattach
	attach a line discipline to a serial line
	将线规连接到串行线上
ldif
	LDAP Data Interchange Format
	LDAP数据交换格式
less
	opposite of more
	相反的
lessecho
	expand metacharacters
	扩展元字符
lesskey
	specify key bindings for less
	为less指定键绑定
let
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
lexgrog
	parse header information in man pages
	解析手册页中的头信息
lgroupadd
	Add an user group
	添加用户组
lgroupdel
	Delete an user group
	删除用户组
lgroupmod
	Modify an user group
	修改用户组
libaudit.conf
	libaudit configuration file
	libaudit配置文件
libipset
	A library for using ipset
	一个使用ipset的库
libnftables-json
	Supported JSON schema by libnftables
	支持的JSON模式由libftables
libnss_myhostname.so.2
	Provide hostname resolution for the locally configured system hostname.
	为本地配置的系统主机名提供主机名解析。
libnss_resolve.so.2
	Provide hostname resolution via systemd-resolved.service
	通过system -resolved.service提供主机名解析
libnss_systemd.so.2
	Provide UNIX user and group name resolution for dynamic users and groups.
	为动态用户和组提供UNIX用户和组名解析。
libuser.conf
	configuration for libuser and libuser utilities
	libuser和libuser实用程序的配置
libxml
	library used to parse XML files
	用于解析XML文件的库
lid
	Display user’s groups or group’s users
	显示用户组或组内用户
limits.conf
	configuration file for the pam_limits module
	pam_limits模块的配置文件
link
	call the link function to create a link to a file
	调用link函数来创建到文件的链接
linux32
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
linux64
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
list
	list algorithms and features
	列出算法和特性
ln
	make links between files
	在文件之间建立链接
lnewusers
	Create new user accounts
	创建新用户帐户
lnstat
	unified linux network statistics
	Linux统一网络统计
load_policy
	load a new SELinux policy into the kernel
	将新的SELinux策略加载到内核中
loader.conf
	Configuration file for systemd-boot
	系统引导的配置文件
loadkeys
	load keyboard translation tables
	加载键盘翻译表
loadunimap
	load the kernel unicode-to-font mapping table
	加载内核unicode到字体映射表
local
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
local.users
	The SELinux local users configuration file
	SELinux本地用户配置文件
locale.conf
	Configuration file for locale settings
	区域设置的配置文件
localectl
	Control the system locale and keyboard layout settings
	控制系统区域设置和键盘布局设置
localtime
	Local timezone configuration file
	本地时区配置文件
logger
	enter messages into the system log
	在系统日志中输入消息
login
	begin session on the system
	在系统上开始会话
login.defs
	shadow password suite configuration
	影子密码套件配置
loginctl
	Control the systemd login manager
	控制systemd登录管理器
logind.conf
	Login manager configuration files
	登录管理器配置文件
logind.conf.d
	Login manager configuration files
	登录管理器配置文件
logname
	print user’s login name
	打印用户的登录名
logout
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
logrotate
	logrotate 8
	logrotate 8
logrotate.conf
	rotates, compresses, and mails system logs
	旋转、压缩和邮件系统日志
logrotate~8
	rotates, compresses, and mails system logs
	旋转、压缩和邮件系统日志
logsave
	save the output of a command in a logfile
	将命令的输出保存到日志文件中
look
	display lines beginning with a given string
	显示以给定字符串开头的行
losetup
	set up and control loop devices
	设置和控制回路装置
lpasswd
	Change group or user password
	更改组或用户密码
ls
	list directory contents
	列出目录的内容
lsattr
	list file attributes on a Linux second extended file system
	在Linux第二扩展文件系统上列出文件属性
lsblk
	list block devices
	块设备列表
lscpu
	display information about the CPU architecture
	显示CPU架构信息
lshw
	list hardware
	硬件列表
lsinitrd
	tool to show the contents of an initramfs image
	显示initramfs映像的内容的工具
lsipc
	show information on IPC facilities currently employed in the system
	显示系统中目前使用的IPC设施的信息
lslocks
	list local system locks
	列出本地系统锁
lslogins
	display information about known users in the system
	显示系统中的已知用户信息
lsmem
	list the ranges of available memory with their online status
	列出可用内存的范围及其在线状态
lsmod
	Show the status of modules in the Linux Kernel
	显示Linux内核中模块的状态
lsns
	list namespaces
	列表名称空间
lspci
	list all PCI devices
	列出所有PCI设备
lsscsi
	list SCSI devices (or hosts), list NVMe devices
	列出SCSI设备(或主机),列出NVMe设备
luseradd
	Add an user
	添加一个用户
luserdel
	Delete an user
	删除一个用户
lusermod
	Modify an user
	修改一个用户
lvchange
	Change the attributes of logical volume(s)
	更改逻辑卷的属性
lvconvert
	Change logical volume layout
	更改逻辑卷布局
lvcreate
	Create a logical volume
	创建逻辑卷
lvdisplay
	Display information about a logical volume
	显示逻辑卷信息
lvextend
	Add space to a logical volume
	为逻辑卷添加空间
lvm
	LVM2 tools
	LVM2工具
lvm-config
	Display and manipulate configuration information
	显示和操作配置信息
lvm-dumpconfig
	Display and manipulate configuration information
	显示和操作配置信息
lvm-fullreport

lvm-lvpoll

lvm.conf
	Configuration file for LVM2
	LVM2的配置文件
lvm2-activation-generator
	generator for systemd units to activate LVM volumes on boot
	systemd单元的发电机在启动时激活LVM卷
lvm_import_vdo
	utility to import VDO volumes into a new volume group.
	实用程序导入VDO卷到一个新的卷组。
lvmcache
	LVM caching
	LVM缓存
lvmconfig
	Display and manipulate configuration information
	显示和操作配置信息
lvmdevices
	Manage the devices file
	管理设备文件
lvmdiskscan
	List devices that may be used as physical volumes
	列出可作为物理卷使用的设备
lvmdump
	create lvm2 information dumps for diagnostic purposes
	创建用于诊断目的的lvm2信息转储
lvmpolld
	LVM poll daemon
	LVM调查守护进程
lvmraid
	LVM RAID
	LVM突袭
lvmreport
	LVM reporting and related features
	LVM报告和相关特性
lvmsadc
	LVM system activity data collector
	LVM系统活动数据收集器
lvmsar
	LVM system activity reporter
	LVM系统活动报告器
lvmsystemid
	LVM system ID
	LVM系统标识
lvmthin
	LVM thin provisioning
	LVM自动精简配置
lvmvdo
	Support for Virtual Data Optimizer in LVM
	支持LVM中的虚拟数据优化器
lvreduce
	Reduce the size of a logical volume
	减小逻辑卷的大小
lvremove
	Remove logical volume(s) from the system
	从系统中移除逻辑卷
lvrename
	Rename a logical volume
	重命名逻辑卷
lvresize
	Resize a logical volume
	调整逻辑卷的大小
lvs
	Display information about logical volumes
	显示逻辑卷信息
lvscan
	List all logical volumes in all volume groups
	列出所有卷组中的所有逻辑卷
lzcat

lzcmp

lzdiff

lzless

lzma

lzmadec

lzmore

以m开头的命令

machine-id
	Local machine ID configuration file
	本地机器ID配置文件
machine-info
	Local machine information file
	本地计算机信息文件
magic
	file command’s magic pattern file
	文件命令的魔法模式文件
makedumpfile
	make a small dumpfile of kdump
	制作一个kdump的小dumpfile
makedumpfile.conf
	The filter configuration file for makedumpfile(8).
	makedumpfile(8)的过滤器配置文件。
man
	an interface to the on-line reference manuals
	联机参考手册的接口
manconv
	convert manual page from one encoding to another
	将手动页面从一种编码转换为另一种编码
mandb
	create or update the manual page index caches
	创建或更新手动页索引缓存
manpath
	manpath 5 manpath 1
	人形道 5 人形道 1
manpath~1
	determine search path for manual pages
	确定手册页的搜索路径
manpath~5
	format of the /etc/man_db.conf file
	/etc/man_db.conf文件格式
mapfile
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
mapscrn
	load screen output mapping table
	载入屏幕输出映射表
matchpathcon
	get the default SELinux security context for the specified path from the file contexts configuration
	从文件上下文配置中获取指定路径的默认SELinux安全上下文
mcookie
	generate magic cookies for xauth
	为xauth生成魔法饼干
md
	Multiple Device driver aka Linux Software RAID
	多设备驱动程序又名Linux软件RAID
md5sum
	compute and check MD5 message digest
	计算并检查MD5消息摘要
mdadm
	manage MD devices aka Linux Software RAID
	管理MD设备,即Linux软件RAID
mdadm.conf
	configuration for management of Software RAID with mdadm
	使用mdadm管理软件RAID的配置
mdmon
	monitor MD external metadata arrays
	监控MD外部元数据数组
media
	userspace SELinux labeling interface and configuration file format for the media contexts backend
	用户空间SELinux标签界面和媒体上下文后端配置文件格式
mesg
	display (or do not display) messages from other users
	显示(或不显示)来自其他用户的消息
mkdir
	make directories
	做目录
mkdosfs
	create an MS-DOS filesystem under Linux
	在Linux下创建一个MS-DOS文件系统
mkdumprd
	creates initial ramdisk images for kdump crash recovery
	为kdump崩溃恢复创建初始ramdisk映像
mke2fs
	create an ext2/ext3/ext4 filesystem
	创建ext2/ext3/ext4文件系统
mke2fs.conf
	Configuration file for mke2fs
	mke2fs的配置文件
mkfifo
	make FIFOs (named pipes)
	制造FIFOs(命名管道)
mkfs
	build a Linux filesystem
	构建一个Linux文件系统
mkfs.cramfs
	make compressed ROM file system
	制作压缩ROM文件系统
mkfs.ext2
	create an ext2/ext3/ext4 filesystem
	创建ext2/ext3/ext4文件系统
mkfs.ext3
	create an ext2/ext3/ext4 filesystem
	创建ext2/ext3/ext4文件系统
mkfs.ext4
	create an ext2/ext3/ext4 filesystem
	创建ext2/ext3/ext4文件系统
mkfs.fat
	create an MS-DOS filesystem under Linux
	在Linux下创建一个MS-DOS文件系统
mkfs.minix
	make a Minix filesystem
	制作一个Minix文件系统
mkfs.msdos
	create an MS-DOS filesystem under Linux
	在Linux下创建一个MS-DOS文件系统
mkfs.vfat
	create an MS-DOS filesystem under Linux
	在Linux下创建一个MS-DOS文件系统
mkfs.xfs
	construct an XFS filesystem
	构造一个XFS文件系统
mkhomedir_helper
	Helper binary that creates home directories
	创建主目录的辅助二进制文件
mkinitrd
	is a compat wrapper, which calls dracut to generate an initramfs
	是compat包装器,它调用dracut生成initramfs
mklost+found
	create a lost+found directory on a mounted Linux second extended file system
	在挂载的Linux第二扩展文件系统上创建lost+found目录
mknod
	make block or character special files
	使块或字符特殊文件
mksquashfs
	tool to create and append to squashfs filesystems
	用于创建和追加到squashfs文件系统的工具
mkswap
	set up a Linux swap area
	设置一个Linux交换区
mktemp
	create a temporary file or directory
	创建一个临时文件或目录
mlx4dv
	Direct verbs for mlx4 devices
	用于mlx4设备的直接谓词
mlx5dv
	Direct verbs for mlx5 devices
	用于mlx5设备的直接动词
modinfo
	Show information about a Linux Kernel module
	显示Linux Kernel模块的信息
modprobe
	Add and remove modules from the Linux Kernel
	从Linux内核中添加和删除模块
modprobe.conf
	Configuration directory for modprobe
	modprobe的配置目录
modprobe.d
	Configuration directory for modprobe
	modprobe的配置目录
modulemd-validator
	manual page for modulemd-validator 2.13.0
	modulemd-validator 2.13.0的手册页
modules-load.d
	Configure kernel modules to load at boot
	配置内核模块以在引导时加载
modules.dep
	Module dependency information
	模块依赖关系信息
modules.dep.bin
	Module dependency information
	模块依赖关系信息
moduli
	Diffie-Hellman moduli
	Diffie-Hellman moduli
mokutil
	utility to manipulate machine owner keys
	实用程序来操纵机器所有者的钥匙
more
	file perusal filter for crt viewing
	文件阅读过滤器的CRT查看
mount
	mount a filesystem
	挂载文件系统
mount.fuse
	configuration and mount options for FUSE file systems
	FUSE文件系统的配置和挂载选项
mountpoint
	see if a directory or file is a mountpoint
	查看一个目录或文件是否是一个挂载点
msgattrib
	attribute matching and manipulation on message catalog
	消息编目上的属性匹配和操作
msgcat
	combines several message catalogs
	组合多个消息目录
msgcmp
	compare message catalog and template
	比较消息目录和模板
msgcomm
	match two message catalogs
	匹配两个消息目录
msgconv
	character set conversion for message catalog
	消息编目的字符集转换
msgen
	create English message catalog
	创建英文邮件目录
msgexec
	process translations of message catalog
	处理消息目录的翻译
msgfilter
	edit translations of message catalog
	编辑消息目录的翻译
msgfmt
	compile message catalog to binary format
	将消息编目编译为二进制格式
msggrep
	pattern matching on message catalog
	消息目录上的模式匹配
msginit
	initialize a message catalog
	初始化消息目录
msgmerge
	merge message catalog and template
	合并消息目录和模板
msgunfmt
	uncompile message catalog from binary format
	从二进制格式反编译消息目录
msguniq
	unify duplicate translations in message catalog
	统一消息目录中的重复翻译
mtree
	format of mtree dir hierarchy files
	mtree目录层次结构文件的格式
mv
	move (rename) files
	(重命名)文件

以n开头的命令

namei
	follow a pathname until a terminal point is found
	遵循路径名,直到找到终结点
namespace.conf
	the namespace configuration file
	命名空间配置文件
ndptool
	Neighbor Discovery Protocol tool
	邻居发现协议工具
neqn
	format equations for ascii output
	格式方程的ASCII输出
networkmanager
	network management daemon
	网络管理守护进程
networkmanager-dispatcher
	Dispatch user scripts for NetworkManager
	为NetworkManager分派用户脚本
networkmanager.conf
	NetworkManager configuration file
	使其配置文件
newgidmap
	set the gid mapping of a user namespace
	设置用户命名空间的gid映射
newgrp
	log in to a new group
	登录到一个新组
newuidmap
	set the uid mapping of a user namespace
	设置用户命名空间的uid映射
newusers
	update and create new users in batch
	批量更新和创建新用户
nft
	Administration tool of the nftables framework for packet filtering and classification
	用于包过滤和分类的nftables框架的管理工具
ngettext
	translate message and choose plural form
	翻译信息并选择复数形式
nice
	run a program with modified scheduling priority
	运行一个修改了调度优先级的程序
nisdomainname
	show or set the system’s NIS/YP domain name
	show或设置系统的NIS/YP域名
nl
	number lines of files
	文件行数
nl-classid-lookup
	Lookup classid definitions
	查找classid定义
nl-pktloc-lookup
	Lookup packet location definitions
	查找包位置定义
nl-qdisc-add
	Manage queueing disciplines
	排队管理规程
nl-qdisc-delete
	Manage queueing disciplines
	排队管理规程
nl-qdisc-list
	Manage queueing disciplines
	排队管理规程
nl-qdisc-{add|list|delete}

nm-initrd-generator
	early boot NetworkManager configuration generator
	早期启动NetworkManager配置生成器
nm-online
	ask NetworkManager whether the network is connected
	询问NetworkManager网络是否连通
nm-settings
	Description of settings and properties of NetworkManager connection profiles for nmcli
	nmcli的NetworkManager连接配置文件的设置和属性描述
nm-settings-dbus
	Description of settings and properties of NetworkManager connection profiles on the D-Bus API
	D-Bus API上NetworkManager连接配置文件的设置和属性描述
nm-settings-ifcfg-rh
	Description of ifcfg-rh settings plugin
	ifcfg-rh设置插件的描述
nm-settings-keyfile
	Description of keyfile settings plugin
	keyfile设置插件的描述
nm-settings-nmcli
	Description of settings and properties of NetworkManager connection profiles for nmcli
	nmcli的NetworkManager连接配置文件的设置和属性描述
nm-system-settings.conf
	NetworkManager configuration file
	使其配置文件
nmcli
	command-line tool for controlling NetworkManager
	用于控制NetworkManager的命令行工具
nmcli-examples
	usage examples of nmcli
	nmcli的使用示例
nmtui
	Text User Interface for controlling NetworkManager
	文本用户界面控制NetworkManager
nmtui-connect
	Text User Interface for controlling NetworkManager
	文本用户界面控制NetworkManager
nmtui-edit
	Text User Interface for controlling NetworkManager
	文本用户界面控制NetworkManager
nmtui-hostname
	Text User Interface for controlling NetworkManager
	文本用户界面控制NetworkManager
nohup
	run a command immune to hangups, with output to a non-tty
	运行不受挂起影响的命令,输出到非tty对象
nologin
	politely refuse a login
	礼貌地拒绝登录
nproc
	print the number of processing units available
	打印可用处理单元的数量
nroff
	emulate nroff command with groff
	使用groff模拟nroff命令
nsenter
	run program with namespaces of other processes
	使用其他进程的命名空间运行程序
nseq
	create or examine a Netscape certificate sequence
	创建或检查Netscape证书序列
nss-myhostname
	Provide hostname resolution for the locally configured system hostname.
	为本地配置的系统主机名提供主机名解析。
nss-resolve
	Provide hostname resolution via systemd-resolved.service
	通过system -resolved.service提供主机名解析
nss-systemd
	Provide UNIX user and group name resolution for dynamic users and groups.
	为动态用户和组提供UNIX用户和组名解析。
nstat
	network statistics tools.
	网络统计工具。
numfmt
	Convert numbers from/to human-readable strings
	将数字转换为人类可读的字符串

以o开头的命令

ocsp
	Online Certificate Status Protocol utility
	在线证书状态协议实用程序
od
	dump files in octal and other formats
	以八进制和其他格式转储文件
open
	start a program on a new virtual terminal (VT).
	在新的虚拟终端(VT)上启动一个程序。
openssl
	OpenSSL command line tool
	OpenSSL命令行工具
openssl-asn1parse
	ASN.1 parsing tool
	asn . 1解析工具
openssl-c_rehash
	Create symbolic links to files named by the hash values
	创建指向以散列值命名的文件的符号链接
openssl-ca
	sample minimal CA application
	样本最小CA应用
openssl-ciphers
	SSL cipher display and cipher list tool
	SSL密码显示和密码列表工具
openssl-cms
	CMS utility
	CMS工具
openssl-crl
	CRL utility
	CRL效用
openssl-crl2pkcs7
	Create a PKCS#7 structure from a CRL and certificates
	从CRL和证书创建PKCS#7结构
openssl-dgst
	perform digest operations
	执行消化操作
openssl-dhparam
	DH parameter manipulation and generation
	DH参数的操作和生成
openssl-dsa
	DSA key processing
	DSA密钥处理
openssl-dsaparam
	DSA parameter manipulation and generation
	DSA参数的操作和生成
openssl-ec
	EC key processing
	电子商务关键处理
openssl-ecparam
	EC parameter manipulation and generation
	EC参数的操作和生成
openssl-enc
	symmetric cipher routines
	对称密码的例程
openssl-engine
	load and query engines
	加载和查询引擎
openssl-errstr
	lookup error codes
	查找错误代码
openssl-gendsa
	generate a DSA private key from a set of parameters
	从一组参数生成DSA私钥
openssl-genpkey
	generate a private key
	生成私钥
openssl-genrsa
	generate an RSA private key
	生成RSA私钥
openssl-list
	list algorithms and features
	列出算法和特性
openssl-nseq
	create or examine a Netscape certificate sequence
	创建或检查Netscape证书序列
openssl-ocsp
	Online Certificate Status Protocol utility
	在线证书状态协议实用程序
openssl-passwd
	compute password hashes
	计算密码散列
openssl-pkcs12
	PKCS#12 file utility
	PKCS # 12文件实用程序
openssl-pkcs7
	PKCS#7 utility
	PKCS # 7效用
openssl-pkcs8
	PKCS#8 format private key conversion tool
	pkcs# 8格式私钥转换工具
openssl-pkey
	public or private key processing tool
	公钥或私钥处理工具
openssl-pkeyparam
	public key algorithm parameter processing tool
	公钥算法参数处理工具
openssl-pkeyutl
	public key algorithm utility
	公钥算法实用程序
openssl-prime
	compute prime numbers
	计算素数
openssl-rand
	generate pseudo-random bytes
	生成伪随机字节
openssl-rehash
	Create symbolic links to files named by the hash values
	创建指向以散列值命名的文件的符号链接
openssl-req
	PKCS#10 certificate request and certificate generating utility
	PKCS#10证书请求和证书生成工具
openssl-rsa
	RSA key processing tool
	RSA密钥处理工具
openssl-rsautl
	RSA utility
	RSA公用事业
openssl-s_client
	SSL/TLS client program
	SSL / TLS客户机程序
openssl-s_server
	SSL/TLS server program
	SSL / TLS服务器程序
openssl-s_time
	SSL/TLS performance timing program
	SSL/TLS性能定时程序
openssl-sess_id
	SSL/TLS session handling utility
	SSL/TLS会话处理实用程序
openssl-smime
	S/MIME utility
	S / MIME效用
openssl-speed
	test library performance
	测试库性能
openssl-spkac
	SPKAC printing and generating utility
	SPKAC打印和生成实用程序
openssl-srp
	maintain SRP password file
	维护SRP密码文件
openssl-storeutl
	STORE utility
	存储工具
openssl-ts
	Time Stamping Authority tool (client/server)
	时间戳授权工具(客户端/服务器)
openssl-verify
	Utility to verify certificates
	验证证书的实用程序
openssl-version
	print OpenSSL version information
	打印OpenSSL版本信息
openssl-x509
	Certificate display and signing utility
	证书显示和签名实用程序
openssl.cnf
	OpenSSL CONF library configuration files
	OpenSSL CONF库配置文件
openvt
	start a program on a new virtual terminal (VT).
	在新的虚拟终端(VT)上启动一个程序。
ordchr
	convert characters to strings and vice versa
	将字符转换为字符串,反之亦然
os-release
	Operating system identification
	操作系统识别
ossl_store
	Store retrieval functions
	存储检索功能
ossl_store-file
	The store ’file’ scheme loader
	store 'file'方案加载程序
ownership
	Compaq ownership tag retriever
	康柏所有权标签检索器

以p开头的命令

p11-kit
	Tool for operating on configured PKCS#11 modules
	用于操作已配置PKCS#11模块的工具
pam
	PAM 8 pam 8
	PAM 8 PAM 8
pam.conf
	PAM configuration files
	PAM配置文件
pam.d
	PAM configuration files
	PAM配置文件
pam_access
	PAM module for logdaemon style login access control
	PAM模块用于日志守护程序式的登录访问控制
pam_console
	determine user owning the system console
	确定拥有系统控制台的用户
pam_console_apply
	set or revoke permissions for users at the system console
	在系统控制台为用户设置或撤销权限
pam_cracklib
	PAM module to check the password against dictionary words
	PAM模块来检查密码对字典单词
pam_debug
	PAM module to debug the PAM stack
	PAM模块调试PAM堆栈
pam_deny
	The locking-out PAM module
	锁定PAM模块
pam_echo
	PAM module for printing text messages
	用于打印文本消息的PAM模块
pam_env
	PAM module to set/unset environment variables
	PAM模块设置/取消设置环境变量
pam_env.conf
	the environment variables config files
	环境变量配置文件
pam_exec
	PAM module which calls an external command
	调用外部命令的PAM模块
pam_faildelay
	Change the delay on failure per-application
	更改每个应用程序失败的延迟
pam_faillock
	Module counting authentication failures during a specified interval
	模块在指定时间间隔内统计认证失败次数
pam_filter
	PAM filter module
	PAM滤波器模块
pam_ftp
	PAM module for anonymous access module
	PAM模块用于匿名访问模块
pam_group
	PAM module for group access
	PAM模块用于组访问
pam_issue
	PAM module to add issue file to user prompt
	PAM模块添加问题文件到用户提示
pam_keyinit
	Kernel session keyring initialiser module
	内核会话keyring初始化模块
pam_lastlog
	PAM module to display date of last login and perform inactive account lock out
	PAM模块显示最后登录日期和执行不活跃帐户锁定
pam_limits
	PAM module to limit resources
	PAM模块限制资源
pam_listfile
	deny or allow services based on an arbitrary file
	拒绝或允许基于任意文件的服务
pam_localuser
	require users to be listed in /etc/passwd
	要求在/etc/passwd中列出用户
pam_loginuid
	Record user’s login uid to the process attribute
	将用户的登录uid记录到进程属性
pam_mail
	Inform about available mail
	通知可用邮件
pam_mkhomedir
	PAM module to create users home directory
	PAM模块创建用户的主目录
pam_motd
	Display the motd file
	显示motd文件
pam_namespace
	PAM module for configuring namespace for a session
	用于为会话配置命名空间的PAM模块
pam_nologin
	Prevent non-root users from login
	禁止非root用户登录
pam_permit
	The promiscuous module
	滥交的模块
pam_postgresok
	simple check of real UID and corresponding account name
	简单的检查真实的UID和相应的帐户名
pam_pwhistory
	PAM module to remember last passwords
	PAM模块,以记住最后的密码
pam_pwquality
	PAM module to perform password quality checking
	PAM模块进行密码质量检查
pam_rhosts
	The rhosts PAM module
	rhosts PAM模块
pam_rootok
	Gain only root access
	只获得根访问权限
pam_securetty
	Limit root login to special devices
	限制根用户登录到特殊设备
pam_selinux
	PAM module to set the default security context
	PAM模块来设置默认的安全上下文
pam_sepermit
	PAM module to allow/deny login depending on SELinux enforcement state
	PAM模块允许/拒绝登录,这取决于SELinux执行状态
pam_shells
	PAM module to check for valid login shell
	PAM模块检查有效的登录shell
pam_sss
	PAM module for SSSD
	用于SSSD的PAM模块
pam_sss_gss
	PAM module for SSSD GSSAPI authentication
	PAM模块用于SSSD的GSSAPI验证
pam_succeed_if
	test account characteristics
	测试账户的特点
pam_systemd
	Register user sessions in the systemd login manager
	在systemd登录管理器中注册用户会话
pam_time
	PAM module for time control access
	PAM模块用于时间控制访问
pam_timestamp
	Authenticate using cached successful authentication attempts
	使用缓存的成功身份验证尝试进行身份验证
pam_timestamp_check
	Check to see if the default timestamp is valid
	检查默认的时间戳是否有效
pam_tty_audit
	Enable or disable TTY auditing for specified users
	为指定用户开启或关闭TTY审计功能
pam_umask
	PAM module to set the file mode creation mask
	PAM模块设置文件模式的创建掩码
pam_unix
	Module for traditional password authentication
	传统密码验证模块
pam_userdb
	PAM module to authenticate against a db database
	PAM模块对数据库进行身份验证
pam_usertype
	check if the authenticated user is a system or regular account
	检查被验证的用户是系统帐户还是普通帐户
pam_warn
	PAM module which logs all PAM items if called
	PAM模块,它记录所有被调用的PAM项
pam_wheel
	Only permit root access to members of group wheel
	仅允许根访问组轮的成员
pam_xauth
	PAM module to forward xauth keys between users
	PAM模块在用户之间转发xauth密钥
pam~8
	Pluggable Authentication Modules for Linux
	Linux可插拔认证模块
parted
	a partition manipulation program
	分区操作程序
partprobe
	inform the OS of partition table changes
	通知OS分区表的变化
partx
	tell the kernel about the presence and numbering of on-disk partitions
	告诉内核磁盘分区的存在情况和编号
passphrase-encoding
	How diverse parts of OpenSSL treat pass phrases character encoding
	OpenSSL的不同部分如何处理传递短语字符编码
passwd
	passwd 1ssl passwd 1
	Passwd 1ssl Passwd 1 .输入密码
passwd~1
	update user’s authentication tokens
	更新用户身份验证令牌
passwd~1ssl

password-auth
	Common configuration file for PAMified services
	pamized服务的通用配置文件
paste
	merge lines of files
	合并文件行
pathchk
	check whether file names are valid or portable
	检查文件名是否有效或可移植
pc
	pkg-config file format
	pkg-config文件格式
pcap-filter
	packet filter syntax
	包过滤语法
pcap-linktype
	link-layer header types supported by libpcap
	libpcap支持的链路层报头类型
pcap-tstamp
	packet time stamps in libpcap
	libpcap中的数据包时间戳
pgrep
	look up or signal processes based on name and other attributes
	根据名称和其他属性查找或发送信号
pic
	compile pictures for troff or TeX
	为troff或TeX编译图片
pidof
	find the process ID of a running program.
	查找正在运行的程序的进程号。
pigz
	compress or expand files
	压缩或扩展文件
ping
	send ICMP ECHO_REQUEST to network hosts
	发送ICMP ECHO_REQUEST到网络主机
ping6
	send ICMP ECHO_REQUEST to network hosts
	发送ICMP ECHO_REQUEST到网络主机
pinky
	lightweight finger
	轻量级的手指
pip

pip3
	pip 9.0.3
	皮普9.0.3
pivot_root
	change the root filesystem
	更改根文件系统
pkaction
	Get details about a registered action
	获取有关已注册操作的详细信息
pkcheck
	Check whether a process is authorized
	检查进程是否被授权
pkcs11.conf
	Configuration files for PKCS#11 modules
	PKCS#11模块的配置文件
pkcs11.txt
	NSS PKCS #11 module configuration file
	NSS PKCS #11模块配置文件
pkcs12
	PKCS#12 file utility
	PKCS # 12文件实用程序
pkcs7
	PKCS#7 utility
	PKCS # 7效用
pkcs8
	PKCS#8 format private key conversion tool
	pkcs# 8格式私钥转换工具
pkexec
	Execute a command as another user
	以其他用户执行命令
pkey
	public or private key processing tool
	公钥或私钥处理工具
pkeyparam
	public key algorithm parameter processing tool
	公钥算法参数处理工具
pkeyutl
	public key algorithm utility
	公钥算法实用程序
pkg-config
	a system for configuring build dependency information
	用于配置构建依赖项信息的系统
pkg.m4
	autoconf macros for using pkgconf
	使用pkgconf的Autoconf宏
pkgconf
	a system for configuring build dependency information
	用于配置构建依赖项信息的系统
pkill
	look up or signal processes based on name and other attributes
	根据名称和其他属性查找或发送信号
pkla-admin-identities
	List pklocalauthority-configured polkit administrators
	列出pklocalauthority配置的polkit管理员
pkla-check-authorization
	Evaluate pklocalauthority authorization configuration
	评估pklocalauthority授权配置
pklocalauthority
	polkit Local Authority Compatibility
	polkit本地权威兼容性
pkttyagent
	Textual authentication helper
	文本验证助手
plymouth
	plymouth 1 plymouth 8
	普利茅斯1普利茅斯8
plymouth-set-default-theme
	Set the plymouth theme
	设置普利茅斯主题
plymouthd
	The plymouth daemon
	普利茅斯守护进程
plymouth~1
	Send commands to plymouthd
	将命令发送到plymouthd
plymouth~8
	A graphical boot system and logger
	一个图形化的引导系统和记录器
pmap
	report memory map of a process
	报告进程的内存映射
png
	Portable Network Graphics (PNG) format
	便携式网络图形(PNG)格式
polkit
	Authorization Manager
	授权管理器
polkitd
	The polkit system daemon
	polkit系统守护进程
popd
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
portablectl
	Attach, detach or inspect portable service images
	附加、分离或检查便携式服务图像
postlogin
	Common configuration file for PAMified services
	pamized服务的通用配置文件
poweroff
	Halt, power-off or reboot the machine
	暂停、关机或重新启动机器
pr
	convert text files for printing
	转换文本文件用于打印
preconv
	convert encoding of input files to something GNU troff understands
	将输入文件的编码转换成GNU troff能够理解的东西
prime
	compute prime numbers
	计算素数
printenv
	print all or part of environment
	打印环境的全部或部分
printf
	format and print data
	格式化和打印数据
prlimit
	get and set process resource limits
	获取和设置进程资源限制
procps
	report a snapshot of the current processes.
	报告当前进程的快照。
projects
	persistent project root definition
	持久的项目根定义
projid
	the project name mapping file
	项目名称映射文件
proxy-certificates
	Proxy certificates in OpenSSL
	OpenSSL中的代理证书
ps
	report a snapshot of the current processes.
	报告当前进程的快照。
psfaddtable
	add a Unicode character table to a console font
	为控制台字体添加Unicode字符表
psfgettable
	extract the embedded Unicode character table from a console font
	从控制台字体中提取嵌入的Unicode字符表
psfstriptable
	remove the embedded Unicode character table from a console font
	从控制台字体中移除嵌入的Unicode字符表
psfxtable
	handle Unicode character tables for console fonts
	处理控制台字体的Unicode字符表
ptx
	produce a permuted index of file contents
	生成文件内容的排列索引
pushd
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
pvchange
	Change attributes of physical volume(s)
	更改物理卷的属性
pvck
	Check metadata on physical volumes
	检查物理卷的元数据
pvcreate
	Initialize physical volume(s) for use by LVM
	初始化物理卷供LVM使用
pvdisplay
	Display various attributes of physical volume(s)
	显示物理卷的各种属性
pvmove
	Move extents from one physical volume to another
	将范围从一个物理卷移动到另一个物理卷
pvremove
	Remove LVM label(s) from physical volume(s)
	从物理卷中移除LVM标签
pvresize
	Resize physical volume(s)
	调整物理卷(s)
pvs
	Display information about physical volumes
	显示物理卷信息
pvscan
	List all physical volumes
	列出所有物理卷
pwck
	verify integrity of password files
	验证密码文件的完整性
pwconv
	convert to and from shadow passwords and groups
	转换影子密码和组
pwd
	print name of current/working directory
	打印当前/工作目录的名称
pwdx
	report current working directory of a process
	报告进程的当前工作目录
pwhistory_helper
	Helper binary that transfers password hashes from passwd or shadow to opasswd
	将密码哈希值从passwd或shadow传输到passwd的辅助二进制文件
pwmake
	simple tool for generating random relatively easily pronounceable passwords
	简单的工具生成随机相对容易发音的密码
pwquality.conf
	configuration for the libpwquality library
	libpwquality库的配置
pwscore
	simple configurable tool for checking quality of a password
	简单的可配置工具检查质量的密码
pwunconv
	convert to and from shadow passwords and groups
	转换影子密码和组
python
	info on how to set up the `python` command.
	关于如何设置' python '命令的信息。
python3.6
	an interpreted, interactive, object-oriented programming language
	一种解释的、交互式的、面向对象的程序设计语言

以r开头的命令

rand
	RAND 7ssl rand 1ssl
	RAND 7ssl RAND 1ssl
rand_drbg
	the deterministic random bit generator
	确定性随机比特发生器
rand~1ssl

raw
	bind a Linux raw character device
	绑定Linux原始字符设备
rawdevices
	bind a Linux raw character device
	绑定Linux原始字符设备
rdisc
	network router discovery daemon
	网络路由器发现守护进程
rdma
	RDMA tool
	RDMA工具
rdma-dev
	RDMA device configuration
	RDMA设备配置
rdma-link
	rdma link configuration
	rdma链接配置
rdma-ndd
	RDMA-NDD 8 rdma-ndd 8
	RDMA-NDD 8 Rdma-ndd 8
rdma-ndd~8
	RDMA device Node Description update daemon
	RDMA设备更新守护进程
rdma-resource
	rdma resource configuration
	rdma资源配置
rdma-statistic
	RDMA statistic counter configuration
	RDMA统计计数器配置
rdma-system
	RDMA subsystem configuration
	RDMA子系统配置
read
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
reada

readdir
	directory input parser for gawk
	目录输入解析器gawk
readfile
	return the entire contents of a file as a string
	以字符串形式返回文件的全部内容
readlink
	print resolved symbolic links or canonical file names
	打印解析的符号链接或规范文件名
readonly
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
readprofile
	read kernel profiling information
	读取内核概要信息
realpath
	print the resolved path
	打印解析的路径
reboot
	Halt, power-off or reboot the machine
	暂停、关机或重新启动机器
recode-sr-latin
	convert Serbian text from Cyrillic to Latin script
	将塞尔维亚文字从西里尔文字转换为拉丁文字
rehash
	Create symbolic links to files named by the hash values
	创建指向以散列值命名的文件的符号链接
removable_context
	The SELinux removable devices context configuration file
	SELinux可移动设备上下文配置文件
rename
	rename files
	重命名文件
renice
	alter priority of running processes
	修改进程的优先级
req
	PKCS#10 certificate request and certificate generating utility
	PKCS#10证书请求和证书生成工具
rescan-scsi-bus.sh
	script to add and remove SCSI devices without rebooting
	脚本可以在不重启的情况下添加和删除SCSI设备
reset
	terminal initialization
	终端初始化
resize2fs
	ext2/ext3/ext4 file system resizer
	调整Ext2 /ext3/ext4文件系统大小
resizecons
	change kernel idea of the console size
	改变控制台大小的内核概念
resizepart
	tell the kernel about the new size of a partition
	告诉内核分区的新大小
resolvconf
	Resolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver
	解析域名、IPV4和IPv6地址、DNS资源记录和服务;内省并重新配置DNS解析器
resolvectl
	Resolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver
	解析域名、IPV4和IPv6地址、DNS资源记录和服务;内省并重新配置DNS解析器
resolved.conf
	Network Name Resolution configuration files
	网络名称解析配置文件
resolved.conf.d
	Network Name Resolution configuration files
	网络名称解析配置文件
restorecon
	restore file(s) default SELinux security contexts.
	恢复文件默认的SELinux安全上下文。
restorecon_xattr
	manage security.restorecon_last extended attribute entries added by setfiles (8) or restorecon (8).
	管理安全。Restorecon_last扩展属性项由setfiles(8)或restorerecon(8)添加。
return
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
rev
	reverse lines characterwise
	反向行characterwise
revoutput
	Reverse output strings sample extension
	反向输出字符串示例扩展
revtwoway
	Reverse strings sample two-way processor extension
	反向字符串样本双向处理器扩展
rfkill
	tool for enabling and disabling wireless devices
	启用和禁用无线设备的工具
rm
	remove files or directories
	删除文件或目录
rmdir
	remove empty directories
	删除空目录
rmmod
	Simple program to remove a module from the Linux Kernel
	从Linux内核中删除一个模块的简单程序
routef
	flush routes
	冲洗路线
routel
	list routes with pretty output format
	用漂亮的输出格式列出路由
rpm
	RPM Package Manager
	RPM包管理器
rpm-misc
	lesser need options for rpm(8)
	较少需要rpm选项(8)
rpm-plugin-systemd-inhibit
	Plugin for the RPM Package Manager
	RPM包管理器插件
rpm2cpio
	Extract cpio archive from RPM Package Manager (RPM) package.
	从RPM包中提取cpio文件。
rpmdb
	RPM Database Tool
	RPM数据库工具
rpmkeys
	RPM Keyring
	RPM密匙环
rsa
	RSA key processing tool
	RSA密钥处理工具
rsa-pss
	EVP_PKEY RSA-PSS algorithm support
	EVP_PKEY RSA-PSS算法支持
rsautl
	RSA utility
	RSA公用事业
rsyslog.conf
	rsyslogd(8) configuration file
	rsyslogd(8)配置文件
rsyslogd
	reliable and extended syslogd
	可靠和扩展的syslog日志
rtacct
	network statistics tools.
	网络统计工具。
rtcwake
	enter a system sleep state until specified wakeup time
	进入系统休眠状态,直到指定的唤醒时间
rtmon
	listens to and monitors RTnetlink
	监听和监控RTnetlink
rtpr
	replace backslashes with newlines.
	用换行替换反斜杠。
rtstat
	unified linux network statistics
	Linux统一网络统计
run-parts
	configuration and scripts for running periodical jobs
	用于运行定期作业的配置和脚本
runcon
	run command with specified SELinux security context
	使用指定的SELinux安全上下文运行命令
runlevel
	Print previous and current SysV runlevel
	打印以前和现在的SysV运行级别
runuser
	run a command with substitute user and group ID
	使用替代用户和组ID运行命令
rvi
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
rview
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
rvim
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
rwarray
	write and read gawk arrays to/from files
	在文件中写入和读取gawk数组
rxe
	Software RDMA over Ethernet
	基于以太网的软件RDMA

以s开头的命令

s_client
	SSL/TLS client program
	SSL / TLS客户机程序
s_server
	SSL/TLS server program
	SSL / TLS服务器程序
s_time
	SSL/TLS performance timing program
	SSL/TLS性能定时程序
sandbox
	Run cmd under an SELinux sandbox
	在SELinux沙箱下运行cmd
scdaemon
	Smartcard daemon for the GnuPG system
	GnuPG系统的智能卡守护进程
scp
	secure copy (remote file copy program)
	安全拷贝(远程文件拷贝程序)
scr_dump
	format of curses screen-dumps.
	诅咒屏幕转储的格式。
script
	make typescript of terminal session
	制作终端会话的打字稿
scriptreplay
	play back typescripts, using timing information
	使用定时信息回放打字脚本
scrypt
	EVP_PKEY scrypt KDF support
	EVP_PKEY加密 KDF 支持
scsi-rescan
	script to add and remove SCSI devices without rebooting
	脚本可以在不重启的情况下添加和删除SCSI设备
scsi_logging_level
	access Linux SCSI logging level information
	访问Linux SCSI日志级别信息
scsi_mandat
	check SCSI device support for mandatory commands
	检查SCSI设备对强制命令的支持
scsi_readcap
	do SCSI READ CAPACITY command on disks
	磁盘上是否有SCSI READ CAPACITY命令
scsi_ready
	do SCSI TEST UNIT READY on devices
	SCSI测试单元准备好了吗
scsi_satl
	check SCSI to ATA Translation (SAT) device support
	检查SCSI到ATA转换(SAT)设备支持
scsi_start
	start one or more SCSI disks
	启动一个或多个SCSI磁盘
scsi_stop
	stop (spin down) one or more SCSI disks
	stop (spin down)一个或多个SCSI磁盘
scsi_temperature
	fetch the temperature of a SCSI device
	获取SCSI设备的温度
sd-boot
	A simple UEFI boot manager
	一个简单的UEFI启动管理器
sdiff
	side-by-side merge of file differences
	并排合并文件差异
secmod.db
	Legacy NSS security modules database
	遗留的NSS安全模块数据库
secolor.conf
	The SELinux color configuration file
	SELinux颜色配置文件
secon
	See an SELinux context, from a file, program or user input.
	从文件、程序或用户输入中查看SELinux上下文。
secret-tool
	Store and retrieve passwords
	存储和检索密码
securetty_types
	The SELinux secure tty type configuration file
	SELinux安全tty类型配置文件
sed
	stream editor for filtering and transforming text
	用于过滤和转换文本的流编辑器
sefcontext_compile
	compile file context regular expression files
	编译文件上下文正则表达式文件
selabel_db
	userspace SELinux labeling interface and configuration file format for the RDBMS objects context backend
	RDBMS对象上下文后端的用户空间SELinux标记接口和配置文件格式
selabel_file
	userspace SELinux labeling interface and configuration file format for the file contexts backend
	用户空间SELinux标签界面和文件上下文后端配置文件格式
selabel_media
	userspace SELinux labeling interface and configuration file format for the media contexts backend
	用户空间SELinux标签界面和媒体上下文后端配置文件格式
selabel_x
	userspace 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客户端的默认上下文
selinux
	SELinux 8 selinux 8
	SELinux 8 selinux 8
selinux_config
	The SELinux sub-system configuration file.
	SELinux子系统配置文件。
selinuxconlist
	list all SELinux context reachable for user
	列出用户可访问的所有SELinux上下文
selinuxdefcon
	report default SELinux context for user
	为用户报告默认SELinux上下文
selinuxenabled
	tool to be used within shell scripts to determine if selinux is enabled
	在shell脚本中使用的工具,用于确定是否启用了selinux
selinuxexeccon
	report SELinux context used for this executable
	报告用于此可执行文件的SELinux上下文
selinux~8
	NSA Security-Enhanced Linux (SELinux)
	NSA安全增强Linux (SELinux)
semanage
	SELinux Policy Management tool
	SELinux Policy管理工具
semanage-boolean
	SELinux Policy Management boolean tool
	SELinux Policy管理布尔型工具
semanage-dontaudit
	SELinux Policy Management dontaudit tool
	SELinux策略管理不审计工具
semanage-export
	SELinux Policy Management import tool
	SELinux Policy管理导入工具
semanage-fcontext
	SELinux Policy Management file context tool
	SELinux Policy管理文件上下文工具
semanage-ibendport
	SELinux Policy Management ibendport mapping tool
	SELinux Policy Management ibendport映射工具
semanage-ibpkey
	SELinux Policy Management ibpkey mapping tool
	SELinux Policy Management ibpkey映射工具
semanage-import
	SELinux Policy Management import tool
	SELinux Policy管理导入工具
semanage-interface
	SELinux Policy Management network interface tool
	SELinux Policy管理网口工具
semanage-login
	SELinux Policy Management linux user to SELinux User mapping tool
	SELinux策略管理linux用户到SELinux用户映射工具
semanage-module
	SELinux Policy Management module mapping tool
	SELinux Policy管理模块映射工具
semanage-node
	SELinux Policy Management node mapping tool
	SELinux Policy管理节点映射工具
semanage-permissive
	SELinux Policy Management permissive mapping tool
	SELinux Policy管理权限映射工具
semanage-port
	SELinux Policy Management port mapping tool
	SELinux Policy管理端口映射工具
semanage-user
	SELinux Policy Management SELinux User mapping tool
	SELinux策略管理SELinux用户映射工具
semanage.conf
	global configuration file for the SELinux Management library
	SELinux Management库的全局配置文件
semodule
	Manage SELinux policy modules.
	管理SELinux策略模块。
semodule_expand
	Expand a SELinux policy module package.
	展开SELinux策略模块包。
semodule_link
	Link SELinux policy module packages together
	将SELinux策略模块包链接在一起
semodule_package
	Create a SELinux policy module package.
	创建SELinux策略模块包。
semodule_unpackage
	Extract policy module and file context file from an SELinux policy module package.
	从SELinux策略模块包中提取策略模块和文件上下文文件。
sepermit.conf
	configuration file for the pam_sepermit module
	pam_sepermit模块的配置文件
sepgsql_contexts
	userspace SELinux labeling interface and configuration file format for the RDBMS objects context backend
	RDBMS对象上下文后端的用户空间SELinux标记接口和配置文件格式
seq
	print a sequence of numbers
	打印一个数字序列
service
	run a System V init script
	执行System V的init脚本
service_seusers
	The SELinux GNU/Linux user and service to SELinux user mapping configuration files
	SELinux GNU/Linux用户和服务到SELinux用户的映射配置文件
sess_id
	SSL/TLS session handling utility
	SSL/TLS会话处理实用程序
sestatus
	SELinux status tool
	SELinux地位的工具
sestatus.conf
	The sestatus(8) configuration file.
	sestatus(8)配置文件。
set
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
setarch
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
setcap
	set file capabilities
	设置文件能力
setenforce
	modify the mode SELinux is running in
	修改SELinux正在运行的模式
setfacl
	set file access control lists
	设置文件访问控制列表
setfiles
	set SELinux file security contexts.
	设置SELinux文件安全上下文。
setfont
	load EGA/VGA console screen font
	加载EGA/VGA控制台屏幕字体
setkeycodes
	load kernel scancode-to-keycode mapping table entries
	加载内核scancode-to-keycode映射表项
setleds
	set the keyboard leds
	设置键盘指示灯
setmetamode
	define the keyboard meta key handling
	定义键盘元键处理
setpci
	configure PCI devices
	配置PCI设备
setpriv
	run a program with different Linux privilege settings
	使用不同的Linux权限设置运行一个程序
setsebool
	set SELinux boolean value
	设置SELinux布尔值
setsid
	run a program in a new session
	在一个新的会话中运行一个程序
setterm
	set terminal attributes
	设置终端属性
setup-nsssysinit
	Query or enable the nss-sysinit module
	查询或使能nss-sysinit模块
setvtrgb
	set the virtual terminal RGB colors
	设置虚拟终端的RGB颜色
seusers
	The SELinux GNU/Linux user to SELinux user mapping configuration file
	SELinux GNU/Linux用户到SELinux用户映射配置文件
sfdisk
	display or manipulate a disk partition table
	显示或操作磁盘分区表
sftp
	secure file transfer program
	安全文件传输程序
sftp-server
	SFTP server subsystem
	SFTP服务器子系统
sg
	execute command as different group ID
	执行命令使用不同的组ID
sg3_utils
	a package of utilities for sending SCSI commands
	用于发送SCSI命令的实用程序包
sg_bg_ctl
	send SCSI BACKGROUND CONTROL command
	发送SCSI后台控制命令
sg_compare_and_write
	send the SCSI COMPARE AND WRITE command
	发送SCSI比较和写命令
sg_copy_results
	send SCSI RECEIVE COPY RESULTS command (XCOPY related)
	发送SCSI接收COPY RESULTS命令(XCOPY相关)
sg_dd
	copy data to and from files and devices, especially SCSI devices
	从文件和设备(特别是SCSI设备)复制数据
sg_decode_sense
	decode SCSI sense and related data
	解码SCSI感觉和相关数据
sg_emc_trespass
	change ownership of SCSI LUN from another Service-Processor to this one
	将SCSI LUN的所有权从另一个服务处理器更改为这个
sg_format
	format, resize a SCSI disk or format a tape
	格式化、调整SCSI磁盘大小或格式化磁带
sg_get_config
	send SCSI GET CONFIGURATION command (MMC-4 +)
	发送SCSI GET配置命令(MMC-4 +)
sg_get_lba_status
	send SCSI GET LBA STATUS(16 or 32) command
	send SCSI GET LBA STATUS(16或32)命令
sg_ident
	send SCSI REPORT/SET IDENTIFYING INFORMATION command
	发送SCSI报告/设置识别信息命令
sg_inq
	issue SCSI INQUIRY command and/or decode its response
	发出SCSI INQUIRY命令和/或解码它的响应
sg_logs
	access log pages with SCSI LOG SENSE command
	使用SCSI log SENSE命令访问日志页面
sg_luns
	send SCSI REPORT LUNS command or decode given LUN
	发送SCSI REPORT LUN命令或解码给定的LUN
sg_map
	displays mapping between Linux sg and other SCSI devices
	显示Linux sg和其他SCSI设备之间的映射
sg_map26
	map SCSI generic (sg) device to corresponding device names
	将SCSI通用(sg)设备映射到相应的设备名
sg_modes
	reads mode pages with SCSI MODE SENSE command
	使用SCSI mode SENSE命令读取模式页面
sg_opcodes
	report supported SCSI commands or task management functions
	报告支持SCSI命令或任务管理功能
sg_persist
	use SCSI PERSISTENT RESERVE command to access registrations and reservations
	使用SCSI PERSISTENT RESERVE命令访问注册和预订
sg_prevent
	send SCSI PREVENT ALLOW MEDIUM REMOVAL command
	发送SCSI阻止允许介质移除命令
sg_raw
	send arbitrary SCSI command to a device
	发送任意SCSI命令到设备
sg_rbuf
	reads data using SCSI READ BUFFER command
	使用SCSI READ BUFFER命令读取数据
sg_rdac
	display or modify SCSI RDAC Redundant Controller mode page
	显示或修改“SCSI RDAC冗余控制器模式”界面
sg_read
	read multiple blocks of data, optionally with SCSI READ commands
	读取多个数据块,可选使用SCSI read命令
sg_read_attr
	send SCSI READ ATTRIBUTE command
	发送SCSI READ属性命令
sg_read_block_limits
	send SCSI READ BLOCK LIMITS command
	发送SCSI读块限制命令
sg_read_buffer
	send SCSI READ BUFFER command
	发送SCSI读缓冲区命令
sg_read_long
	send a SCSI READ LONG command
	发送SCSI读长命令
sg_readcap
	send SCSI READ CAPACITY command
	发送SCSI READ CAPACITY命令
sg_reassign
	send SCSI REASSIGN BLOCKS command
	发送SCSI重新分配块命令
sg_referrals
	send SCSI REPORT REFERRALS command
	发送SCSI报告引用命令
sg_rep_zones
	send SCSI REPORT ZONES command
	发送SCSI REPORT ZONES命令
sg_requests
	send one or more SCSI REQUEST SENSE commands
	发送一个或多个SCSI REQUEST SENSE命令
sg_reset
	sends SCSI device, target, bus or host reset; or checks reset state
	发送SCSI设备、目标、总线或主机复位;或者检查复位状态
sg_reset_wp
	send SCSI RESET WRITE POINTER command
	发送SCSI RESET WRITE POINTER命令
sg_rmsn
	send SCSI READ MEDIA SERIAL NUMBER command
	发送SCSI读媒体序列号命令
sg_rtpg
	send SCSI REPORT TARGET PORT GROUPS command
	发送SCSI报告目标端口组命令
sg_safte
	access SCSI Accessed Fault-Tolerant Enclosure (SAF-TE) device
	access SCSI access Fault-Tolerant Enclosure (saft - te)设备
sg_sanitize
	remove all user data from disk with SCSI SANITIZE command
	使用SCSI SANITIZE命令删除磁盘上的所有用户数据
sg_sat_identify
	send ATA IDENTIFY DEVICE command via SCSI to ATA Translation (SAT) layer
	通过SCSI向ATA Translation (SAT)层发送ATA IDENTIFY DEVICE命令
sg_sat_phy_event
	use 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_gplog
	use ATA READ LOG EXT command via a SCSI to ATA Translation (SAT) layer
	通过SCSI到ATA Translation (SAT)层使用ATA READ LOG EXT命令
sg_sat_set_features
	use ATA SET FEATURES command via a SCSI to ATA Translation (SAT) layer
	通过SCSI到ATA转换(SAT)层使用ATA SET FEATURES命令
sg_scan
	scans sg devices (or SCSI/ATAPI/ATA devices) and prints results
	扫描sg设备(或SCSI/ATAPI/ATA设备)并打印结果
sg_seek
	send SCSI SEEK, PRE-FETCH(10) or PRE-FETCH(16) command
	发送SCSI SEEK,预取(10)或预取(16)命令
sg_senddiag
	performs a SCSI SEND DIAGNOSTIC command
	执行SCSI SEND DIAGNOSTIC命令
sg_ses
	access a SCSI Enclosure Services (SES) device
	接入SES (SCSI Enclosure Services)设备
sg_ses_microcode
	send microcode to a SCSI enclosure
	发送微码到SCSI框
sg_start
	send SCSI START STOP UNIT command: start, stop, load or eject medium
	send SCSI START STOP UNIT命令:启动、停止、加载或弹出介质
sg_stpg
	send SCSI SET TARGET PORT GROUPS command
	发送SCSI设置目标端口组命令
sg_stream_ctl
	send SCSI STREAM CONTROL or GET STREAM STATUS command
	发送SCSI流控制或获取流状态命令
sg_sync
	send SCSI SYNCHRONIZE CACHE command
	send SCSI SYNCHRONIZE CACHE命令
sg_test_rwbuf
	test a SCSI host adapter by issuing dummy writes and reads
	通过发出虚拟的写和读来测试SCSI主机适配器
sg_timestamp
	report or set timestamp on SCSI device
	报告或设置SCSI设备上的时间戳
sg_turs
	send one or more SCSI TEST UNIT READY commands
	发送一个或多个SCSI测试单元READY命令
sg_unmap
	send SCSI UNMAP command (known as ’trim’ in ATA specs)
	发送SCSI UNMAP命令(在ATA规格中称为“修剪”)
sg_verify
	invoke SCSI VERIFY command(s) on a block device
	在块设备上调用SCSI VERIFY命令
sg_vpd
	fetch SCSI VPD page and/or decode its response
	fetch SCSI VPD页面和/或解码其响应
sg_wr_mode
	write (modify) SCSI mode page
	write (modify) SCSI模式页面
sg_write_and_verify

sg_write_buffer
	send SCSI WRITE BUFFER commands
	发送SCSI WRITE BUFFER命令
sg_write_long
	send SCSI WRITE LONG command
	发送SCSI写长命令
sg_write_same
	send SCSI WRITE SAME command
	发送SCSI写相同的命令
sg_write_verify
	send the SCSI WRITE AND VERIFY command
	发送SCSI WRITE AND VERIFY命令
sg_write_x
	SCSI WRITE normal/ATOMIC/SAME/SCATTERED/STREAM, ORWRITE commands
	SCSI写普通/原子/相同/分散/流,或写命令
sg_xcopy
	copy data to and from files and devices using SCSI EXTENDED COPY (XCOPY)
	使用SCSI扩展拷贝(XCOPY)从文件和设备复制数据
sg_zone
	send SCSI OPEN, CLOSE, FINISH or SEQUENTIALIZE ZONE command
	发送SCSI OPEN, CLOSE, FINISH或SEQUENTIALIZE ZONE命令
sgdisk
	Command-line GUID partition table (GPT) manipulator for Linux and Unix
	Linux和Unix的命令行GUID分区表(GPT)操纵符
sginfo
	access mode page information for a SCSI (or ATAPI) device
	SCSI(或ATAPI)设备的访问模式页面信息
sgm_dd
	copy data to and from files and devices, especially SCSI devices
	从文件和设备(特别是SCSI设备)复制数据
sgp_dd
	copy data to and from files and devices, especially SCSI devices
	从文件和设备(特别是SCSI设备)复制数据
sh
	GNU Bourne-Again SHell
	GNU Bourne-Again壳
sha1sum
	compute and check SHA1 message digest
	计算并检查SHA1消息摘要
sha224sum
	compute and check SHA224 message digest
	计算并检查SHA224消息摘要
sha256sum
	compute and check SHA256 message digest
	计算并检查SHA256消息摘要
sha384sum
	compute and check SHA384 message digest
	计算并检查SHA384消息摘要
sha512sum
	compute and check SHA512 message digest
	计算并检查SHA512消息摘要
shadow
	shadow 5 shadow 3
	阴影5阴影3
shadow~3
	encrypted password file routines
	加密密码文件例程
shadow~5
	shadowed password file
	阴影口令文件
shift
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
shopt
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
showconsolefont
	Show the current EGA/VGA console screen font
	显示当前EGA/VGA控制台屏幕字体
showkey
	examine the codes sent by the keyboard
	检查键盘发送的代码
shred
	overwrite a file to hide its contents, and optionally delete it
	覆盖文件以隐藏其内容,并可选地删除它
shuf
	generate random permutations
	生成随机排列
shutdown
	Halt, power-off or reboot the machine
	暂停、关机或重新启动机器
skill
	send a signal or report process status
	发送信号或报告进程状态
slabtop
	display kernel slab cache information in real time
	实时显示内核slab cache信息
sleep
	delay for a specified amount of time
	延迟指定的时间
sleep.conf.d
	Suspend and hibernation configuration file
	暂停和休眠配置文件
sm2
	Chinese SM2 signature and encryption algorithm support
	中文SM2签名和加密算法支持
smartcard-auth
	Common configuration file for PAMified services
	pamized服务的通用配置文件
smime
	S/MIME utility
	S / MIME效用
snice
	send a signal or report process status
	发送信号或报告进程状态
soelim
	interpret .so requests in groff input
	解释groff输入中的请求
sort
	sort lines of text files
	对文本文件行进行排序
source
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
speed
	test library performance
	测试库性能
spkac
	SPKAC printing and generating utility
	SPKAC打印和生成实用程序
split
	split a file into pieces
	将文件分割成几个部分
srp
	maintain SRP password file
	维护SRP密码文件
ss
	another utility to investigate sockets
	另一个研究套接字的实用程序
ssh
	OpenSSH SSH client (remote login program)
	OpenSSH SSH客户端(远程登录程序)
ssh-add
	adds private key identities to the authentication agent
	向身份验证代理添加私钥身份
ssh-agent
	authentication agent
	认证代理
ssh-copy-id
	use locally available keys to authorise logins on a remote machine
	使用本地可用的密钥授权远程计算机上的登录
ssh-keygen
	authentication key generation, management and conversion
	认证密钥的生成、管理和转换
ssh-keyscan
	gather SSH public keys
	收集SSH公钥
ssh-keysign
	ssh helper program for host-based authentication
	SSH助手程序的主机认证
ssh-pkcs11-helper
	ssh-agent helper program for PKCS#11 support
	支持PKCS#11的ssh-agent助手程序
ssh_config
	OpenSSH SSH client configuration files
	OpenSSH SSH客户端配置文件
sshd
	OpenSSH SSH daemon
	OpenSSH SSH守护进程
sshd_config
	OpenSSH SSH daemon configuration file
	OpenSSH SSH守护进程配置文件
ssl
	OpenSSL SSL/TLS library
	OpenSSL库SSL / TLS
sslpasswd
	compute password hashes
	计算密码散列
sslrand
	generate pseudo-random bytes
	生成伪随机字节
sss-certmap
	SSSD Certificate Matching and Mapping Rules
	SSSD证书匹配和映射规则
sss_cache
	perform cache cleanup
	执行缓存清理
sss_rpcidmapd
	sss plugin configuration directives for rpc.idmapd
	用于rpc.idmapd的SSS插件配置指令
sss_ssh_authorizedkeys
	get OpenSSH authorized keys
	获取OpenSSH授权的密钥
sss_ssh_knownhostsproxy
	get OpenSSH host keys
	获取OpenSSH主机密钥
sssd
	System Security Services Daemon
	系统安全服务守护进程
sssd-files
	SSSD files provider
	SSSD文件提供者
sssd-kcm
	SSSD Kerberos Cache Manager
	SSSD Kerberos缓存管理器
sssd-session-recording
	Configuring session recording with SSSD
	配置SSSD会话记录
sssd-simple
	the configuration file for SSSD’s ’simple’ access-control provider
	SSSD的“simple”访问控制提供程序的配置文件
sssd-sudo
	Configuring sudo with the SSSD back end
	使用SSSD后端配置sudo
sssd-systemtap
	SSSD systemtap information
	SSSD systemtap的信息
sssd.conf
	the configuration file for SSSD
	SSSD配置文件
sssd_krb5_locator_plugin
	Kerberos locator plugin
	Kerberos定位器插件
stat
	display file or file system status
	显示文件或文件系统状态
stdbuf
	Run COMMAND, with modified buffering operations for its standard streams.
	运行COMMAND,修改了标准流的缓冲操作。
storeutl
	STORE utility
	存储工具
stty
	change and print terminal line settings
	更改并打印终端行设置
su
	run a command with substitute user and group ID
	使用替代用户和组ID运行命令
subgid
	the subordinate gid file
	从属的gid文件
subuid
	the subordinate uid file
	从属uid文件
sudo
	execute a command as another user
	以其他用户执行命令
sudo-ldap.conf
	sudo LDAP configuration
	sudo LDAP配置
sudo.conf
	configuration for sudo front end
	sudo前端配置
sudoedit
	execute a command as another user
	以其他用户执行命令
sudoers
	default sudo security policy plugin
	默认的sudo安全策略插件
sudoers.ldap
	sudo LDAP configuration
	sudo LDAP配置
sudoers_timestamp
	Sudoers Time Stamp Format
	Sudoers时间戳格式
sudoreplay
	replay sudo session logs
	重放sudo会话日志
sulogin
	single-user login
	单用户登录
sum
	checksum and count the blocks in a file
	对文件中的块进行校验和计数
suspend
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
swaplabel
	print or change the label or UUID of a swap area
	打印或更改交换区标签或UUID
swapoff
	enable/disable devices and files for paging and swapping
	启用/禁用用于分页和交换的设备和文件
swapon
	enable/disable devices and files for paging and swapping
	启用/禁用用于分页和交换的设备和文件
switch_root
	switch to another filesystem as the root of the mount tree
	切换到另一个文件系统作为挂载树的根
symcryptrun
	Call a simple symmetric encryption tool
	调用一个简单的对称加密工具
sync
	Synchronize cached writes to persistent storage
	将缓存写同步到持久存储
sysctl
	configure kernel parameters at runtime
	在运行时配置内核参数
sysctl.conf
	sysctl preload/configuration file
	sysctl预加载/配置文件
sysctl.d
	Configure kernel parameters at boot
	在引导时配置内核参数
syspurpose
	Set the intended purpose for this system
	设置此系统的预期用途
system-auth
	Common configuration file for PAMified services
	pamized服务的通用配置文件
system.conf.d
	System and session service manager configuration files
	系统和会话服务管理器配置文件
systemctl
	Control the systemd system and service manager
	控制systemd系统和服务管理器
systemd
	systemd system and service manager
	Systemd系统和服务经理
systemd-analyze
	Analyze and debug system manager
	分析和调试系统管理员
systemd-ask-password
	Query the user for a system password
	使用实例查询系统密码的用户
systemd-ask-password-console.path
	Query the user for system passwords on the console and via wall
	通过控制台和墙壁查询用户的系统密码
systemd-ask-password-console.service
	Query the user for system passwords on the console and via wall
	通过控制台和墙壁查询用户的系统密码
systemd-ask-password-wall.path
	Query the user for system passwords on the console and via wall
	通过控制台和墙壁查询用户的系统密码
systemd-ask-password-wall.service
	Query the user for system passwords on the console and via wall
	通过控制台和墙壁查询用户的系统密码
systemd-backlight
	Load and save the display backlight brightness at boot and shutdown
	加载并保存开机和关机时显示背光亮度
systemd-backlight@.service
	Load and save the display backlight brightness at boot and shutdown
	加载并保存开机和关机时显示背光亮度
systemd-binfmt
	Configure additional binary formats for executables at boot
	在引导时为可执行文件配置额外的二进制格式
systemd-binfmt.service
	Configure additional binary formats for executables at boot
	在引导时为可执行文件配置额外的二进制格式
systemd-boot
	A simple UEFI boot manager
	一个简单的UEFI启动管理器
systemd-cat
	Connect a pipeline or program’s output with the journal
	将管道或程序的输出与日志连接起来
systemd-cgls
	Recursively show control group contents
	递归显示控件组内容
systemd-cgtop
	Show top control groups by their resource usage
	显示top控件组的资源使用情况
systemd-coredump
	Acquire, save and process core dumps
	获取、保存和处理核心转储
systemd-coredump.socket
	Acquire, save and process core dumps
	获取、保存和处理核心转储
systemd-coredump@.service
	Acquire, save and process core dumps
	获取、保存和处理核心转储
systemd-cryptsetup
	Full disk decryption logic
	全磁盘解密逻辑
systemd-cryptsetup-generator
	Unit generator for /etc/crypttab
	单位生成器/etc/ cryptab
systemd-cryptsetup@.service
	Full disk decryption logic
	全磁盘解密逻辑
systemd-debug-generator
	Generator for enabling a runtime debug shell and masking specific units at boot
	用于启动运行时调试shell和屏蔽特定单元的生成器
systemd-delta
	Find overridden configuration files
	查找重写的配置文件
systemd-detect-virt
	Detect execution in a virtualized environment
	检测虚拟化环境中的执行
systemd-environment-d-generator
	Load variables specified by environment.d
	由environment.d指定的加载变量
systemd-escape
	Escape strings for usage in systemd unit names
	用于systemd单元名称的转义字符串
systemd-firstboot
	Initialize basic system settings on or before the first boot-up of a system
	在系统第一次启动时或之前初始化基本系统设置
systemd-firstboot.service
	Initialize basic system settings on or before the first boot-up of a system
	在系统第一次启动时或之前初始化基本系统设置
systemd-fsck
	File system checker logic
	文件系统检查逻辑
systemd-fsck-root.service
	File system checker logic
	文件系统检查逻辑
systemd-fsck@.service
	File system checker logic
	文件系统检查逻辑
systemd-fstab-generator
	Unit generator for /etc/fstab
	/etc/fstab的单位生成器
systemd-getty-generator
	Generator for enabling getty instances on the console
	在控制台上启用getty实例的生成器
systemd-gpt-auto-generator
	Generator 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-growfs
	Creating and growing file systems on demand
	根据需要创建和增长文件系统
systemd-growfs@.service
	Creating and growing file systems on demand
	根据需要创建和增长文件系统
systemd-halt.service
	System shutdown logic
	系统关机逻辑
systemd-hibernate-resume
	Resume from hibernation
	从休眠状态恢复
systemd-hibernate-resume-generator
	Unit generator for resume= kernel parameter
	resume= kernel参数的单位生成器
systemd-hibernate-resume@.service
	Resume from hibernation
	从休眠状态恢复
systemd-hibernate.service
	System sleep state logic
	系统休眠状态逻辑
systemd-hostnamed
	Host name bus mechanism
	主机名总线机制
systemd-hostnamed.service
	Host name bus mechanism
	主机名总线机制
systemd-hwdb
	hardware database management tool
	硬件数据库管理工具
systemd-hybrid-sleep.service
	System sleep state logic
	系统休眠状态逻辑
systemd-inhibit
	Execute 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-journald
	Journal service
	日志服务
systemd-journald-audit.socket
	Journal service
	日志服务
systemd-journald-dev-log.socket
	Journal service
	日志服务
systemd-journald.service
	Journal service
	日志服务
systemd-journald.socket
	Journal service
	日志服务
systemd-kexec.service
	System shutdown logic
	系统关机逻辑
systemd-localed
	Locale bus mechanism
	现场总线机制
systemd-localed.service
	Locale bus mechanism
	现场总线机制
systemd-logind
	Login manager
	登录管理器
systemd-logind.service
	Login manager
	登录管理器
systemd-machine-id-commit.service
	Commit a transient machine ID to disk
	提交一个临时机器ID到磁盘
systemd-machine-id-setup
	Initialize the machine ID in /etc/machine-id
	初始化/etc/machine-id中的机器ID
systemd-makefs
	Creating and growing file systems on demand
	根据需要创建和增长文件系统
systemd-makefs@.service
	Creating and growing file systems on demand
	根据需要创建和增长文件系统
systemd-makeswap@.service
	Creating and growing file systems on demand
	根据需要创建和增长文件系统
systemd-modules-load
	Load kernel modules at boot
	在引导时加载内核模块
systemd-modules-load.service
	Load kernel modules at boot
	在引导时加载内核模块
systemd-mount
	Establish and destroy transient mount or auto-mount points
	建立和销毁临时挂载点或自动挂载点
systemd-notify
	Notify service manager about start-up completion and other daemon status changes
	通知服务管理器启动完成和其他守护进程状态的变化
systemd-path
	List and query system and user paths
	列出和查询系统和用户路径
systemd-portabled
	Portable service manager
	便携式服务经理
systemd-portabled.service
	Portable service manager
	便携式服务经理
systemd-poweroff.service
	System shutdown logic
	系统关机逻辑
systemd-quotacheck
	File system quota checker logic
	文件系统配额检查器逻辑
systemd-quotacheck.service
	File system quota checker logic
	文件系统配额检查器逻辑
systemd-random-seed
	Load and save the system random seed at boot and shutdown
	在启动和关闭时加载和保存系统随机种子
systemd-random-seed.service
	Load and save the system random seed at boot and shutdown
	在启动和关闭时加载和保存系统随机种子
systemd-rc-local-generator
	Compatibility generator for starting /etc/rc.local and /usr/sbin/halt.local during boot and shutdown
	兼容性生成器启动/etc/rc.本地和/usr/sbin/halt.本地启动和关机期间
systemd-reboot.service
	System shutdown logic
	系统关机逻辑
systemd-remount-fs
	Remount root and kernel file systems
	重新挂载根和内核文件系统
systemd-remount-fs.service
	Remount root and kernel file systems
	重新挂载根和内核文件系统
systemd-resolved
	Network Name Resolution manager
	网络名称解析管理器
systemd-resolved.service
	Network Name Resolution manager
	网络名称解析管理器
systemd-rfkill
	Load and save the RF kill switch state at boot and change
	在启动和更改时载入和保存RF杀死开关状态
systemd-rfkill.service
	Load and save the RF kill switch state at boot and change
	在启动和更改时载入和保存RF杀死开关状态
systemd-rfkill.socket
	Load and save the RF kill switch state at boot and change
	在启动和更改时载入和保存RF杀死开关状态
systemd-run
	Run programs in transient scope units, service units, or path-, socket-, or timer-triggered service units
	在瞬态作用域单元、服务单元或路径、套接字或定时器触发的服务单元中运行程序
systemd-shutdown
	System shutdown logic
	系统关机逻辑
systemd-sleep
	System sleep state logic
	系统休眠状态逻辑
systemd-sleep.conf
	Suspend and hibernation configuration file
	暂停和休眠配置文件
systemd-socket-activate
	Test socket activation of daemons
	测试守护进程的套接字激活
systemd-socket-proxyd
	Bidirectionally proxy local sockets to another (possibly remote) socket.
	双向代理本地套接字到另一个(可能是远程)套接字。
systemd-suspend-then-hibernate.service
	System sleep state logic
	系统休眠状态逻辑
systemd-suspend.service
	System sleep state logic
	系统休眠状态逻辑
systemd-sysctl
	Configure kernel parameters at boot
	在引导时配置内核参数
systemd-sysctl.service
	Configure kernel parameters at boot
	在引导时配置内核参数
systemd-system-update-generator
	Generator for redirecting boot to offline update mode
	用于重定向引导到脱机更新模式的生成器
systemd-system.conf
	System and session service manager configuration files
	系统和会话服务管理器配置文件
systemd-sysusers
	Allocate system users and groups
	分配系统用户和组
systemd-sysusers.service
	Allocate system users and groups
	分配系统用户和组
systemd-sysv-generator
	Unit generator for SysV init scripts
	SysV初始化脚本的单元生成器
systemd-timedated
	Time and date bus mechanism
	时间和日期总线机制
systemd-timedated.service
	Time and date bus mechanism
	时间和日期总线机制
systemd-tmpfiles
	Creates, deletes and cleans up volatile and temporary files and directories
	创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-clean.service
	Creates, deletes and cleans up volatile and temporary files and directories
	创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-clean.timer
	Creates, deletes and cleans up volatile and temporary files and directories
	创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-setup-dev.service
	Creates, deletes and cleans up volatile and temporary files and directories
	创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-setup.service
	Creates, deletes and cleans up volatile and temporary files and directories
	创建、删除和清理易失性和临时文件和目录
systemd-tty-ask-password-agent
	List or process pending systemd password requests
	列出或处理挂起的systemd密码请求
systemd-udevd
	Device event managing daemon
	设备事件管理守护进程
systemd-udevd-control.socket
	Device event managing daemon
	设备事件管理守护进程
systemd-udevd-kernel.socket
	Device event managing daemon
	设备事件管理守护进程
systemd-udevd.service
	Device event managing daemon
	设备事件管理守护进程
systemd-umount
	Establish and destroy transient mount or auto-mount points
	建立和销毁临时挂载点或自动挂载点
systemd-update-done
	Mark /etc and /var fully updated
	标记/etc和/var完全更新
systemd-update-done.service
	Mark /etc and /var fully updated
	标记/etc和/var完全更新
systemd-update-utmp
	Write audit and utmp updates at bootup, runlevel changes and shutdown
	在启动、运行级更改和关闭时编写审计和utmp更新
systemd-update-utmp-runlevel.service
	Write audit and utmp updates at bootup, runlevel changes and shutdown
	在启动、运行级更改和关闭时编写审计和utmp更新
systemd-update-utmp.service
	Write audit and utmp updates at bootup, runlevel changes and shutdown
	在启动、运行级更改和关闭时编写审计和utmp更新
systemd-user-sessions
	Permit user logins after boot, prohibit user logins at shutdown
	允许用户在开机后登录,禁止用户在关机时登录
systemd-user-sessions.service
	Permit user logins after boot, prohibit user logins at shutdown
	允许用户在开机后登录,禁止用户在关机时登录
systemd-user.conf
	System and session service manager configuration files
	系统和会话服务管理器配置文件
systemd-vconsole-setup
	Configure the virtual consoles
	配置虚拟控制台
systemd-vconsole-setup.service
	Configure the virtual consoles
	配置虚拟控制台
systemd-veritysetup
	Disk integrity protection logic
	磁盘完整性保护逻辑
systemd-veritysetup-generator
	Unit generator for integrity protected block devices
	用于完整性保护块设备的单元发生器
systemd-veritysetup@.service
	Disk integrity protection logic
	磁盘完整性保护逻辑
systemd-volatile-root
	Make the root file system volatile
	使根文件系统易变
systemd-volatile-root.service
	Make the root file system volatile
	使根文件系统易变
systemd.automount
	Automount unit configuration
	加载单元配置
systemd.device
	Device unit configuration
	设备单元配置
systemd.directives
	Index of configuration directives
	配置指令索引
systemd.dnssd
	DNS-SD configuration
	DNS-SD配置
systemd.environment-generator
	systemd environment file generators
	Systemd环境文件生成器
systemd.exec
	Execution environment configuration
	执行环境配置
systemd.generator
	systemd unit generators
	systemd单位发电机
systemd.index
	List all manpages from the systemd project
	列出systemd项目中的所有手册页
systemd.journal-fields
	Special journal fields
	特种日记帐字段
systemd.kill
	Process killing procedure configuration
	进程终止过程配置
systemd.link
	Network device configuration
	网络设备配置
systemd.mount
	Mount unit configuration
	山单元配置
systemd.negative
	DNSSEC trust anchor configuration files
	DNSSEC信任锚配置文件
systemd.net-naming-scheme
	Network device naming schemes
	网络设备命名方案
systemd.nspawn
	Container settings
	容器设置
systemd.offline-updates
	Implementation of offline updates in systemd
	在systemd中实现离线更新
systemd.path
	Path unit configuration
	道路单元配置
systemd.positive
	DNSSEC trust anchor configuration files
	DNSSEC信任锚配置文件
systemd.preset
	Service enablement presets
	服务支持预设
systemd.resource-control
	Resource control unit settings
	资源控制单元设置
systemd.scope
	Scope unit configuration
	单元配置范围
systemd.service
	Service unit configuration
	服务单位配置
systemd.slice
	Slice unit configuration
	片单元配置
systemd.socket
	Socket unit configuration
	套接字单元配置
systemd.special
	Special systemd units
	特殊systemd单位
systemd.swap
	Swap unit configuration
	交换单元的配置
systemd.syntax
	General syntax of systemd configuration files
	systemd配置文件的通用语法
systemd.target
	Target unit configuration
	目标单位配置
systemd.time
	Time and date specifications
	时间日期规格
systemd.timer
	Timer unit configuration
	定时器单元配置
systemd.unit
	Unit configuration
	单位配置
sysusers.d
	Declarative allocation of system users and groups
	系统用户和组的声明式分配

以t开头的命令

tabs
	set tabs on a terminal
	设置终端的选项卡
tac
	concatenate and print files in reverse
	反向连接和打印文件
tail
	output the last part of files
	输出文件的最后一部分
tar
	tar 5 tar 1
	焦油 5 焦油 1
tar~1
	an archiving utility
	一个归档工具
tar~5
	format of tape archive files
	磁带归档文件的格式
taskset
	set or retrieve a process’s CPU affinity
	设置或检索进程的CPU关联
tbl
	format tables for troff
	格式化troff表
tcsd
	daemon that manages Trusted Computing resources
	管理可信计算资源的守护进程
tcsd.conf
	configuration file for the trousers TCS daemon.
	裤子TCS守护进程的配置文件。
teamd
	team network device control daemon
	团队网络设备控制守护进程
teamd.conf
	libteam daemon configuration file
	Libteam守护进程配置文件
teamdctl
	team daemon control tool
	团队守护程序控制工具
teamnl
	team network device Netlink interface tool
	团队网络设备Netlink接口工具
tee
	read from standard input and write to standard output and files
	从标准输入读取并写入标准输出和文件
telinit
	Change SysV runlevel
	改变SysV运行级别
term
	term 5 term 7
	第5项第7项
terminal-colors.d
	Configure output colorization for various utilities
	为各种实用程序配置输出着色
terminfo
	terminal capability data base
	终端能力数据库
term~5
	format of compiled term file.
	已编译术语文件的格式。
term~7
	conventions for naming terminal types
	命名终端类型的约定
test
	check file types and compare values
	检查文件类型并比较值
thin_check
	validates thin provisioning metadata on a device or file
	验证设备或文件上的精简配置元数据
thin_delta
	Print the differences in the mappings between two thin devices.
	打印两个瘦设备之间映射的差异。
thin_dump
	dump thin provisioning metadata from device or file to standard output.
	将精简配置元数据从设备或文件转储到标准输出。
thin_ls
	List thin volumes within a pool.
	列出池中的精简卷。
thin_metadata_pack
	pack thin provisioning binary metadata.
	打包精简配置二进制元数据。
thin_metadata_size
	thin provisioning metadata device/file size calculator.
	精简配置元数据设备/文件大小计算器。
thin_metadata_unpack
	unpack thin provisioning binary metadata.
	解包精简配置二进制元数据。
thin_repair
	repair thin provisioning binary metadata.
	修复精简配置二进制元数据。
thin_restore
	restore thin provisioning metadata file to device or file.
	将元数据精简配置文件恢复到设备或文件。
thin_rmap
	output reverse map of a thin provisioned region of blocks frommetadata device or file.
	从元数据设备或文件中输出一个薄区域块的反向映射。
thin_trim
	Issue discard requests for free pool space (offline tool).
	为空闲池空间发出丢弃请求(脱机工具)。
tic
	the terminfo entry-description compiler
	结束入口描述编译器
time
	time functions for gawk
	时间为愚人服务
time.conf
	configuration file for the pam_time module
	pam_time模块的配置文件
timedatectl
	Control the system time and date
	控制系统时间和日期
timeout
	run a command with a time limit
	运行有时间限制的命令
times
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
tipc
	a TIPC configuration and management tool
	TIPC配置管理工具
tipc-bearer
	show or modify TIPC bearers
	显示或修改TIPC持有人
tipc-link
	show links or modify link properties
	显示链接或修改链接属性
tipc-media
	list or modify media properties
	列出或修改媒体属性
tipc-nametable
	show TIPC nametable
	显示TIPC nametable
tipc-node
	modify and show local node parameters or list peer nodes
	修改和显示本地节点参数或列出对等节点
tipc-peer
	modify peer information
	修改对等信息
tipc-socket
	show TIPC socket (port) information
	show TIPC socket (port)信息
tload
	graphic representation of system load average
	系统平均负载的图形表示
tmpfiles.d
	Configuration for creation, deletion and cleaning of volatile and temporary files
	用于创建、删除和清理易失文件和临时文件的配置
toe
	table of (terminfo) entries
	(terminfo)条目表
top
	display Linux processes
	显示Linux进程
touch
	change file timestamps
	更改文件的时间戳
tput
	initialize a terminal or query terminfo database
	初始化终端或查询terminfo数据库
tr
	translate or delete characters
	翻译或删除字符
tracepath
	traces path to a network host discovering MTU along this path
	跟踪到网络主机的路径,发现MTU沿着这条路径
tracepath6
	traces path to a network host discovering MTU along this path
	跟踪到网络主机的路径,发现MTU沿着这条路径
trap
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
troff
	the troff processor of the groff text formatting system
	格罗夫文本格式化系统的格罗夫处理器
true
	do nothing, successfully
	什么也不做,成功
truncate
	shrink or extend the size of a file to the specified size
	将文件的大小收缩或扩展到指定的大小
trust
	Tool for operating on the trust policy store
	用于操作信任策略存储的工具
ts
	Time Stamping Authority tool (client/server)
	时间戳授权工具(客户端/服务器)
tset
	terminal initialization
	终端初始化
tsort
	perform topological sort
	进行拓扑排序
tty
	print the file name of the terminal connected to standard input
	打印连接到标准输入的终端的文件名
tune2fs
	adjust tunable filesystem parameters on ext2/ext3/ext4 filesystems
	调整ext2/ext3/ext4文件系统上的可调参数
tuned
	TuneD 8 tuned 8
	调谐
tuned-adm
	command line tool for switching between different tuning profiles
	用于在不同调优配置文件之间切换的命令行工具
tuned-gui
	graphical interface for configuration of TuneD
	图形界面的调优配置
tuned-main.conf
	TuneD global configuration file
	优化的全局配置文件
tuned-profiles
	description of basic TuneD profiles
	基本调优配置文件的描述
tuned.conf
	TuneD profile definition
	优化概要文件定义
tuned~8
	dynamic adaptive system tuning daemon
	动态自适应系统调优守护进程
turbostat
	Report processor frequency and idle statistics
	报告处理器频率和空闲统计信息
type
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
typeset
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)

以u开头的命令

udev
	Dynamic device management
	动态设备管理
udev.conf
	Configuration for device event managing daemon
	设备事件管理守护进程的配置
udevadm
	udev management tool
	udev管理工具
udisks
	Disk Manager
	磁盘管理器
udisks2.conf
	The udisks2 configuration file
	udisks2配置文件
udisksctl
	The udisks command line tool
	udisks命令行工具
udisksd
	The udisks system daemon
	udisks系统守护进程
ul
	do underlining
	做强调
ulimit
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
umask
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
umount
	unmount file systems
	卸载文件系统
umount.udisks2
	unmount file systems that have been mounted by UDisks2
	卸载UDisks2挂载的文件系统
unalias
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
uname
	print system information
	打印系统信息
uname26
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
unbound-anchor
	Unbound anchor utility.
	释放锚效用。
unexpand
	convert spaces to tabs
	将空格转换为制表符
unicode_start
	put keyboard and console in unicode mode
	将键盘和控制台设置为unicode模式
unicode_stop
	revert keyboard and console from unicode mode
	从unicode模式恢复键盘和控制台
uniq
	report or omit repeated lines
	报告或省略重复的行
unix_chkpwd
	Helper binary that verifies the password of the current user
	验证当前用户密码的辅助二进制文件
unix_update
	Helper binary that updates the password of a given user
	更新给定用户密码的助手二进制文件
unlink
	call the unlink function to remove the specified file
	调用unlink函数来删除指定的文件
unlzma

unpigz
	-
	-
unset
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
unshare
	run program with some namespaces unshared from parent
	运行程序时使用一些不与父文件共享的命名空间
unsquashfs
	tool to uncompress squashfs filesystems
	解压squashfs文件系统的工具
unversioned-python
	info on how to set up the `python` command.
	关于如何设置' python '命令的信息。
unxz
	Compress or decompress .xz and .lzma files
	压缩或解压缩.xz和.lzma文件
update-alternatives
	maintain symbolic links determining default commands
	维护确定默认命令的符号链接
update-ca-trust
	manage consolidated and dynamic configuration of CA certificates and associated trust
	管理CA证书和关联信任的统一和动态配置
update-cracklib
	Regenerate cracklib dictionary
	再生cracklib字典
update-crypto-policies
	manage the policies available to the various cryptographic back-ends.
	管理各种加密后端可用的策略。
update-mime-database
	a program to build the Shared MIME-Info database cache
	建立共享MIME-Info数据库缓存的程序
update-pciids
	download new version of the PCI ID list
	下载新版本的PCI ID列表
uptime
	Tell how long the system has been running.
	说明系统已经运行了多长时间。
user.conf.d
	System and session service manager configuration files
	系统和会话服务管理器配置文件
user_caps
	user-defined terminfo capabilities
	用户定义terminfo功能
user_contexts
	The SELinux user contexts configuration files
	SELinux用户上下文配置文件
useradd
	create a new user or update default new user information
	创建新用户或更新默认新用户信息
userdel
	delete a user account and related files
	删除用户帐号和相关文件
usermod
	modify a user account
	修改用户帐号
users
	print the user names of users currently logged in to the current host
	打印当前主机上当前登录用户的用户名
usleep
	sleep some number of microseconds
	睡眠数微秒
utmpdump
	dump UTMP and WTMP files in raw format
	dump UTMP和WTMP文件在原始格式
uuidgen
	create a new UUID value
	创建一个新的UUID值
uuidparse
	an utility to parse unique identifiers
	一个用来解析唯一标识符的工具

以v开头的命令

vconsole.conf
	Configuration file for the virtual console
	虚拟控制台的配置文件
vdir
	list directory contents
	列出目录的内容
vdpa
	vdpa management tool
	vdpa管理工具
vdpa-dev
	vdpa device configuration
	vdpa设备配置
vdpa-mgmtdev
	vdpa management device view
	Vdpa管理设备视图
verify
	Utility to verify certificates
	验证证书的实用程序
version
	print OpenSSL version information
	打印OpenSSL版本信息
vgcfgbackup
	Backup volume group configuration(s)
	备份卷组配置
vgcfgrestore
	Restore volume group configuration
	恢复卷组配置
vgchange
	Change volume group attributes
	更改卷组属性
vgck
	Check the consistency of volume group(s)
	检查卷组一致性
vgconvert
	Change volume group metadata format
	更改卷组元数据格式
vgcreate
	Create a volume group
	创建卷组
vgdisplay
	Display volume group information
	显示卷组信息
vgexport
	Unregister volume group(s) from the system
	从系统注销卷组
vgextend
	Add physical volumes to a volume group
	将物理卷添加到卷组
vgimport
	Register exported volume group with system
	向系统注册导出的卷组
vgimportclone
	Import a VG from cloned PVs
	从克隆的pv导入VG
vgimportdevices
	Add devices for a VG to the devices file.
	在设备文件中为VG添加设备。
vgmerge
	Merge volume groups
	合并卷组
vgmknodes
	Create the special files for volume group devices in /dev
	在/dev中为卷组设备创建特殊文件
vgreduce
	Remove physical volume(s) from a volume group
	从卷组中移除物理卷
vgremove
	Remove volume group(s)
	删除卷组(s)
vgrename
	Rename a volume group
	重命名卷组
vgs
	Display information about volume groups
	显示卷组信息
vgscan
	Search for all volume groups
	搜索所有卷组
vgsplit
	Move physical volumes into a new or existing volume group
	将物理卷移动到新的或现有的卷组中
vi
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
view
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
vigr
	edit the password, group, shadow-password or shadow-group file
	编辑密码、组、shadow-password或shadow-group文件
vim
	vim 1
	vim 1
vimdiff
	edit two, three or four versions of a file with Vim and show differences
	用Vim编辑一个文件的两个、三个或四个版本,并显示差异
vimrc
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
vimtutor
	the Vim tutor
	Vim导师
vimx
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
vim~1
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
vipw
	edit the password, group, shadow-password or shadow-group file
	编辑密码、组、shadow-password或shadow-group文件
virc
	Vi IMproved, a programmer’s text editor
	一个程序员的文本编辑器
virt-what
	detect if we are running in a virtual machine
	检测我们是否在虚拟机中运行
virtual_domain_context
	The SELinux virtual machine domain context configuration file
	SELinux虚拟机域上下文配置文件
virtual_image_context
	The SELinux virtual machine image context configuration file
	SELinux虚拟机映像上下文配置文件
visudo
	edit the sudoers file
	编辑sudoers文件
vlock
	Virtual Console lock program
	虚拟控制台锁定程序
vmcore-dmesg
	This is just a placeholder until real man page has been written
	在编写真正的手册页之前,这只是一个占位符
vmstat
	Report virtual memory statistics
	报告虚拟内存统计信息
vpddecode
	VPD structure decoder
	VPD译码器结构

以w开头的命令

w
	Show who is logged on and what they are doing.
	显示谁登录了,他们正在做什么。
wait
	wait 1 wait 3am
	等待1等待凌晨3点
waitpid

wait~1
	bash built-in commands, see bash(1)
	Bash内置命令,参见Bash (1)
wait~3am

wall
	write a message to all users
	给所有用户写一条消息
watch
	execute a program periodically, showing output fullscreen
	定期执行一个程序,显示全屏输出
watchgnupg
	Read and print logs from a socket
	从套接字读取和打印日志
wc
	print newline, word, and byte counts for each file
	打印每个文件的换行、字和字节计数
wdctl
	show hardware watchdog status
	显示硬件看门狗状态
whatis
	display one-line manual page descriptions
	显示单行的手册页面描述
whereis
	locate the binary, source, and manual page files for a command
	找到命令的二进制、源和手动页文件
which
	shows the full path of (shell) commands.
	显示(shell)命令的完整路径。
whiptail
	display dialog boxes from shell scripts
	从shell脚本显示对话框
who
	show who is logged on
	显示谁登录了
whoami
	print effective userid
	打印有效标识
wipefs
	wipe a signature from a device
	从设备上删除一个签名
write
	send a message to another user
	发送消息给另一个用户
writea

以x开头的命令

x25519
	EVP_PKEY X25519 and X448 support
	支持EVP_PKEY X25519和X448
x448
	EVP_PKEY X25519 and X448 support
	支持EVP_PKEY X25519和X448
x509
	x509 7ssl x509 1ssl
	X509 7ssl X509 1ssl
x509v3_config
	X509 V3 certificate extension configuration format
	X509 V3证书扩展配置格式
x509~1ssl
	Certificate display and signing utility
	证书显示和签名实用程序
x509~7ssl
	X.509 certificate handling
	证书处理
x86_64
	change reported architecture in new program environment and set personality flags
	在新的程序环境中更改报告的架构并设置个性标志
x86_energy_perf_policy
	Manage Energy vs. Performance Policy via x86 Model Specific Registers
	通过x86模型特定寄存器管理能源与性能策略
x_contexts
	userspace 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客户端的默认上下文
xargs
	build and execute command lines from standard input
	从标准输入构建和执行命令行
xfs
	layout, mount options, and supported file attributes for the XFS filesystem
	XFS文件系统的布局、挂载选项和支持的文件属性
xfs_admin
	change parameters of an XFS filesystem
	修改XFS文件系统参数
xfs_bmap
	print block mapping for an XFS file
	打印XFS文件的块映射
xfs_copy
	copy the contents of an XFS filesystem
	复制XFS文件系统的内容
xfs_db
	debug an XFS filesystem
	调试XFS文件系统
xfs_estimate
	estimate the space that an XFS filesystem will take
	估计XFS文件系统将占用的空间
xfs_freeze
	suspend access to an XFS filesystem
	暂停对XFS文件系统的访问
xfs_fsr
	filesystem reorganizer for XFS
	XFS的文件系统重组器
xfs_growfs
	expand an XFS filesystem
	扩展XFS文件系统
xfs_info
	display XFS filesystem geometry information
	显示XFS文件系统几何信息
xfs_io
	debug the I/O path of an XFS filesystem
	调试XFS文件系统的I/O路径
xfs_logprint
	print the log of an XFS filesystem
	打印XFS文件系统的日志
xfs_mdrestore
	restores an XFS metadump image to a filesystem image
	将XFS元adump映像还原为文件系统映像
xfs_metadump
	copy XFS filesystem metadata to a file
	将XFS文件系统元数据复制到一个文件中
xfs_mkfile
	create an XFS file
	创建一个XFS文件
xfs_ncheck
	generate pathnames from i-numbers for XFS
	从i-numbers为XFS生成路径名
xfs_quota
	manage use of quota on XFS filesystems
	管理XFS文件系统的配额使用
xfs_repair
	repair an XFS filesystem
	修复XFS文件系统
xfs_rtcp
	XFS realtime copy command
	XFS实时拷贝命令
xfs_spaceman
	show free space information about an XFS filesystem
	显示XFS文件系统的空闲空间信息
xgettext
	extract gettext strings from source
	从源代码中提取gettext字符串
xkeyboard-config
	XKB data description files
	XKB数据描述文件
xmlcatalog
	Command line tool to parse and manipulate XML or SGML catalog files.
	解析和操作XML或SGML目录文件的命令行工具。
xmllint
	command line XML tool
	命令行XML工具
xmlsec1
	sign, verify, encrypt and decrypt XML documents
	签名、验证、加密和解密XML文档
xmlwf
	Determines if an XML document is well-formed
	确定XML文档是否格式良好
xsltproc
	command line XSLT processor
	命令行XSLT处理器
xtables-monitor
	show changes to rule set and trace-events
	显示对规则集和跟踪事件的更改
xtables-nft
	iptables using nftables kernel api
	Iptables使用nftables内核API
xtables-translate
	translation tool to migrate from iptables to nftables
	从iptables迁移到nftables的翻译工具
xxd
	make a hexdump or do the reverse.
	做一个六方转储或者做相反的操作。
xz
	Compress or decompress .xz and .lzma files
	压缩或解压缩.xz和.lzma文件
xzcat
	Compress or decompress .xz and .lzma files
	压缩或解压缩.xz和.lzma文件
xzcmp
	compare compressed files
	比较压缩文件
xzdec
	Small .xz and .lzma decompressors
	小型。xz和。lzma减压器
xzdiff
	compare compressed files
	比较压缩文件
xzegrep
	search compressed files for a regular expression
	在压缩文件中搜索正则表达式
xzfgrep
	search compressed files for a regular expression
	在压缩文件中搜索正则表达式
xzgrep
	search compressed files for a regular expression
	在压缩文件中搜索正则表达式
xzless
	view xz or lzma compressed (text) files
	查看xz或lzma压缩(文本)文件
xzmore
	view xz or lzma compressed (text) files
	查看xz或lzma压缩(文本)文件

以y开头的命令

yes
	output a string repeatedly until killed
	重复输出字符串直到终止
ypdomainname
	show or set the system’s NIS/YP domain name
	show或设置系统的NIS/YP域名
yum
	redirecting to DNF Command Reference
	重定向到DNF命令参考
yum-aliases
	redirecting to DNF Command Reference
	重定向到DNF命令参考
yum-changelog
	redirecting to DNF changelog Plugin
	重定向到DNF changelog插件
yum-copr
	redirecting to DNF copr Plugin
	重定向到DNF copr插件
yum-shell
	redirecting to DNF Command Reference
	重定向到DNF命令参考
yum.conf
	redirecting to DNF Configuration Reference
	重定向到DNF配置参考
yum2dnf
	Changes in DNF compared to YUM
	与YUM相比,DNF的变化

以z开头的命令

zcat
	compress or expand files
	压缩或扩展文件
zcmp
	compare compressed files
	比较压缩文件
zdiff
	compare compressed files
	比较压缩文件
zforce
	force a ’.
	力”。
zgrep
	search possibly compressed files for a regular expression
	在可能压缩的文件中搜索正则表达式
zless
	file perusal filter for crt viewing of compressed text
	文件阅读过滤器CRT查看压缩文本
zmore
	file perusal filter for crt viewing of compressed text
	文件阅读过滤器CRT查看压缩文本
znew
	recompress .Z files to .
	将. z文件重新压缩为。
zramctl
	set up and control zram devices
	设置和控制zram设备
zsoelim
	interpret .so requests in groff input
	解释groff输入中的请求

收获

比较令我惊奇的是,“.” 也是一个命令。当然,还有“:”也是命令。

毕竟是机器翻译,准确性不敢苟同。不过,能看懂,就好!

  • 0
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

赵庆明老师

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值