accessdb输出内容

在linux控制台输入accessdb指令,结果密密麻麻地输出了一大堆。

[root@status ~]# accessdb
$version$ -> "2.5.0"
. -> "- 1 1 1633086380 0 B - - gz bash built-in commands, see bash(1)"
.k5identity -> "- 5 5 1629954739 0 B - - gz Kerberos V5 client principal selection rules"
.k5login -> "- 5 5 1629954739 0 B - - gz Kerberos V5 acl file for host access"
.ldaprc -> "- 5 5 1628572339 0 C ldap.conf - gz "
/etc/anacrontab -> "- 5 5 1573231664 0 C anacrontab - gz "
30-systemd-environment-d-generator -> "- 8 8 1633446453 0 B - - gz Load variables specified by environment.d"
: -> "- 1 1 1633086380 0 B - - gz bash built-in commands, see bash(1)"
GnuPG~7 -> "- 7 7 1589573252 0 C gnupg2 - gz "
PAM~8 -> "- 8 8 1620364026 0 A - - gz Pluggable Authentication Modules for Linux"
RAND~7ssl -> "- 7ssl 7 1626866126 0 A - - gz the OpenSSL random generator"
RDMA-NDD~8 -> "- 8 8 1621264375 0 C rdma-ndd - gz "
SELinux~8 -> "- 8 8 1603743632 0 C selinux - gz "
TuneD~8 -> "- 8 8 1626892915 0 C tuned - gz "

查看accessdb的帮助,结果帮助内容只有一点点(一页)。大概的意思是说,这个指令以人类可读的格式转储man db数据库的内容。

[root@status ~]# man accessdb
ACCESSDB(8)                     Manual pager utils                    ACCESSDB(8)NAMEaccessdb - dumps the content of a man-db database in a human readable for‐matSYNOPSIS/usr/sbin/accessdb [-d?V] [<index-file>]DESCRIPTIONaccessdb will output the data contained within  a  man-db  database  in  ahuman   readable   form.    By   default,  it  will  dump  the  data  from/var/cache/man/index.<db-type>, where <db-type> is dependent on the  data‐base library in use.Supplying an argument to accessdb will override this default.OPTIONS-d, --debugPrint debugging information.-?, --helpPrint a help message and exit.--usagePrint a short usage message and exit.-V, --versionDisplay version information.AUTHORWilf. (G.Wilford@ee.surrey.ac.uk).Fabrizio Polacco (fpolacco@debian.org).Colin Watson (cjwatson@debian.org).

差不多就是系统中每个命令的简单说明。看来比较实用。但是描述的内容是用英文写的,对于母语非英文的我来说,读起来太慢。那么,我们就调用翻译的API,将其顺便翻译成中文来阅读吧。由于机器翻译不太准确,那么我们就来个中英文对照吧。

申请翻译的API

这里,我们使用有道翻译API。

首先,百度搜索“有道翻译API”,找到“http://fanyi.youdao.com/openapi”,打开链接。

有账号的话,登录系统。没账号的话,申请一个再登录系统。

跳转到 https://ai.youdao.com/console/#/service-singleton/text-translation文本翻译。如果没有应用的话,创建一个应用。首次使用它,系统会送100元的时长,有效期1年。

右侧中部,各种代码编写的示例代码,这里我们选择C#,抄下来,修改这三个参数就可以用了。
appKey,appSecret ,来自于创建的应用。

           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.02.5.0

以.开头的命令

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

以/开头的命令

/etc/anacrontab

以3开头的命令

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

以:开头的命令

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

以G开头的命令

GnuPG~7

以P开头的命令

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

以R开头的命令

RAND~7sslthe OpenSSL random generatorOpenSSL随机生成器
RDMA-NDD~8

以S开头的命令

SELinux~8

以T开头的命令

TuneD~8

以[开头的命令

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

以a开头的命令

access.confthe login access control table file登录访问控制表文件
accessdbdumps the content of a man-db database in a human readable format以人类可读的格式转储man-db数据库的内容
aclAccess Control Lists访问控制列表
addgnupghomeCreate .gnupg home directories创建.gnupg主目录
addparttell the kernel about the existence of a partition告诉内核分区的存在
addusercreate a new user or update default new user information创建新用户或更新默认新用户信息
agettyalternative Linux getty选择Linux盖蒂
aliasbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
alternativesmaintain symbolic links determining default commands维护确定默认命令的符号链接
anacronruns commands periodically定期运行命令
anacrontabconfiguration file for AnacronAnacron配置文件
applygnupgdefaultsRun gpgconf - apply-defaults for all users.对所有用户执行gpgconf - apply-defaults命令。
apropossearch the manual page names and descriptions搜索手册页面名称和描述
archprint machine hardware name (same as uname -m)打印机器硬件名称(与uname -m相同)
arpduserspace arp daemon.用户空间arp守护进程。
arpingsend ARP REQUEST to a neighbour host向邻居主机发送ARP请求
asn1parseASN.1 parsing toolasn . 1解析工具
audit-pluginsaudit.rulesa set of rules loaded in the kernel audit system加载在内核审计系统中的一组规则
audit2allowgenerate SELinux policy allow/dontaudit rules from logs of denied operations从被拒绝的操作日志中生成SELinux policy allow/dontaudit规则
audit2whygenerate SELinux policy allow/dontaudit rules from logs of denied operations从被拒绝的操作日志中生成SELinux policy allow/dontaudit规则
auditctla utility to assist controlling the kernel’s audit system一个帮助控制内核审计系统的工具
auditdThe Linux Audit daemonLinux Audit守护进程
auditd-pluginsrealtime event receivers实时事件接收者
auditd.confaudit daemon configuration file审计守护进程配置文件
augenrulesa script that merges component audit rule files合并组件审计规则文件的脚本
aulasta program similar to last类似于最后的程序
aulastloga program similar to lastlog类似于lastlog的程序
aureporta tool that produces summary reports of audit daemon logs生成审计守护进程日志摘要报告的工具
ausearcha tool to query audit daemon logs用于查询审计守护进程日志的工具
ausearch-expressionaudit search expression format审计搜索表达式格式
ausyscalla program that allows mapping syscall names and numbers一个允许映射系统调用名和号码的程序
authselectselect system identity and authentication sources.选择系统标识和认证源。
authselect-migrationA guide how to migrate from authconfig to authselect.如何从authconfig迁移到authselect的指南。
authselect-profileshow to extend authselect profiles.如何扩展authselect配置文件。
autracea program similar to strace类似于strace的程序
auvirta program that shows data related to virtual machines显示与虚拟机有关的数据的程序
avcstatDisplay SELinux AVC statistics显示SELinux AVC统计信息
awkpattern scanning and processing language模式扫描和处理语言

以b开头的命令

b2sumcompute and check BLAKE2 message digest计算并检查BLAKE2消息摘要
badblockssearch a device for bad blocks在设备中查找坏块
base32base32 encode/decode data and print to standard outputBase32编码/解码数据并打印到标准输出
base64base64 encode/decode data and print to standard outputBase64编码/解码数据并打印到标准输出
basenamestrip directory and suffix from filenames从文件名中去掉目录和后缀
bashGNU Bourne-Again SHellGNU Bourne-Again壳
bashbugreport a bug in bash在bash中报告bug
bashbug-64report a bug in bash在bash中报告bug
bgbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
bindbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
binfmt.dConfigure additional binary formats for executables at boot在引导时为可执行文件配置额外的二进制格式
bioBasic I/O abstraction基本的I / O的抽象
biosdecodeBIOS information decoderBIOS信息译码器
biosdevnamegive BIOS-given name of a devicegive bios指定的设备名称
blkdeactivateutility to deactivate block devices实用程序去激活块设备
blkdiscarddiscard sectors on a device丢弃设备上的扇区
blkidlocate/print block device attributes定位/打印块设备属性
blkzonerun zone command on a device在设备上执行zone命令
blockdevcall block device ioctls from the command line从命令行调用块设备ioctls
bond2teamConverts bonding configuration to team将绑定配置转换为团队
booleansbooleans 5 booleans 8布尔值5,布尔值8
booleans~5The SELinux booleans configuration filesSELinux布尔值配置文件
booleans~8Policy booleans enable runtime customization of SELinux policy策略布尔值启用SELinux策略的运行时自定义
bootctlControl the firmware and boot manager settings控制固件和启动管理器设置
bootupSystem bootup process系统启动过程
breakbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
bridgeshow / manipulate bridge addresses and devices显示/操作网桥地址和设备
builtinbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
builtinsbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
busctlIntrospect the bus反思公共汽车
bwrapcontainer setup utility容器设置实用程序

以c开头的命令

c_rehashcasample minimal CA application样本最小CA应用
ca-legacyManage the system configuration for legacy CA certificates管理旧CA证书的系统配置
cache_checkvalidates cache metadata on a device or file.验证设备或文件上的缓存元数据。
cache_dumpdump cache metadata from device or file to standard output.将缓存元数据从设备或文件转储到标准输出。
cache_metadata_sizeEstimate the size of the metadata device needed for a given configuration.估计给定配置所需的元数据设备的大小。
cache_repairrepair cache binary metadata from device/file to device/file.修复设备/文件到设备/文件的缓存二进制元数据。
cache_restorerestore cache metadata file to device or file.将缓存元数据文件恢复到设备或文件。
cache_writebackwriteback dirty blocks to the origin device.回写脏块到原始设备。
caldisplay a calendar显示一个日历
callerbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
capshcapability shell wrapper能力壳包装
captoinfoconvert a termcap description into a terminfo description将一个termcap描述转换为一个terminfo描述
catconcatenate files and print on the standard output连接文件并在标准输出上打印
catmancreate or update the pre-formatted manual pages创建或更新预格式化的手册页
cdbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
cert8.dbLegacy NSS certificate database遗留的NSS证书数据库
cert9.dbNSS certificate databaseNSS证书数据库
cfdiskdisplay or manipulate a disk partition table显示或操作磁盘分区表
cgdiskCurses-based GUID partition table (GPT) manipulator基于诅咒的GUID分区表(GPT)操纵符
chaclchange the access control list of a file or directory修改文件或目录的访问控制列表
chagechange user password expiry information修改用户密码过期信息
chattrchange file attributes on a Linux file system在Linux文件系统上修改文件属性
chcatchange file SELinux security category更改文件SELinux安全类别
chconchange file SELinux security context更改文件SELinux安全上下文
chcpuconfigure CPUscpu配置
checkmoduleSELinux policy module compilerSELinux策略模块编译器
checkpolicySELinux policy compilerSELinux策略编译器
chgpasswdupdate group passwords in batch mode批量更新组密码
chgrpchange group ownership改变组所有权
chkconfigupdates and queries runlevel information for system services更新和查询系统服务的运行级别信息
chmemconfigure memory配置内存
chmodchange file mode bits改变文件模式位
chownchange file owner and group更改文件所有者和组
chpasswdupdate passwords in batch mode批量更新密码
chrootrun command or interactive shell with special root directory在特殊的根目录下运行命令或交互式shell
chrtmanipulate the real-time attributes of a process操作流程的实时属性
chvtchange foreground virtual terminal改变前台虚拟终端
ciphersSSL cipher display and cipher list toolSSL密码显示和密码列表工具
cksumchecksum and count the bytes in a file校验和计算文件中的字节数
clearclear the terminal screen清除终端屏幕
clocktime clocks utility时钟时间效用
clockdiffmeasure clock difference between hosts测量主机之间的时钟差异
cmpcompare two files byte by byte逐字节比较两个文件
cmsCMS utilityCMS工具
colfilter reverse line feeds from input从输入中过滤反馈线
colcrtfilter nroff output for CRT previewing滤镜nroff输出用于CRT预览
colrmremove columns from a file从文件中删除列
columncolumnate listscolumnate列表
commcompare two sorted files line by line逐行比较两个已排序的文件
commandbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
compgenbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
completebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
compoptbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
configconfig 5ssl config 5配置5ssl配置5 .单击“确定”
config-utilCommon PAM configuration file for configuration utilities用于配置实用程序的公共PAM配置文件
config~5config~5sslOpenSSL CONF library configuration filesOpenSSL CONF库配置文件
console.appsspecify console-accessible privileged applications指定控制台可访问的特权应用程序
console.handlersfile specifying handlers of console lock and unlock events指定控制台锁定和解锁事件处理程序的文件
console.permspermissions control file for users at the system console在系统控制台为用户提供权限控制文件
consoletypeprint type of the console connected to standard input控制台连接到标准输入的打印类型
continuebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
coredump.confCore dump storage configuration files核心转储存储配置文件
coredump.conf.dCore dump storage configuration files核心转储存储配置文件
coredumpctlRetrieve and process saved core dumps and metadata检索和处理保存的核心转储文件和元数据
cpcopy files and directories复制文件和目录
cpiocpio 5 cpio 1cpio 5 cpio 1
cpio~1copy files to and from archives将文件复制到存档中或从存档中复制
cpio~5format of cpio archive filescpio归档文件的格式
cpupowerShows and sets processor power related values显示和设置处理器功率相关值
cpupower-frequency-infoUtility to retrieve cpufreq kernel information检索cpufreq内核信息的实用程序
cpupower-frequency-setA small tool which allows to modify cpufreq settings.一个允许修改cpufreq设置的小工具。
cpupower-idle-infoUtility to retrieve cpu idle kernel information检索cpu空闲内核信息的实用程序
cpupower-idle-setUtility to set cpu idle state specific kernel options实用程序设置cpu空闲状态特定的内核选项
cpupower-infoShows processor power related kernel or hardware configurations显示与处理器功率相关的内核或硬件配置
cpupower-monitorReport processor frequency and idle statistics报告处理器频率和空闲统计信息
cpupower-setSet processor power related kernel or hardware configurations设置与处理器功率相关的内核或硬件配置
cracklib-checkCheck passwords using libcrack2使用libcrack2检查密码
cracklib-formatcracklib dictionary utilitiescracklib词典工具
cracklib-packercracklib dictionary utilitiescracklib词典工具
cracklib-unpackercracklib dictionary utilitiescracklib词典工具
create-cracklib-dictCheck passwords using libcrack2使用libcrack2检查密码
crlCRL utilityCRL效用
crl2pkcs7Create a PKCS#7 structure from a CRL and certificates从CRL和证书创建PKCS#7结构
crondaemon to execute scheduled commands执行预定命令的守护进程
cronddaemon to execute scheduled commands执行预定命令的守护进程
cronnexttime of next job cron will execute下一个任务cron执行的时间
crontabcrontab 5 crontab 1Crontab 5
crontabsconfiguration and scripts for running periodical jobs用于运行定期作业的配置和脚本
crontab~1maintains crontab files for individual users为个别用户维护crontab文件
crontab~5files used to schedule the execution of programs用来安排程序执行的文件
cryptstorage format for hashed passphrases and available hashing methods散列密码和可用的散列方法的存储格式
cryptoOpenSSL cryptographic libraryOpenSSL加密库
crypto-policiessystem-wide crypto policies overview系统范围加密策略概述
crypttabConfiguration for encrypted block devices加密块设备的配置
csplitsplit a file into sections determined by context lines根据上下文行将文件分割成若干节
ctCertificate Transparency证书的透明度
ctrlaltdelset the function of the Ctrl-Alt-Del combination设置Ctrl-Alt-Del组合功能
ctstatunified linux network statisticsLinux统一网络统计
curltransfer a URL转让一个URL
customizable_typesThe SELinux customizable types configuration fileSELinux可定制类型配置文件
cutremove sections from each line of files从文件的每一行中删除部分
cvtsudoersconvert between sudoers file formats在sudoers文件格式之间转换

以d开头的命令

daemonWriting and packaging system daemons编写和打包系统守护进程
dateprint or set the system date and time打印或设置系统日期和时间
db_archiveFind unused log files for archival找到未使用的日志文件进行归档
db_checkpointPeriodically checkpoint transactions周期性的检查点的事务
db_deadlockDetect deadlocks and abort lock requests检测死锁和中止锁请求
db_dumpWrite database file using flat-text format用平面文本格式编写数据库文件
db_dump185Write database file using flat-text format用平面文本格式编写数据库文件
db_hotbackupCreate "hot backup" or "hot failover" snapshots创建“热备”或“热倒换”快照
db_loadRead and load data from standard input从标准输入读取和加载数据
db_log_verifyVerify log files of a database environment检查数据库环境的日志文件
db_printlogDumps log files into a human-readable format将日志文件转储为人类可读的格式
db_recoverRecover the database to a consistent state将数据库恢复到一致状态
db_replicateProvide replication services提供复制服务
db_statDisplay environment statistics显示环境统计数据
db_tuneranalyze and tune btree database分析和调优btree数据库
db_upgradeUpgrade files and databases to the current release version.将文件和数据库升级到当前版本。
db_verifyVerify the database structure验证数据库结构
dbus-binding-toolC language GLib bindings generation utility.C语言生成GLib绑定工具。
dbus-cleanup-socketsclean up leftover sockets in a directory清理目录中剩余的套接字
dbus-daemonMessage bus daemon消息总线守护进程
dbus-monitordebug probe to print message bus messages调试用于打印消息总线消息的探测
dbus-run-sessionstart a process as a new D-Bus session启动一个进程作为一个新的D-Bus会话
dbus-sendSend a message to a message bus将消息发送到消息总线
dbus-test-toolD-Bus traffic generator and test toolD-Bus交通发生器和测试工具
dbus-update-activation-environmentupdate environment used for D-Bus session services用于D-Bus会话服务的更新环境
dbus-uuidgenUtility to generate UUIDs生成uuid的实用工具
dbxtooldbxtooldbxtool
dcbshow / manipulate DCB (Data Center Bridging) settings显示/操作DCB(数据中心桥接)设置
dcb-appshow / manipulate application priority table of the DCB (Data Center Bridging) subsystem显示/操作DCB(数据中心桥接)子系统的应用程序优先级表
dcb-buffershow / manipulate port buffer settings of the DCB (Data Center Bridging) subsystem显示/操作DCB(数据中心桥接)子系统的端口缓冲区设置
dcb-dcbxshow / manipulate port DCBX (Data Center Bridging eXchange)数据中心桥接交换
dcb-etsshow / manipulate ETS (Enhanced Transmission Selection) settings of the DCB (Data Center Bridging) subsystem显示/操作DCB(数据中心桥接)子系统的ETS(增强传输选择)设置
dcb-maxrateshow / manipulate port maxrate settings of the DCB (Data Center Bridging) subsystem显示/操纵DCB(数据中心桥接)子系统的端口最大速率设置
dcb-pfcshow / manipulate PFC (Priority-based Flow Control) settings of the DCB (Data Center Bridging) subsystem显示/操纵DCB(数据中心桥接)子系统的PFC(基于优先级的流量控制)设置
ddconvert and copy a file转换和复制一个文件
deallocvtdeallocate unused virtual consoles释放未使用的虚拟控制台
debugfsext2/ext3/ext4 file system debuggerExt2 /ext3/ext4文件系统调试器
debuginfod-findrequest debuginfo-related data请求debuginfo-related数据
declarebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
default_contextsThe SELinux default contexts configuration fileSELinux默认上下文配置文件
default_typeThe SELinux default type configuration fileSELinux默认类型配置文件
delparttell the kernel to forget about a partition告诉内核忘记分区
depmodGenerate modules.dep and map files.生成modules.dep和map文件。
depmod.dConfiguration directory for depmoddepmod的配置目录
des_modesthe variants of DES and other crypto algorithms of OpenSSLDES的变体和OpenSSL的其他加密算法
devlinkDevlink tool开发链接工具
devlink-devdevlink device configurationdevlink设备配置
devlink-dpipedevlink dataplane pipeline visualizationDevlink数据平面管线可视化
devlink-healthdevlink health reporting and recoveryDevlink运行状况报告和恢复
devlink-monitorstate monitoring状态监测
devlink-portdevlink port configurationdevlink端口配置
devlink-regiondevlink address region accessDevlink地址区域访问
devlink-resourcedevlink device resource configurationDevlink设备资源配置
devlink-sbdevlink shared buffer configurationDevlink共享缓冲区配置
devlink-trapdevlink trap configurationdevlink陷阱配置
dfreport file system disk space usage报告文件系统磁盘空间使用情况
dfu-tooldfu-tooldfu-tool
dgstperform digest operations执行消化操作
dhparamDH parameter manipulation and generationDH参数的操作和生成
diffcompare files line by line逐行比较文件
diff3compare three files line by line逐行比较三个文件
dirlist directory contents列出目录的内容
dircolorscolor setup for lsls的颜色设置
dirmngrCRL and OCSP daemonCRL和OCSP守护进程
dirmngr-clientTool to access the Dirmngr services访问Dirmngr服务的工具
dirnamestrip last component from file name从文件名中去掉最后一个组件
dirsbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
disownbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
dmesgprint or control the kernel ring buffer打印或控制内核环缓冲区
dmeventdDevice-mapper event daemon名为事件守护进程
dmfilemapddevice-mapper filemap monitoring daemon设备映射程序文件映射监视守护进程
dmidecodeDMI table decoderDMI表译码器
dmsetuplow level logical volume management低级逻辑卷管理
dmstatsdevice-mapper statistics management名为统计管理
dnfDNF Command ReferenceDNF命令参考
dnf-builddepDNF builddep PluginDNF builddep插件
dnf-changelogDNF changelog PluginDNF的更新日志插件
dnf-config-managerDNF config-manager PluginDNF配置经理插件
dnf-coprDNF copr PluginDNF copr插件
dnf-debugDNF debug PluginDNF调试插件
dnf-debuginfo-installDNF debuginfo-install PluginDNF debuginfo-install插件
dnf-downloadDNF download PluginDNF下载插件
dnf-generate_completion_cacheDNF generate_completion_cache PluginDNF generate_completion_cache插件
dnf-groups-managerDNF groups-manager PluginDNF groups-manager插件
dnf-needs-restartingDNF needs_restarting PluginDNF needs_restarting插件
dnf-repoclosureDNF repoclosure PluginDNF repoclosure插件
dnf-repodiffDNF repodiff PluginDNF repodiff插件
dnf-repographDNF repograph PluginDNF repograph插件
dnf-repomanageDNF repomanage PluginDNF repomanage插件
dnf-reposyncDNF reposync PluginDNF reposync插件
dnf-transaction-jsonDNF Stored Transaction JSONDNF存储事务JSON
dnf.confDNF Configuration ReferenceDNF配置参考
dnf.modularityModularity in DNF模块化的DNF
dnsdomainnameshow the system’s DNS domain name显示系统的DNS域名
dnssec-trust-anchors.dDNSSEC trust anchor configuration filesDNSSEC信任锚配置文件
domainnameshow or set the system’s NIS/YP domain nameshow或设置系统的NIS/YP域名
dosfsckcheck and repair MS-DOS filesystems检查和修复MS-DOS文件系统
dosfslabelset or get MS-DOS filesystem label设置或获得MS-DOS文件系统标签
dracutlow-level tool for generating an initramfs/initrd image用于生成initramfs/initrd镜像的低级工具
dracut-cmdline.serviceruns the dracut hooks to parse the kernel command line运行dracut钩子来解析内核命令行
dracut-initqueue.serviceruns the dracut main loop to find the real root运行dracut主循环以找到真正的根目录
dracut-mount.serviceruns the dracut hooks after /sysroot is mounted在安装/sysroot之后运行dracut钩子
dracut-pre-mount.serviceruns the dracut hooks before /sysroot is mounted在安装/sysroot之前运行dracut钩子
dracut-pre-pivot.serviceruns the dracut hooks before switching root在切换根之前运行dracut钩子
dracut-pre-trigger.serviceruns the dracut hooks before udevd is triggered在udevd被触发之前运行dracut钩子
dracut-pre-udev.serviceruns the dracut hooks before udevd is started在启动udevd之前运行dracut钩子
dracut-shutdown.serviceunpack the initramfs to /run/initramfs将initramfs解压到/run/initramfs目录下
dracut.bootupboot ordering in the initramfsinitramfs中的引导顺序
dracut.cmdlinedracut kernel command line options德古特内核命令行选项
dracut.confconfiguration file(s) for dracutdracut的配置文件
dracut.kerneldracut kernel command line options德古特内核命令行选项
dracut.modulesdracut modulesdracut模块
dsaDSA key processingDSA密钥处理
dsaparamDSA parameter manipulation and generationDSA参数的操作和生成
duestimate file space usage估计文件空间使用情况
dumpe2fsdump ext2/ext3/ext4 filesystem informationDump ext2/ext3/ext4文件系统信息
dumpkeysdump keyboard translation tables转储键盘翻译表

以e开头的命令

e2freefragreport free space fragmentation information报告空闲空间碎片信息
e2fsckcheck a Linux ext2/ext3/ext4 file system检查Linux的ext2/ext3/ext4文件系统
e2fsck.confConfiguration file for e2fscke2fsck的配置文件
e2imageSave critical ext2/ext3/ext4 filesystem metadata to a file将重要的ext2/ext3/ext4文件系统元数据保存到一个文件中
e2labelChange the label on an ext2/ext3/ext4 filesystem修改ext2/ext3/ext4文件系统的标签
e2mmpstatusCheck MMP status of an ext4 filesystem检查ext4文件系统的MMP状态
e2undoReplay an undo log for an ext2/ext3/ext4 filesystem重放ext2/ext3/ext4文件系统的undo日志
e4cryptext4 filesystem encryption utilityExt4文件系统加密实用程序
e4defragonline defragmenter for ext4 filesystemext4文件系统的联机碎片整理程序
ebtablesEthernet bridge frame table administration (nft-based)以太网桥帧表管理(基于nfs)
ebtables-nftEthernet bridge frame table administration (nft-based)以太网桥帧表管理(基于nfs)
ecEC key processing电子商务关键处理
echodisplay a line of text显示一行文本
ecparamEC parameter manipulation and generationEC参数的操作和生成
ed25519EVP_PKEY Ed25519 and Ed448 support支持EVP_PKEY Ed25519和Ed448
ed448EVP_PKEY Ed25519 and Ed448 support支持EVP_PKEY Ed25519和Ed448
editrcconfiguration file for editline library编辑行库的配置文件
efibootdumpdump a boot entries from a variable or a file从变量或文件中转储引导项
efibootmgrmanipulate the UEFI Boot Manager操作UEFI启动管理器
egrepprint lines matching a pattern打印匹配图案的行
ejecteject removable media把可移动媒体
enablebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
encsymmetric cipher routines对称密码的例程
engineload and query engines加载和查询引擎
envrun a program in a modified environment在修改过的环境中运行程序
environmentthe environment variables config files环境变量配置文件
environment.dDefinition of user session environment用户会话环境的定义
envsubstsubstitutes environment variables in shell format strings替换shell格式字符串中的环境变量
eqnformat equations for troff or MathML格式方程的troff或MathML
era_checkvalidate era metadata on device or file.验证设备或文件上的年代元数据。
era_dumpdump era metadata from device or file to standard output.从设备或文件转储时代元数据到标准输出。
era_invalidateProvide a list of blocks that have changed since a particular era.提供自特定时代以来发生变化的块列表。
era_restorerestore era metadata file to device or file.将年代元数据文件恢复到设备或文件。
errstrlookup error codes查找错误代码
ethtoolquery or control network driver and hardware settings查询或控制网络驱动程序和硬件设置
evalbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
evmctlIMA/EVM signing utilityIMA /维生素与签署效用
evphigh-level cryptographic functions高级加密功能
evp_kdf_hkdfThe HKDF EVP_KDF implementationHKDF EVP_KDF实现
evp_kdf_kbThe Key-Based EVP_KDF implementation基于密钥的EVP_KDF实现
evp_kdf_krb5kdfThe RFC3961 Krb5 KDF EVP_KDF implementationRFC3961 Krb5 KDF EVP_KDF的实现
evp_kdf_pbkdf2The PBKDF2 EVP_KDF implementationPBKDF2 EVP_KDF实现
evp_kdf_scryptThe scrypt EVP_KDF implementation脚本EVP_KDF实现
evp_kdf_ssThe Single Step / One Step EVP_KDF implementation单步/一步EVP_KDF实现
evp_kdf_sshkdfThe SSHKDF EVP_KDF implementationSSHKDF EVP_KDF实现
evp_kdf_tls1_prfThe TLS1 PRF EVP_KDF implementationTLS1 PRF EVP_KDF实现
exVi IMproved, a programmer’s text editor一个程序员的文本编辑器
execbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
exitbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
expandconvert tabs to spaces将制表符转换为空格
exportbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
exprevaluate expressions表达式求值
ext2the second extended file system第二个扩展文件系统
ext3the third extended file system第三个扩展文件系统
ext4the fourth extended file system第四个扩展文件系统

以f开头的命令

factorfactor numbers因素的数字
faillockTool for displaying and modifying the authentication failure record files用于显示和修改认证失败记录文件的工具
faillock.confpam_faillock configuration filepam_faillock配置文件
failsafe_contextThe SELinux fail safe context configuration fileSELinux失败安全上下文配置文件
fallocatepreallocate or deallocate space to a file预分配或释放文件空间
falsedo nothing, unsuccessfully什么也不做,但没有成功
fatlabelset or get MS-DOS filesystem label设置或获得MS-DOS文件系统标签
fcbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
fdformatlow-level format a floppy disk对软盘进行低级格式化
fdiskmanipulate disk partition table操作磁盘分区表
fgbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
fgconsoleprint the number of the active VT.打印active VT的编号。
fgrepprint lines matching a pattern打印匹配图案的行
filedetermine file type确定文件类型
file-hierarchyFile system hierarchy overview文件系统层次结构概述
file.pcfile_contextsuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.homedirsuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.localuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.subsuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
file_contexts.subs_distuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
filefragreport on file fragmentation文件碎片报告
filefuncsprovide some file related functionality to gawk提供一些文件相关的功能gawk
fincorecount pages of file contents in core计数页的文件内容在核心
findsearch for files in a directory hierarchy在目录层次结构中搜索文件
findfsfind a filesystem by label or UUID通过标签或UUID找到文件系统
findmntfind a filesystem找到一个文件系统
fingerprint-authCommon configuration file for PAMified servicespamized服务的通用配置文件
fips-finish-installcomplete the instalation of FIPS modules.完成FIPS模块的安装。
fips-mode-setupCheck or enable the system FIPS mode.检查或使能系统FIPS模式。
firewall-cmdfirewalld command line client防火墙客户端命令行
firewall-offline-cmdfirewalld offline command line client防火墙离线命令行客户端
firewalldDynamic Firewall Manager动态防火墙管理器
firewalld.conffirewalld configuration filefirewalld配置文件
firewalld.dbusfirewalld D-Bus interface description防火墙D-Bus接口描述
firewalld.directfirewalld direct configuration file防火墙直接配置文件
firewalld.helperfirewalld helper configuration filesfirewald助手配置文件
firewalld.icmptypefirewalld icmptype configuration filesfirewald icmptype配置文件
firewalld.ipsetfirewalld ipset configuration filesfirewald ipset配置文件
firewalld.lockdown-whitelistfirewalld lockdown whitelist configuration file防火墙锁定白名单配置文件
firewalld.policiesfirewalld policiesfirewalld政策
firewalld.policyfirewalld policy configuration files防火墙策略配置文件
firewalld.richlanguageRich Language Documentation丰富的语言文档
firewalld.servicefirewalld service configuration files防火墙服务配置文件
firewalld.zonefirewalld zone configuration files防火墙区域配置文件
firewalld.zonesfirewalld zonesfirewalld区
fixfilesfix file SELinux security contexts.修复文件SELinux安全上下文。
fixpartsMBR partition table repair utilityMBR分区表修复实用程序
flockmanage locks from shell scripts从shell脚本管理锁
fmtsimple optimal text formatter简单的最佳文本格式
fnmatchcompare a string against a filename wildcard比较字符串和文件名通配符
foldwrap each input line to fit in specified width将每个输入行换行以适应指定的宽度
forkbasic process management基本的流程管理
freeDisplay amount of free and used memory in the system显示系统中空闲和使用的内存数量
fsadmutility to resize or check filesystem on a device用于调整或检查设备上的文件系统大小的实用程序
fsckcheck and repair a Linux filesystem检查和修复一个Linux文件系统
fsck.cramfsfsck compressed ROM file systemfsck压缩ROM文件系统
fsck.ext2check a Linux ext2/ext3/ext4 file system检查Linux的ext2/ext3/ext4文件系统
fsck.ext3check a Linux ext2/ext3/ext4 file system检查Linux的ext2/ext3/ext4文件系统
fsck.ext4check a Linux ext2/ext3/ext4 file system检查Linux的ext2/ext3/ext4文件系统
fsck.fatcheck and repair MS-DOS filesystems检查和修复MS-DOS文件系统
fsck.minixcheck consistency of Minix filesystem检查Minix文件系统的一致性
fsck.msdoscheck and repair MS-DOS filesystems检查和修复MS-DOS文件系统
fsck.vfatcheck and repair MS-DOS filesystems检查和修复MS-DOS文件系统
fsck.xfsdo nothing, successfully什么也不做,成功
fsfreezesuspend access to a filesystem (Ext3/4, ReiserFS, JFS, XFS)挂起对文件系统的访问(Ext3/4, ReiserFS, JFS, XFS)
fstabstatic information about the filesystems关于文件系统的静态信息
fstrimdiscard unused blocks on a mounted filesystem丢弃挂载文件系统上未使用的块
fusefuse2fsFUSE file system client for ext2/ext3/ext4 file systemsext2/ext3/ext4文件系统的FUSE文件系统客户端
fusermount3mount and unmount FUSE filesystems挂载和卸载FUSE文件系统
fwupdagentFirmware updating agent固件更新代理
fwupdateDebugging utility for UEFI firmware updates调试实用程序的UEFI固件更新
fwupdmgrFirmware update manager client utility固件更新管理器客户端实用程序
fwupdtoolStandalone firmware update utility独立固件更新工具

以g开头的命令

gapplicationD-Bus application launcherd - bus应用程序启动器
gawkpattern scanning and processing language模式扫描和处理语言
gdbm_dumpdump a GDBM database to a file将GDBM数据库转储到文件中
gdbm_loadre-create a GDBM database from a dump file.从转储文件中重新创建GDBM数据库。
gdbmtoolexamine and modify a GDBM database检查和修改GDBM数据库
gdbusTool for working with D-Bus objects使用D-Bus对象的工具
gdiskInteractive GUID partition table (GPT) manipulator交互式GUID分区表(GPT)操作符
gendsagenerate a DSA private key from a set of parameters从一组参数生成DSA私钥
genhomedircongenerate SELinux file context configuration entries for user home directories为用户主目录生成SELinux文件上下文配置项
genhostidgenerate and set a hostid for the current host为当前主机生成并设置一个hostid
genlgeneric netlink utility frontend通用netlink实用程序前端
genl-ctrl-listList available kernel-side Generic Netlink families列出可用的内核端通用Netlink族
genpkeygenerate a private key生成私钥
genrsagenerate an RSA private key生成RSA私钥
geqnformat equations for troff or MathML格式方程的troff或MathML
getcapexamine file capabilities检查文件能力
getenforceget the current mode of SELinux获取SELinux的当前模式
getfaclget file access control lists获取文件访问控制列表
getkeycodesprint kernel scancode-to-keycode mapping table打印内核扫描码到键码映射表
getoptparse command options (enhanced)解析命令选项(增强)
getoptsbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
getpcapsdisplay process capabilities显示过程能力
getseboolget SELinux boolean value(s)获取linux资产值(s)
getspnamgettexttranslate message翻译的消息
gettextizeinstall or upgrade gettext infrastructure安装或升级gettext基础设施
gexVi IMproved, a programmer’s text editor一个程序员的文本编辑器
gioGIO commandline toolGIO 命令行工具
gio-querymodulesGIO module cache creationGIO模块缓存创建
glib-compile-schemasGSettings schema compilerGSettings模式编译器
gneqnformat equations for ascii output格式方程的ASCII输出
gnroffemulate nroff command with groff使用groff模拟nroff命令
gnupgGnuPG 7 gnupg 7GnuPG 7 gnupg 7
gnupg2The GNU Privacy Guard suite of programsGNU隐私保护程序套件
gnupg~7The GNU Privacy Guard suite of programsGNU隐私保护程序套件
gpasswdadminister /etc/group and /etc/gshadow管理/etc/group和/etc/gshadow
gpgOpenPGP encryption and signing toolOpenPGP加密和签名工具
gpg-agentSecret key management for GnuPGGnuPG的密钥管理
gpg-connect-agentCommunicate with a running agent与运行中的代理通信
gpg-preset-passphrasePut a passphrase into gpg-agent’s cache将密码放入gpg-agent的缓存中
gpg-wks-clientClient for the Web Key ServiceWeb密钥服务的客户端
gpg-wks-serverServer providing the Web Key Service提供Web密钥服务的服务器
gpg2OpenPGP encryption and signing toolOpenPGP加密和签名工具
gpgconfModify .gnupg home directories修改.gnupg主目录
gpgparsemailParse a mail message into an annotated format将邮件解析为带注释的格式
gpgsmCMS encryption and signing toolCMS加密签名工具
gpgtarEncrypt or sign files into an archive加密或签名文件到存档
gpgvVerify OpenPGP signatures验证OpenPGP签名
gpgv2Verify OpenPGP signatures验证OpenPGP签名
gpiccompile pictures for troff or TeX为troff或TeX编译图片
grepprint lines matching a pattern打印匹配图案的行
grofffront-end for the groff document formatting system前端为groff文档格式化系统
gropsPostScript driver for groffPostScript驱动程序groff
grottygroff driver for typewriter-like devices类似打字机设备的格罗夫驱动程序
group.confconfiguration file for the pam_group modulepam_group模块的配置文件
groupaddcreate a new group创建一个新组
groupdeldelete a group删除一组
groupmemsadminister members of a user’s primary group管理用户的主组成员
groupmodmodify a group definition on the system修改系统中的组定义
groupsprint the groups a user is in打印用户所在的组
grpckverify integrity of group files验证组文件的完整性
grpconvconvert to and from shadow passwords and groups转换影子密码和组
grpunconvconvert to and from shadow passwords and groups转换影子密码和组
grub-bios-setupgrub-editenvgrub-filegrub-get-kernel-settingsgrub-glue-efigrub-installgrub-kbdcompgrub-menulst2cfggrub-mkconfiggrub-mkfontgrub-mkimagegrub-mklayoutgrub-mknetdirgrub-mkpasswd-pbkdf2grub-mkrelpathgrub-mkrescuegrub-mkstandalonegrub-ofpathnamegrub-probegrub-rebootgrub-rpm-sortgrub-script-checkgrub-set-bootflaggrub-set-defaultgrub-set-passwordgrub-sparc64-setupgrub-switch-to-blscfggrub-syslinux2cfggrub2-bios-setupSet up images to boot from a device.设置映像从设备启动。
grub2-editenvManage the GRUB environment block.管理GRUB环境块。
grub2-fileCheck if FILE is of specified type.检查FILE是否为指定类型。
grub2-fstestgrub2-get-kernel-settingsEvaluate the system’s kernel installation settings for use while making a grub configuration file.在创建grub配置文件时,评估系统的内核安装设置。
grub2-glue-efiCreate an Apple fat EFI binary.创建一个Apple胖EFI二进制文件。
grub2-installInstall GRUB on a device.在设备上安装GRUB。
grub2-kbdcompGenerate a GRUB keyboard layout file.生成GRUB键盘布局文件。
grub2-menulst2cfgConvert a configuration file from GRUB 0.xx to GRUB 2.xx format.从GRUB 0转换配置文件。xx到GRUB 2。xx格式。
grub2-mkconfigGenerate a GRUB configuration file.生成GRUB配置文件。
grub2-mkfontConvert common font file formats into the PF2 format.将常用的字体文件格式转换为PF2格式。
grub2-mkimageMake a bootable GRUB image.制作一个可引导的GRUB映像。
grub2-mklayoutGenerate a GRUB keyboard layout file.生成GRUB键盘布局文件。
grub2-mknetdirPrepare a GRUB netboot directory.准备一个GRUB netboot目录。
grub2-mkpasswd-pbkdf2Generate a PBKDF2 password hash.生成一个PBKDF2密码散列。
grub2-mkrelpathGenerate a relative GRUB path given an OS path.根据操作系统路径生成相对GRUB路径。
grub2-mkrescueGenerate a GRUB rescue image using GNU Xorriso.使用GNU Xorriso生成GRUB拯救映像。
grub2-mkstandaloneGenerate a standalone image in the selected format.以选定的格式生成一个独立的映像。
grub2-ofpathnameGenerate an IEEE-1275 device path for a specified device.为指定设备生成IEEE-1275设备路径。
grub2-probeProbe device information for a given path.探测给定路径的设备信息。
grub2-rebootSet the default boot menu entry for the next boot only.仅为下次启动设置默认启动菜单项。
grub2-rpm-sortSort input according to RPM version compare.根据RPM版本比较排序输入。
grub2-script-checkCheck GRUB configuration file for syntax errors.检查GRUB配置文件是否有语法错误。
grub2-set-bootflagSet a bootflag in the GRUB environment block.在GRUB环境块中设置引导标志。
grub2-set-defaultSet the default boot menu entry for GRUB.设置GRUB的默认启动菜单项。
grub2-set-passwordGenerate the user.cfg file containing the hashed grub bootloader password.生成包含散列grub引导加载程序密码的user.cfg文件。
grub2-setpasswordGenerate the user.cfg file containing the hashed grub bootloader password.生成包含散列grub引导加载程序密码的user.cfg文件。
grub2-sparc64-setupSet up a device to boot a sparc64 GRUB image.设置一个设备来引导sparc64 GRUB映像。
grub2-switch-to-blscfgSwitch to using BLS config files.切换到使用BLS配置文件。
grub2-syslinux2cfgTransform a syslinux config file into a GRUB config.将一个syslinux配置文件转换为GRUB配置。
grubbycommand line tool for configuring grub and zipl配置grub和zipl的命令行工具
gsettingsGSettings configuration toolGSettings配置工具
gshadowshadowed group file跟踪小组文件
gsoeliminterpret .so requests in groff input解释groff输入中的请求
gtaran archiving utility一个归档工具
gtblformat tables for troff格式化troff表
gtroffthe troff processor of the groff text formatting system格罗夫文本格式化系统的格罗夫处理器
gunzipcompress or expand files压缩或扩展文件
gviewVi IMproved, a programmer’s text editor一个程序员的文本编辑器
gvimVi IMproved, a programmer’s text editor一个程序员的文本编辑器
gvimdiffedit two, three or four versions of a file with Vim and show differences用Vim编辑一个文件的两个、三个或四个版本,并显示差异
gvimtutorthe Vim tutorVim导师
gzexecompress executable files in place在适当的地方压缩可执行文件
gzipcompress or expand files压缩或扩展文件

以h开头的命令

haltHalt, power-off or reboot the machine暂停、关机或重新启动机器
hardlinkConsolidate duplicate files via hardlinks通过硬链接合并重复文件
hashbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
hdparmget/set SATA/IDE device parameters获取/设置SATA/IDE设备参数
headoutput the first part of files输出文件的第一部分
helpbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
hexdumpdisplay file contents in hexadecimal, decimal, octal, or ascii以十六进制、十进制、八进制或ASCII格式显示文件内容
historybash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
hostidprint the numeric identifier for the current host打印当前主机的数字标识符
hostnamehostname 5 hostname 1主机名5主机名1
hostnamectlControl the system hostname控制系统主机名
hostname~1show or set the system’s host name显示或设置系统的主机名
hostname~5Local hostname configuration file本地主机名配置文件
hwclocktime clocks utility时钟时间效用
hwdbHardware Database硬件数据库

以i开头的命令

i386change reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
idprint real and effective user and group IDs打印真实有效的用户id和组id
ifcfgsimplistic script which replaces ifconfig IP management简单脚本,取代ifconfig IP管理
ifenslaveAttach and detach slave network devices to a bonding device.在bonding设备上绑定并分离从网络设备。
ifstathandy utility to read network interface statistics方便的实用工具读取网络接口统计数据
infoinfo 5 info 1信息5信息1
infocmpcompare or print out terminfo descriptions比较或打印出描述的结尾
infotocapconvert a terminfo description into a termcap description将一个terminfo description转换为一个termcap description
info~1read Info documents阅读信息文件
info~5readable online documentation读在线文档
initsystemd system and service managerSystemd系统和服务经理
inplaceemulate sed/perl/ruby in-place editing模拟sed/perl/ruby就地编辑
insmodSimple program to insert a module into the Linux Kernel简单的程序,插入一个模块到Linux内核
installcopy files and set attributes复制文件并设置属性
install-infoupdate info/dir entries更新信息/ dir条目
installkerneltool to script kernel installation用于脚本内核安装的工具
ioniceset or get process I/O scheduling class and priority设置或获取进程I/O调度类和优先级
ipshow / manipulate routing, network devices, interfaces and tunnels显示/操作路由、网络设备、接口和隧道
ip-addressprotocol address management协议地址管理
ip-addrlabelprotocol address label management协议地址标签管理
ip-fouFoo-over-UDP receive port configurationFoo-over-UDP接收端口配置
ip-gueGeneric UDP Encapsulation receive port configuration通用UDP封装接收端口配置
ip-l2tpL2TPv3 static unmanaged tunnel configurationL2TPv3非托管隧道静态配置
ip-linknetwork device configuration网络设备配置
ip-macsecMACsec device configurationMACsec设备配置
ip-maddressmulticast addresses management多播地址管理
ip-monitorstate monitoring状态监测
ip-mptcpMPTCP path manager configurationMPTCP路径管理器配置
ip-mroutemulticast routing cache management组播路由缓存管理
ip-neighbourneighbour/arp tables management.邻居/ arp表管理。
ip-netconfnetwork configuration monitoring网络配置监控
ip-netnsprocess network namespace management进程网络命名空间管理
ip-nexthopnexthop object managementnexthop对象管理
ip-ntableneighbour table configuration邻居表配置
ip-routerouting table management路由表管理
ip-rulerouting policy database management路由策略数据库管理
ip-srIPv6 Segment Routing managementIPv6段路由管理
ip-tcp_metricsmanagement for TCP MetricsTCP指标管理
ip-tokentokenized interface identifier support标记化的接口标识符支持
ip-tunneltunnel configuration隧道配置
ip-vrfrun a command against a vrf针对VRF执行命令
ip-xfrmtransform configuration转换配置
ip6tablesadministration tool for IPv4/IPv6 packet filtering and NATIPv4/IPv6包过滤和NAT的管理工具
ip6tables-restoreRestore IPv6 Tables恢复IPv6表
ip6tables-restore-translatetranslation tool to migrate from iptables to nftables从iptables迁移到nftables的翻译工具
ip6tables-savedump iptables rules转储iptables规则
ip6tables-translatetranslation tool to migrate from ip6tables to nftables从ip6tables迁移到nftables的翻译工具
ipcmkmake various IPC resources制造各种IPC资源
ipcrmremove certain IPC resources删除某些IPC资源
ipcsshow information on IPC facilities显示IPC设施信息
iprconfigIBM Power RAID storage adapter configuration/recovery utilityIBM Power RAID存储适配器配置/恢复实用程序
iprdbgIBM Power RAID storage adapter debug utilityIBM Power RAID存储适配器调试实用程序
iprdumpIBM Power RAID adapter dump utilityIBM电源RAID适配器转储实用程序
iprinitIBM Power RAID adapter/device initialization utilityIBM Power RAID适配器/设备初始化实用程序
iprsosIBM Power RAID report generatorIBM Power RAID报告生成器
iprupdateIBM Power RAID adapter/device microcode update utilityIBM电源RAID适配器/设备微码更新实用程序
ipsetadministration tool for IP setsIP集的管理工具
iptablesadministration tool for IPv4/IPv6 packet filtering and NATIPv4/IPv6包过滤和NAT的管理工具
iptables-applya safer way to update iptables remotely远程更新iptables的一种更安全的方式
iptables-extensionslist of extensions in the standard iptables distribution标准iptables发行版中的扩展列表
iptables-restoreRestore IP Tables恢复IP表
iptables-restore-translatetranslation tool to migrate from iptables to nftables从iptables迁移到nftables的翻译工具
iptables-savedump iptables rules转储iptables规则
iptables-translatetranslation tool to migrate from iptables to nftables从iptables迁移到nftables的翻译工具
iptables/ip6tablesirqbalancedistribute hardware interrupts across processors on a multiprocessor system在多处理器系统中,在处理器之间分发硬件中断
isosizeoutput the length of an iso9660 filesystem输出一个iso9660文件系统的长度

以j开头的命令

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

以k开头的命令

k5identityKerberos V5 client principal selection rulesKerberos V5客户机主体选择规则
k5loginKerberos V5 acl file for host access用于主机访问的Kerberos V5 acl文件
kbd_modereport or set the keyboard mode报告或设置键盘模式
kbdinfoobtain information about the status of a console获取控制台状态信息
kbdratereset the keyboard repeat rate and delay time重置键盘的重复频率和延迟时间
kdump.confconfiguration file for kdump kernel.kdump内核配置文件。
kdumpctlcontrol interface for kdumpkdump控制接口
kerberosOverview of using Kerberos使用Kerberos的概述
kernel-command-lineKernel command line parameters内核命令行参数
kernel-installAdd and remove kernel and initramfs images to and from /boot在/boot中添加和删除内核和initramfs映像
kexecdirectly boot into a new kernel直接引导到一个新的内核
key3.dbLegacy NSS certificate database遗留的NSS证书数据库
key4.dbNSS certificate databaseNSS证书数据库
keymapskeyboard table descriptions for loadkeys and dumpkeysloadkeys和dumpkeys的键盘表描述
keyutilsin-kernel key management utilities内核密钥管理实用程序
killterminate a process终止流程
kmodProgram to manage Linux Kernel modules程序管理Linux内核模块
kpartxCreate device maps from partition tables.从分区表创建设备映射。
krb5.confKerberos configuration fileKerberos配置文件
kvm_statReport KVM kernel module event counters报告KVM内核模块事件计数器

以l开头的命令

lastshow a listing of last logged in users显示最近登录的用户列表
lastbshow a listing of last logged in users显示最近登录的用户列表
lastlogreports the most recent login of all users or of a given user报告所有用户或给定用户的最近登录
lchageDisplay or change user password policy显示或修改用户密码策略
lchfnChange finger information改变手指信息
lchshChange login shell改变登录shell
ldap.confLDAP configuration file/environment variablesLDAP配置文件/环境变量
ldattachattach a line discipline to a serial line将线规连接到串行线上
ldifLDAP Data Interchange FormatLDAP数据交换格式
lessopposite of more相反的
lessechoexpand metacharacters扩展元字符
lesskeyspecify key bindings for less为less指定键绑定
letbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
lexgrogparse header information in man pages解析手册页中的头信息
lgroupaddAdd an user group添加用户组
lgroupdelDelete an user group删除用户组
lgroupmodModify an user group修改用户组
libaudit.conflibaudit configuration filelibaudit配置文件
libipsetA library for using ipset一个使用ipset的库
libnftables-jsonSupported JSON schema by libnftables支持的JSON模式由libftables
libnss_myhostname.so.2Provide hostname resolution for the locally configured system hostname.为本地配置的系统主机名提供主机名解析。
libnss_resolve.so.2Provide hostname resolution via systemd-resolved.service通过system -resolved.service提供主机名解析
libnss_systemd.so.2Provide UNIX user and group name resolution for dynamic users and groups.为动态用户和组提供UNIX用户和组名解析。
libuser.confconfiguration for libuser and libuser utilitieslibuser和libuser实用程序的配置
libxmllibrary used to parse XML files用于解析XML文件的库
lidDisplay user’s groups or group’s users显示用户组或组内用户
limits.confconfiguration file for the pam_limits modulepam_limits模块的配置文件
linkcall the link function to create a link to a file调用link函数来创建到文件的链接
linux32change reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
linux64change reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
listlist algorithms and features列出算法和特性
lnmake links between files在文件之间建立链接
lnewusersCreate new user accounts创建新用户帐户
lnstatunified linux network statisticsLinux统一网络统计
load_policyload a new SELinux policy into the kernel将新的SELinux策略加载到内核中
loader.confConfiguration file for systemd-boot系统引导的配置文件
loadkeysload keyboard translation tables加载键盘翻译表
loadunimapload the kernel unicode-to-font mapping table加载内核unicode到字体映射表
localbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
local.usersThe SELinux local users configuration fileSELinux本地用户配置文件
locale.confConfiguration file for locale settings区域设置的配置文件
localectlControl the system locale and keyboard layout settings控制系统区域设置和键盘布局设置
localtimeLocal timezone configuration file本地时区配置文件
loggerenter messages into the system log在系统日志中输入消息
loginbegin session on the system在系统上开始会话
login.defsshadow password suite configuration影子密码套件配置
loginctlControl the systemd login manager控制systemd登录管理器
logind.confLogin manager configuration files登录管理器配置文件
logind.conf.dLogin manager configuration files登录管理器配置文件
lognameprint user’s login name打印用户的登录名
logoutbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
logrotatelogrotate 8logrotate 8
logrotate.confrotates, compresses, and mails system logs旋转、压缩和邮件系统日志
logrotate~8rotates, compresses, and mails system logs旋转、压缩和邮件系统日志
logsavesave the output of a command in a logfile将命令的输出保存到日志文件中
lookdisplay lines beginning with a given string显示以给定字符串开头的行
losetupset up and control loop devices设置和控制回路装置
lpasswdChange group or user password更改组或用户密码
lslist directory contents列出目录的内容
lsattrlist file attributes on a Linux second extended file system在Linux第二扩展文件系统上列出文件属性
lsblklist block devices块设备列表
lscpudisplay information about the CPU architecture显示CPU架构信息
lshwlist hardware硬件列表
lsinitrdtool to show the contents of an initramfs image显示initramfs映像的内容的工具
lsipcshow information on IPC facilities currently employed in the system显示系统中目前使用的IPC设施的信息
lslockslist local system locks列出本地系统锁
lsloginsdisplay information about known users in the system显示系统中的已知用户信息
lsmemlist the ranges of available memory with their online status列出可用内存的范围及其在线状态
lsmodShow the status of modules in the Linux Kernel显示Linux内核中模块的状态
lsnslist namespaces列表名称空间
lspcilist all PCI devices列出所有PCI设备
lsscsilist SCSI devices (or hosts), list NVMe devices列出SCSI设备(或主机),列出NVMe设备
luseraddAdd an user添加一个用户
luserdelDelete an user删除一个用户
lusermodModify an user修改一个用户
lvchangeChange the attributes of logical volume(s)更改逻辑卷的属性
lvconvertChange logical volume layout更改逻辑卷布局
lvcreateCreate a logical volume创建逻辑卷
lvdisplayDisplay information about a logical volume显示逻辑卷信息
lvextendAdd space to a logical volume为逻辑卷添加空间
lvmLVM2 toolsLVM2工具
lvm-configDisplay and manipulate configuration information显示和操作配置信息
lvm-dumpconfigDisplay and manipulate configuration information显示和操作配置信息
lvm-fullreportlvm-lvpolllvm.confConfiguration file for LVM2LVM2的配置文件
lvm2-activation-generatorgenerator for systemd units to activate LVM volumes on bootsystemd单元的发电机在启动时激活LVM卷
lvm_import_vdoutility to import VDO volumes into a new volume group.实用程序导入VDO卷到一个新的卷组。
lvmcacheLVM cachingLVM缓存
lvmconfigDisplay and manipulate configuration information显示和操作配置信息
lvmdevicesManage the devices file管理设备文件
lvmdiskscanList devices that may be used as physical volumes列出可作为物理卷使用的设备
lvmdumpcreate lvm2 information dumps for diagnostic purposes创建用于诊断目的的lvm2信息转储
lvmpolldLVM poll daemonLVM调查守护进程
lvmraidLVM RAIDLVM突袭
lvmreportLVM reporting and related featuresLVM报告和相关特性
lvmsadcLVM system activity data collectorLVM系统活动数据收集器
lvmsarLVM system activity reporterLVM系统活动报告器
lvmsystemidLVM system IDLVM系统标识
lvmthinLVM thin provisioningLVM自动精简配置
lvmvdoSupport for Virtual Data Optimizer in LVM支持LVM中的虚拟数据优化器
lvreduceReduce the size of a logical volume减小逻辑卷的大小
lvremoveRemove logical volume(s) from the system从系统中移除逻辑卷
lvrenameRename a logical volume重命名逻辑卷
lvresizeResize a logical volume调整逻辑卷的大小
lvsDisplay information about logical volumes显示逻辑卷信息
lvscanList all logical volumes in all volume groups列出所有卷组中的所有逻辑卷
lzcatlzcmplzdifflzlesslzmalzmadeclzmore

以m开头的命令

machine-idLocal machine ID configuration file本地机器ID配置文件
machine-infoLocal machine information file本地计算机信息文件
magicfile command’s magic pattern file文件命令的魔法模式文件
makedumpfilemake a small dumpfile of kdump制作一个kdump的小dumpfile
makedumpfile.confThe filter configuration file for makedumpfile(8).makedumpfile(8)的过滤器配置文件。
manan interface to the on-line reference manuals联机参考手册的接口
manconvconvert manual page from one encoding to another将手动页面从一种编码转换为另一种编码
mandbcreate or update the manual page index caches创建或更新手动页索引缓存
manpathmanpath 5 manpath 1人形道 5 人形道 1
manpath~1determine search path for manual pages确定手册页的搜索路径
manpath~5format of the /etc/man_db.conf file/etc/man_db.conf文件格式
mapfilebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
mapscrnload screen output mapping table载入屏幕输出映射表
matchpathconget the default SELinux security context for the specified path from the file contexts configuration从文件上下文配置中获取指定路径的默认SELinux安全上下文
mcookiegenerate magic cookies for xauth为xauth生成魔法饼干
mdMultiple Device driver aka Linux Software RAID多设备驱动程序又名Linux软件RAID
md5sumcompute and check MD5 message digest计算并检查MD5消息摘要
mdadmmanage MD devices aka Linux Software RAID管理MD设备,即Linux软件RAID
mdadm.confconfiguration for management of Software RAID with mdadm使用mdadm管理软件RAID的配置
mdmonmonitor MD external metadata arrays监控MD外部元数据数组
mediauserspace SELinux labeling interface and configuration file format for the media contexts backend用户空间SELinux标签界面和媒体上下文后端配置文件格式
mesgdisplay (or do not display) messages from other users显示(或不显示)来自其他用户的消息
mkdirmake directories做目录
mkdosfscreate an MS-DOS filesystem under Linux在Linux下创建一个MS-DOS文件系统
mkdumprdcreates initial ramdisk images for kdump crash recovery为kdump崩溃恢复创建初始ramdisk映像
mke2fscreate an ext2/ext3/ext4 filesystem创建ext2/ext3/ext4文件系统
mke2fs.confConfiguration file for mke2fsmke2fs的配置文件
mkfifomake FIFOs (named pipes)制造FIFOs(命名管道)
mkfsbuild a Linux filesystem构建一个Linux文件系统
mkfs.cramfsmake compressed ROM file system制作压缩ROM文件系统
mkfs.ext2create an ext2/ext3/ext4 filesystem创建ext2/ext3/ext4文件系统
mkfs.ext3create an ext2/ext3/ext4 filesystem创建ext2/ext3/ext4文件系统
mkfs.ext4create an ext2/ext3/ext4 filesystem创建ext2/ext3/ext4文件系统
mkfs.fatcreate an MS-DOS filesystem under Linux在Linux下创建一个MS-DOS文件系统
mkfs.minixmake a Minix filesystem制作一个Minix文件系统
mkfs.msdoscreate an MS-DOS filesystem under Linux在Linux下创建一个MS-DOS文件系统
mkfs.vfatcreate an MS-DOS filesystem under Linux在Linux下创建一个MS-DOS文件系统
mkfs.xfsconstruct an XFS filesystem构造一个XFS文件系统
mkhomedir_helperHelper binary that creates home directories创建主目录的辅助二进制文件
mkinitrdis a compat wrapper, which calls dracut to generate an initramfs是compat包装器,它调用dracut生成initramfs
mklost+foundcreate a lost+found directory on a mounted Linux second extended file system在挂载的Linux第二扩展文件系统上创建lost+found目录
mknodmake block or character special files使块或字符特殊文件
mksquashfstool to create and append to squashfs filesystems用于创建和追加到squashfs文件系统的工具
mkswapset up a Linux swap area设置一个Linux交换区
mktempcreate a temporary file or directory创建一个临时文件或目录
mlx4dvDirect verbs for mlx4 devices用于mlx4设备的直接谓词
mlx5dvDirect verbs for mlx5 devices用于mlx5设备的直接动词
modinfoShow information about a Linux Kernel module显示Linux Kernel模块的信息
modprobeAdd and remove modules from the Linux Kernel从Linux内核中添加和删除模块
modprobe.confConfiguration directory for modprobemodprobe的配置目录
modprobe.dConfiguration directory for modprobemodprobe的配置目录
modulemd-validatormanual page for modulemd-validator 2.13.0modulemd-validator 2.13.0的手册页
modules-load.dConfigure kernel modules to load at boot配置内核模块以在引导时加载
modules.depModule dependency information模块依赖关系信息
modules.dep.binModule dependency information模块依赖关系信息
moduliDiffie-Hellman moduliDiffie-Hellman moduli
mokutilutility to manipulate machine owner keys实用程序来操纵机器所有者的钥匙
morefile perusal filter for crt viewing文件阅读过滤器的CRT查看
mountmount a filesystem挂载文件系统
mount.fuseconfiguration and mount options for FUSE file systemsFUSE文件系统的配置和挂载选项
mountpointsee if a directory or file is a mountpoint查看一个目录或文件是否是一个挂载点
msgattribattribute matching and manipulation on message catalog消息编目上的属性匹配和操作
msgcatcombines several message catalogs组合多个消息目录
msgcmpcompare message catalog and template比较消息目录和模板
msgcommmatch two message catalogs匹配两个消息目录
msgconvcharacter set conversion for message catalog消息编目的字符集转换
msgencreate English message catalog创建英文邮件目录
msgexecprocess translations of message catalog处理消息目录的翻译
msgfilteredit translations of message catalog编辑消息目录的翻译
msgfmtcompile message catalog to binary format将消息编目编译为二进制格式
msggreppattern matching on message catalog消息目录上的模式匹配
msginitinitialize a message catalog初始化消息目录
msgmergemerge message catalog and template合并消息目录和模板
msgunfmtuncompile message catalog from binary format从二进制格式反编译消息目录
msguniqunify duplicate translations in message catalog统一消息目录中的重复翻译
mtreeformat of mtree dir hierarchy filesmtree目录层次结构文件的格式
mvmove (rename) files(重命名)文件

以n开头的命令

nameifollow a pathname until a terminal point is found遵循路径名,直到找到终结点
namespace.confthe namespace configuration file命名空间配置文件
ndptoolNeighbor Discovery Protocol tool邻居发现协议工具
neqnformat equations for ascii output格式方程的ASCII输出
networkmanagernetwork management daemon网络管理守护进程
networkmanager-dispatcherDispatch user scripts for NetworkManager为NetworkManager分派用户脚本
networkmanager.confNetworkManager configuration file使其配置文件
newgidmapset the gid mapping of a user namespace设置用户命名空间的gid映射
newgrplog in to a new group登录到一个新组
newuidmapset the uid mapping of a user namespace设置用户命名空间的uid映射
newusersupdate and create new users in batch批量更新和创建新用户
nftAdministration tool of the nftables framework for packet filtering and classification用于包过滤和分类的nftables框架的管理工具
ngettexttranslate message and choose plural form翻译信息并选择复数形式
nicerun a program with modified scheduling priority运行一个修改了调度优先级的程序
nisdomainnameshow or set the system’s NIS/YP domain nameshow或设置系统的NIS/YP域名
nlnumber lines of files文件行数
nl-classid-lookupLookup classid definitions查找classid定义
nl-pktloc-lookupLookup packet location definitions查找包位置定义
nl-qdisc-addManage queueing disciplines排队管理规程
nl-qdisc-deleteManage queueing disciplines排队管理规程
nl-qdisc-listManage queueing disciplines排队管理规程
nl-qdisc-{add|list|delete}nm-initrd-generatorearly boot NetworkManager configuration generator早期启动NetworkManager配置生成器
nm-onlineask NetworkManager whether the network is connected询问NetworkManager网络是否连通
nm-settingsDescription of settings and properties of NetworkManager connection profiles for nmclinmcli的NetworkManager连接配置文件的设置和属性描述
nm-settings-dbusDescription of settings and properties of NetworkManager connection profiles on the D-Bus APID-Bus API上NetworkManager连接配置文件的设置和属性描述
nm-settings-ifcfg-rhDescription of ifcfg-rh settings pluginifcfg-rh设置插件的描述
nm-settings-keyfileDescription of keyfile settings pluginkeyfile设置插件的描述
nm-settings-nmcliDescription of settings and properties of NetworkManager connection profiles for nmclinmcli的NetworkManager连接配置文件的设置和属性描述
nm-system-settings.confNetworkManager configuration file使其配置文件
nmclicommand-line tool for controlling NetworkManager用于控制NetworkManager的命令行工具
nmcli-examplesusage examples of nmclinmcli的使用示例
nmtuiText User Interface for controlling NetworkManager文本用户界面控制NetworkManager
nmtui-connectText User Interface for controlling NetworkManager文本用户界面控制NetworkManager
nmtui-editText User Interface for controlling NetworkManager文本用户界面控制NetworkManager
nmtui-hostnameText User Interface for controlling NetworkManager文本用户界面控制NetworkManager
nohuprun a command immune to hangups, with output to a non-tty运行不受挂起影响的命令,输出到非tty对象
nologinpolitely refuse a login礼貌地拒绝登录
nprocprint the number of processing units available打印可用处理单元的数量
nroffemulate nroff command with groff使用groff模拟nroff命令
nsenterrun program with namespaces of other processes使用其他进程的命名空间运行程序
nseqcreate or examine a Netscape certificate sequence创建或检查Netscape证书序列
nss-myhostnameProvide hostname resolution for the locally configured system hostname.为本地配置的系统主机名提供主机名解析。
nss-resolveProvide hostname resolution via systemd-resolved.service通过system -resolved.service提供主机名解析
nss-systemdProvide UNIX user and group name resolution for dynamic users and groups.为动态用户和组提供UNIX用户和组名解析。
nstatnetwork statistics tools.网络统计工具。
numfmtConvert numbers from/to human-readable strings将数字转换为人类可读的字符串

以o开头的命令

ocspOnline Certificate Status Protocol utility在线证书状态协议实用程序
oddump files in octal and other formats以八进制和其他格式转储文件
openstart a program on a new virtual terminal (VT).在新的虚拟终端(VT)上启动一个程序。
opensslOpenSSL command line toolOpenSSL命令行工具
openssl-asn1parseASN.1 parsing toolasn . 1解析工具
openssl-c_rehashCreate symbolic links to files named by the hash values创建指向以散列值命名的文件的符号链接
openssl-casample minimal CA application样本最小CA应用
openssl-ciphersSSL cipher display and cipher list toolSSL密码显示和密码列表工具
openssl-cmsCMS utilityCMS工具
openssl-crlCRL utilityCRL效用
openssl-crl2pkcs7Create a PKCS#7 structure from a CRL and certificates从CRL和证书创建PKCS#7结构
openssl-dgstperform digest operations执行消化操作
openssl-dhparamDH parameter manipulation and generationDH参数的操作和生成
openssl-dsaDSA key processingDSA密钥处理
openssl-dsaparamDSA parameter manipulation and generationDSA参数的操作和生成
openssl-ecEC key processing电子商务关键处理
openssl-ecparamEC parameter manipulation and generationEC参数的操作和生成
openssl-encsymmetric cipher routines对称密码的例程
openssl-engineload and query engines加载和查询引擎
openssl-errstrlookup error codes查找错误代码
openssl-gendsagenerate a DSA private key from a set of parameters从一组参数生成DSA私钥
openssl-genpkeygenerate a private key生成私钥
openssl-genrsagenerate an RSA private key生成RSA私钥
openssl-listlist algorithms and features列出算法和特性
openssl-nseqcreate or examine a Netscape certificate sequence创建或检查Netscape证书序列
openssl-ocspOnline Certificate Status Protocol utility在线证书状态协议实用程序
openssl-passwdcompute password hashes计算密码散列
openssl-pkcs12PKCS#12 file utilityPKCS # 12文件实用程序
openssl-pkcs7PKCS#7 utilityPKCS # 7效用
openssl-pkcs8PKCS#8 format private key conversion toolpkcs# 8格式私钥转换工具
openssl-pkeypublic or private key processing tool公钥或私钥处理工具
openssl-pkeyparampublic key algorithm parameter processing tool公钥算法参数处理工具
openssl-pkeyutlpublic key algorithm utility公钥算法实用程序
openssl-primecompute prime numbers计算素数
openssl-randgenerate pseudo-random bytes生成伪随机字节
openssl-rehashCreate symbolic links to files named by the hash values创建指向以散列值命名的文件的符号链接
openssl-reqPKCS#10 certificate request and certificate generating utilityPKCS#10证书请求和证书生成工具
openssl-rsaRSA key processing toolRSA密钥处理工具
openssl-rsautlRSA utilityRSA公用事业
openssl-s_clientSSL/TLS client programSSL / TLS客户机程序
openssl-s_serverSSL/TLS server programSSL / TLS服务器程序
openssl-s_timeSSL/TLS performance timing programSSL/TLS性能定时程序
openssl-sess_idSSL/TLS session handling utilitySSL/TLS会话处理实用程序
openssl-smimeS/MIME utilityS / MIME效用
openssl-speedtest library performance测试库性能
openssl-spkacSPKAC printing and generating utilitySPKAC打印和生成实用程序
openssl-srpmaintain SRP password file维护SRP密码文件
openssl-storeutlSTORE utility存储工具
openssl-tsTime Stamping Authority tool (client/server)时间戳授权工具(客户端/服务器)
openssl-verifyUtility to verify certificates验证证书的实用程序
openssl-versionprint OpenSSL version information打印OpenSSL版本信息
openssl-x509Certificate display and signing utility证书显示和签名实用程序
openssl.cnfOpenSSL CONF library configuration filesOpenSSL CONF库配置文件
openvtstart a program on a new virtual terminal (VT).在新的虚拟终端(VT)上启动一个程序。
ordchrconvert characters to strings and vice versa将字符转换为字符串,反之亦然
os-releaseOperating system identification操作系统识别
ossl_storeStore retrieval functions存储检索功能
ossl_store-fileThe store ’file’ scheme loaderstore 'file'方案加载程序
ownershipCompaq ownership tag retriever康柏所有权标签检索器

以p开头的命令

p11-kitTool for operating on configured PKCS#11 modules用于操作已配置PKCS#11模块的工具
pamPAM 8 pam 8PAM 8 PAM 8
pam.confPAM configuration filesPAM配置文件
pam.dPAM configuration filesPAM配置文件
pam_accessPAM module for logdaemon style login access controlPAM模块用于日志守护程序式的登录访问控制
pam_consoledetermine user owning the system console确定拥有系统控制台的用户
pam_console_applyset or revoke permissions for users at the system console在系统控制台为用户设置或撤销权限
pam_cracklibPAM module to check the password against dictionary wordsPAM模块来检查密码对字典单词
pam_debugPAM module to debug the PAM stackPAM模块调试PAM堆栈
pam_denyThe locking-out PAM module锁定PAM模块
pam_echoPAM module for printing text messages用于打印文本消息的PAM模块
pam_envPAM module to set/unset environment variablesPAM模块设置/取消设置环境变量
pam_env.confthe environment variables config files环境变量配置文件
pam_execPAM module which calls an external command调用外部命令的PAM模块
pam_faildelayChange the delay on failure per-application更改每个应用程序失败的延迟
pam_faillockModule counting authentication failures during a specified interval模块在指定时间间隔内统计认证失败次数
pam_filterPAM filter modulePAM滤波器模块
pam_ftpPAM module for anonymous access modulePAM模块用于匿名访问模块
pam_groupPAM module for group accessPAM模块用于组访问
pam_issuePAM module to add issue file to user promptPAM模块添加问题文件到用户提示
pam_keyinitKernel session keyring initialiser module内核会话keyring初始化模块
pam_lastlogPAM module to display date of last login and perform inactive account lock outPAM模块显示最后登录日期和执行不活跃帐户锁定
pam_limitsPAM module to limit resourcesPAM模块限制资源
pam_listfiledeny or allow services based on an arbitrary file拒绝或允许基于任意文件的服务
pam_localuserrequire users to be listed in /etc/passwd要求在/etc/passwd中列出用户
pam_loginuidRecord user’s login uid to the process attribute将用户的登录uid记录到进程属性
pam_mailInform about available mail通知可用邮件
pam_mkhomedirPAM module to create users home directoryPAM模块创建用户的主目录
pam_motdDisplay the motd file显示motd文件
pam_namespacePAM module for configuring namespace for a session用于为会话配置命名空间的PAM模块
pam_nologinPrevent non-root users from login禁止非root用户登录
pam_permitThe promiscuous module滥交的模块
pam_postgresoksimple check of real UID and corresponding account name简单的检查真实的UID和相应的帐户名
pam_pwhistoryPAM module to remember last passwordsPAM模块,以记住最后的密码
pam_pwqualityPAM module to perform password quality checkingPAM模块进行密码质量检查
pam_rhostsThe rhosts PAM modulerhosts PAM模块
pam_rootokGain only root access只获得根访问权限
pam_securettyLimit root login to special devices限制根用户登录到特殊设备
pam_selinuxPAM module to set the default security contextPAM模块来设置默认的安全上下文
pam_sepermitPAM module to allow/deny login depending on SELinux enforcement statePAM模块允许/拒绝登录,这取决于SELinux执行状态
pam_shellsPAM module to check for valid login shellPAM模块检查有效的登录shell
pam_sssPAM module for SSSD用于SSSD的PAM模块
pam_sss_gssPAM module for SSSD GSSAPI authenticationPAM模块用于SSSD的GSSAPI验证
pam_succeed_iftest account characteristics测试账户的特点
pam_systemdRegister user sessions in the systemd login manager在systemd登录管理器中注册用户会话
pam_timePAM module for time control accessPAM模块用于时间控制访问
pam_timestampAuthenticate using cached successful authentication attempts使用缓存的成功身份验证尝试进行身份验证
pam_timestamp_checkCheck to see if the default timestamp is valid检查默认的时间戳是否有效
pam_tty_auditEnable or disable TTY auditing for specified users为指定用户开启或关闭TTY审计功能
pam_umaskPAM module to set the file mode creation maskPAM模块设置文件模式的创建掩码
pam_unixModule for traditional password authentication传统密码验证模块
pam_userdbPAM module to authenticate against a db databasePAM模块对数据库进行身份验证
pam_usertypecheck if the authenticated user is a system or regular account检查被验证的用户是系统帐户还是普通帐户
pam_warnPAM module which logs all PAM items if calledPAM模块,它记录所有被调用的PAM项
pam_wheelOnly permit root access to members of group wheel仅允许根访问组轮的成员
pam_xauthPAM module to forward xauth keys between usersPAM模块在用户之间转发xauth密钥
pam~8Pluggable Authentication Modules for LinuxLinux可插拔认证模块
parteda partition manipulation program分区操作程序
partprobeinform the OS of partition table changes通知OS分区表的变化
partxtell the kernel about the presence and numbering of on-disk partitions告诉内核磁盘分区的存在情况和编号
passphrase-encodingHow diverse parts of OpenSSL treat pass phrases character encodingOpenSSL的不同部分如何处理传递短语字符编码
passwdpasswd 1ssl passwd 1Passwd 1ssl Passwd 1 .输入密码
passwd~1update user’s authentication tokens更新用户身份验证令牌
passwd~1sslpassword-authCommon configuration file for PAMified servicespamized服务的通用配置文件
pastemerge lines of files合并文件行
pathchkcheck whether file names are valid or portable检查文件名是否有效或可移植
pcpkg-config file formatpkg-config文件格式
pcap-filterpacket filter syntax包过滤语法
pcap-linktypelink-layer header types supported by libpcaplibpcap支持的链路层报头类型
pcap-tstamppacket time stamps in libpcaplibpcap中的数据包时间戳
pgreplook up or signal processes based on name and other attributes根据名称和其他属性查找或发送信号
piccompile pictures for troff or TeX为troff或TeX编译图片
pidoffind the process ID of a running program.查找正在运行的程序的进程号。
pigzcompress or expand files压缩或扩展文件
pingsend ICMP ECHO_REQUEST to network hosts发送ICMP ECHO_REQUEST到网络主机
ping6send ICMP ECHO_REQUEST to network hosts发送ICMP ECHO_REQUEST到网络主机
pinkylightweight finger轻量级的手指
pippip3pip 9.0.3皮普9.0.3
pivot_rootchange the root filesystem更改根文件系统
pkactionGet details about a registered action获取有关已注册操作的详细信息
pkcheckCheck whether a process is authorized检查进程是否被授权
pkcs11.confConfiguration files for PKCS#11 modulesPKCS#11模块的配置文件
pkcs11.txtNSS PKCS #11 module configuration fileNSS PKCS #11模块配置文件
pkcs12PKCS#12 file utilityPKCS # 12文件实用程序
pkcs7PKCS#7 utilityPKCS # 7效用
pkcs8PKCS#8 format private key conversion toolpkcs# 8格式私钥转换工具
pkexecExecute a command as another user以其他用户执行命令
pkeypublic or private key processing tool公钥或私钥处理工具
pkeyparampublic key algorithm parameter processing tool公钥算法参数处理工具
pkeyutlpublic key algorithm utility公钥算法实用程序
pkg-configa system for configuring build dependency information用于配置构建依赖项信息的系统
pkg.m4autoconf macros for using pkgconf使用pkgconf的Autoconf宏
pkgconfa system for configuring build dependency information用于配置构建依赖项信息的系统
pkilllook up or signal processes based on name and other attributes根据名称和其他属性查找或发送信号
pkla-admin-identitiesList pklocalauthority-configured polkit administrators列出pklocalauthority配置的polkit管理员
pkla-check-authorizationEvaluate pklocalauthority authorization configuration评估pklocalauthority授权配置
pklocalauthoritypolkit Local Authority Compatibilitypolkit本地权威兼容性
pkttyagentTextual authentication helper文本验证助手
plymouthplymouth 1 plymouth 8普利茅斯1普利茅斯8
plymouth-set-default-themeSet the plymouth theme设置普利茅斯主题
plymouthdThe plymouth daemon普利茅斯守护进程
plymouth~1Send commands to plymouthd将命令发送到plymouthd
plymouth~8A graphical boot system and logger一个图形化的引导系统和记录器
pmapreport memory map of a process报告进程的内存映射
pngPortable Network Graphics (PNG) format便携式网络图形(PNG)格式
polkitAuthorization Manager授权管理器
polkitdThe polkit system daemonpolkit系统守护进程
popdbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
portablectlAttach, detach or inspect portable service images附加、分离或检查便携式服务图像
postloginCommon configuration file for PAMified servicespamized服务的通用配置文件
poweroffHalt, power-off or reboot the machine暂停、关机或重新启动机器
prconvert text files for printing转换文本文件用于打印
preconvconvert encoding of input files to something GNU troff understands将输入文件的编码转换成GNU troff能够理解的东西
primecompute prime numbers计算素数
printenvprint all or part of environment打印环境的全部或部分
printfformat and print data格式化和打印数据
prlimitget and set process resource limits获取和设置进程资源限制
procpsreport a snapshot of the current processes.报告当前进程的快照。
projectspersistent project root definition持久的项目根定义
projidthe project name mapping file项目名称映射文件
proxy-certificatesProxy certificates in OpenSSLOpenSSL中的代理证书
psreport a snapshot of the current processes.报告当前进程的快照。
psfaddtableadd a Unicode character table to a console font为控制台字体添加Unicode字符表
psfgettableextract the embedded Unicode character table from a console font从控制台字体中提取嵌入的Unicode字符表
psfstriptableremove the embedded Unicode character table from a console font从控制台字体中移除嵌入的Unicode字符表
psfxtablehandle Unicode character tables for console fonts处理控制台字体的Unicode字符表
ptxproduce a permuted index of file contents生成文件内容的排列索引
pushdbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
pvchangeChange attributes of physical volume(s)更改物理卷的属性
pvckCheck metadata on physical volumes检查物理卷的元数据
pvcreateInitialize physical volume(s) for use by LVM初始化物理卷供LVM使用
pvdisplayDisplay various attributes of physical volume(s)显示物理卷的各种属性
pvmoveMove extents from one physical volume to another将范围从一个物理卷移动到另一个物理卷
pvremoveRemove LVM label(s) from physical volume(s)从物理卷中移除LVM标签
pvresizeResize physical volume(s)调整物理卷(s)
pvsDisplay information about physical volumes显示物理卷信息
pvscanList all physical volumes列出所有物理卷
pwckverify integrity of password files验证密码文件的完整性
pwconvconvert to and from shadow passwords and groups转换影子密码和组
pwdprint name of current/working directory打印当前/工作目录的名称
pwdxreport current working directory of a process报告进程的当前工作目录
pwhistory_helperHelper binary that transfers password hashes from passwd or shadow to opasswd将密码哈希值从passwd或shadow传输到passwd的辅助二进制文件
pwmakesimple tool for generating random relatively easily pronounceable passwords简单的工具生成随机相对容易发音的密码
pwquality.confconfiguration for the libpwquality librarylibpwquality库的配置
pwscoresimple configurable tool for checking quality of a password简单的可配置工具检查质量的密码
pwunconvconvert to and from shadow passwords and groups转换影子密码和组
pythoninfo on how to set up the `python` command.关于如何设置' python '命令的信息。
python3.6an interpreted, interactive, object-oriented programming language一种解释的、交互式的、面向对象的程序设计语言

以r开头的命令

randRAND 7ssl rand 1sslRAND 7ssl RAND 1ssl
rand_drbgthe deterministic random bit generator确定性随机比特发生器
rand~1sslrawbind a Linux raw character device绑定Linux原始字符设备
rawdevicesbind a Linux raw character device绑定Linux原始字符设备
rdiscnetwork router discovery daemon网络路由器发现守护进程
rdmaRDMA toolRDMA工具
rdma-devRDMA device configurationRDMA设备配置
rdma-linkrdma link configurationrdma链接配置
rdma-nddRDMA-NDD 8 rdma-ndd 8RDMA-NDD 8 Rdma-ndd 8
rdma-ndd~8RDMA device Node Description update daemonRDMA设备更新守护进程
rdma-resourcerdma resource configurationrdma资源配置
rdma-statisticRDMA statistic counter configurationRDMA统计计数器配置
rdma-systemRDMA subsystem configurationRDMA子系统配置
readbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
readareaddirdirectory input parser for gawk目录输入解析器gawk
readfilereturn the entire contents of a file as a string以字符串形式返回文件的全部内容
readlinkprint resolved symbolic links or canonical file names打印解析的符号链接或规范文件名
readonlybash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
readprofileread kernel profiling information读取内核概要信息
realpathprint the resolved path打印解析的路径
rebootHalt, power-off or reboot the machine暂停、关机或重新启动机器
recode-sr-latinconvert Serbian text from Cyrillic to Latin script将塞尔维亚文字从西里尔文字转换为拉丁文字
rehashCreate symbolic links to files named by the hash values创建指向以散列值命名的文件的符号链接
removable_contextThe SELinux removable devices context configuration fileSELinux可移动设备上下文配置文件
renamerename files重命名文件
renicealter priority of running processes修改进程的优先级
reqPKCS#10 certificate request and certificate generating utilityPKCS#10证书请求和证书生成工具
rescan-scsi-bus.shscript to add and remove SCSI devices without rebooting脚本可以在不重启的情况下添加和删除SCSI设备
resetterminal initialization终端初始化
resize2fsext2/ext3/ext4 file system resizer调整Ext2 /ext3/ext4文件系统大小
resizeconschange kernel idea of the console size改变控制台大小的内核概念
resizeparttell the kernel about the new size of a partition告诉内核分区的新大小
resolvconfResolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver解析域名、IPV4和IPv6地址、DNS资源记录和服务;内省并重新配置DNS解析器
resolvectlResolve domain names, IPV4 and IPv6 addresses, DNS resource records, and services; introspect and reconfigure the DNS resolver解析域名、IPV4和IPv6地址、DNS资源记录和服务;内省并重新配置DNS解析器
resolved.confNetwork Name Resolution configuration files网络名称解析配置文件
resolved.conf.dNetwork Name Resolution configuration files网络名称解析配置文件
restoreconrestore file(s) default SELinux security contexts.恢复文件默认的SELinux安全上下文。
restorecon_xattrmanage security.restorecon_last extended attribute entries added by setfiles (8) or restorecon (8).管理安全。Restorecon_last扩展属性项由setfiles(8)或restorerecon(8)添加。
returnbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
revreverse lines characterwise反向行characterwise
revoutputReverse output strings sample extension反向输出字符串示例扩展
revtwowayReverse strings sample two-way processor extension反向字符串样本双向处理器扩展
rfkilltool for enabling and disabling wireless devices启用和禁用无线设备的工具
rmremove files or directories删除文件或目录
rmdirremove empty directories删除空目录
rmmodSimple program to remove a module from the Linux Kernel从Linux内核中删除一个模块的简单程序
routefflush routes冲洗路线
routellist routes with pretty output format用漂亮的输出格式列出路由
rpmRPM Package ManagerRPM包管理器
rpm-misclesser need options for rpm(8)较少需要rpm选项(8)
rpm-plugin-systemd-inhibitPlugin for the RPM Package ManagerRPM包管理器插件
rpm2cpioExtract cpio archive from RPM Package Manager (RPM) package.从RPM包中提取cpio文件。
rpmdbRPM Database ToolRPM数据库工具
rpmkeysRPM KeyringRPM密匙环
rsaRSA key processing toolRSA密钥处理工具
rsa-pssEVP_PKEY RSA-PSS algorithm supportEVP_PKEY RSA-PSS算法支持
rsautlRSA utilityRSA公用事业
rsyslog.confrsyslogd(8) configuration filersyslogd(8)配置文件
rsyslogdreliable and extended syslogd可靠和扩展的syslog日志
rtacctnetwork statistics tools.网络统计工具。
rtcwakeenter a system sleep state until specified wakeup time进入系统休眠状态,直到指定的唤醒时间
rtmonlistens to and monitors RTnetlink监听和监控RTnetlink
rtprreplace backslashes with newlines.用换行替换反斜杠。
rtstatunified linux network statisticsLinux统一网络统计
run-partsconfiguration and scripts for running periodical jobs用于运行定期作业的配置和脚本
runconrun command with specified SELinux security context使用指定的SELinux安全上下文运行命令
runlevelPrint previous and current SysV runlevel打印以前和现在的SysV运行级别
runuserrun a command with substitute user and group ID使用替代用户和组ID运行命令
rviVi IMproved, a programmer’s text editor一个程序员的文本编辑器
rviewVi IMproved, a programmer’s text editor一个程序员的文本编辑器
rvimVi IMproved, a programmer’s text editor一个程序员的文本编辑器
rwarraywrite and read gawk arrays to/from files在文件中写入和读取gawk数组
rxeSoftware RDMA over Ethernet基于以太网的软件RDMA

以s开头的命令

s_clientSSL/TLS client programSSL / TLS客户机程序
s_serverSSL/TLS server programSSL / TLS服务器程序
s_timeSSL/TLS performance timing programSSL/TLS性能定时程序
sandboxRun cmd under an SELinux sandbox在SELinux沙箱下运行cmd
scdaemonSmartcard daemon for the GnuPG systemGnuPG系统的智能卡守护进程
scpsecure copy (remote file copy program)安全拷贝(远程文件拷贝程序)
scr_dumpformat of curses screen-dumps.诅咒屏幕转储的格式。
scriptmake typescript of terminal session制作终端会话的打字稿
scriptreplayplay back typescripts, using timing information使用定时信息回放打字脚本
scryptEVP_PKEY scrypt KDF supportEVP_PKEY加密 KDF 支持
scsi-rescanscript to add and remove SCSI devices without rebooting脚本可以在不重启的情况下添加和删除SCSI设备
scsi_logging_levelaccess Linux SCSI logging level information访问Linux SCSI日志级别信息
scsi_mandatcheck SCSI device support for mandatory commands检查SCSI设备对强制命令的支持
scsi_readcapdo SCSI READ CAPACITY command on disks磁盘上是否有SCSI READ CAPACITY命令
scsi_readydo SCSI TEST UNIT READY on devicesSCSI测试单元准备好了吗
scsi_satlcheck SCSI to ATA Translation (SAT) device support检查SCSI到ATA转换(SAT)设备支持
scsi_startstart one or more SCSI disks启动一个或多个SCSI磁盘
scsi_stopstop (spin down) one or more SCSI disksstop (spin down)一个或多个SCSI磁盘
scsi_temperaturefetch the temperature of a SCSI device获取SCSI设备的温度
sd-bootA simple UEFI boot manager一个简单的UEFI启动管理器
sdiffside-by-side merge of file differences并排合并文件差异
secmod.dbLegacy NSS security modules database遗留的NSS安全模块数据库
secolor.confThe SELinux color configuration fileSELinux颜色配置文件
seconSee an SELinux context, from a file, program or user input.从文件、程序或用户输入中查看SELinux上下文。
secret-toolStore and retrieve passwords存储和检索密码
securetty_typesThe SELinux secure tty type configuration fileSELinux安全tty类型配置文件
sedstream editor for filtering and transforming text用于过滤和转换文本的流编辑器
sefcontext_compilecompile file context regular expression files编译文件上下文正则表达式文件
selabel_dbuserspace SELinux labeling interface and configuration file format for the RDBMS objects context backendRDBMS对象上下文后端的用户空间SELinux标记接口和配置文件格式
selabel_fileuserspace SELinux labeling interface and configuration file format for the file contexts backend用户空间SELinux标签界面和文件上下文后端配置文件格式
selabel_mediauserspace SELinux labeling interface and configuration file format for the media contexts backend用户空间SELinux标签界面和媒体上下文后端配置文件格式
selabel_xuserspace SELinux labeling interface and configuration file format for the X Window System contexts backend. This backend is also used to determine the default context for labeling remotely connected X clients用户空间SELinux标签界面和配置文件格式的X窗口系统上下文后端。这个后端还用于确定标识远程连接的X客户端的默认上下文
selinuxSELinux 8 selinux 8SELinux 8 selinux 8
selinux_configThe SELinux sub-system configuration file.SELinux子系统配置文件。
selinuxconlistlist all SELinux context reachable for user列出用户可访问的所有SELinux上下文
selinuxdefconreport default SELinux context for user为用户报告默认SELinux上下文
selinuxenabledtool to be used within shell scripts to determine if selinux is enabled在shell脚本中使用的工具,用于确定是否启用了selinux
selinuxexecconreport SELinux context used for this executable报告用于此可执行文件的SELinux上下文
selinux~8NSA Security-Enhanced Linux (SELinux)NSA安全增强Linux (SELinux)
semanageSELinux Policy Management toolSELinux Policy管理工具
semanage-booleanSELinux Policy Management boolean toolSELinux Policy管理布尔型工具
semanage-dontauditSELinux Policy Management dontaudit toolSELinux策略管理不审计工具
semanage-exportSELinux Policy Management import toolSELinux Policy管理导入工具
semanage-fcontextSELinux Policy Management file context toolSELinux Policy管理文件上下文工具
semanage-ibendportSELinux Policy Management ibendport mapping toolSELinux Policy Management ibendport映射工具
semanage-ibpkeySELinux Policy Management ibpkey mapping toolSELinux Policy Management ibpkey映射工具
semanage-importSELinux Policy Management import toolSELinux Policy管理导入工具
semanage-interfaceSELinux Policy Management network interface toolSELinux Policy管理网口工具
semanage-loginSELinux Policy Management linux user to SELinux User mapping toolSELinux策略管理linux用户到SELinux用户映射工具
semanage-moduleSELinux Policy Management module mapping toolSELinux Policy管理模块映射工具
semanage-nodeSELinux Policy Management node mapping toolSELinux Policy管理节点映射工具
semanage-permissiveSELinux Policy Management permissive mapping toolSELinux Policy管理权限映射工具
semanage-portSELinux Policy Management port mapping toolSELinux Policy管理端口映射工具
semanage-userSELinux Policy Management SELinux User mapping toolSELinux策略管理SELinux用户映射工具
semanage.confglobal configuration file for the SELinux Management librarySELinux Management库的全局配置文件
semoduleManage SELinux policy modules.管理SELinux策略模块。
semodule_expandExpand a SELinux policy module package.展开SELinux策略模块包。
semodule_linkLink SELinux policy module packages together将SELinux策略模块包链接在一起
semodule_packageCreate a SELinux policy module package.创建SELinux策略模块包。
semodule_unpackageExtract policy module and file context file from an SELinux policy module package.从SELinux策略模块包中提取策略模块和文件上下文文件。
sepermit.confconfiguration file for the pam_sepermit modulepam_sepermit模块的配置文件
sepgsql_contextsuserspace SELinux labeling interface and configuration file format for the RDBMS objects context backendRDBMS对象上下文后端的用户空间SELinux标记接口和配置文件格式
seqprint a sequence of numbers打印一个数字序列
servicerun a System V init script执行System V的init脚本
service_seusersThe SELinux GNU/Linux user and service to SELinux user mapping configuration filesSELinux GNU/Linux用户和服务到SELinux用户的映射配置文件
sess_idSSL/TLS session handling utilitySSL/TLS会话处理实用程序
sestatusSELinux status toolSELinux地位的工具
sestatus.confThe sestatus(8) configuration file.sestatus(8)配置文件。
setbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
setarchchange reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
setcapset file capabilities设置文件能力
setenforcemodify the mode SELinux is running in修改SELinux正在运行的模式
setfaclset file access control lists设置文件访问控制列表
setfilesset SELinux file security contexts.设置SELinux文件安全上下文。
setfontload EGA/VGA console screen font加载EGA/VGA控制台屏幕字体
setkeycodesload kernel scancode-to-keycode mapping table entries加载内核scancode-to-keycode映射表项
setledsset the keyboard leds设置键盘指示灯
setmetamodedefine the keyboard meta key handling定义键盘元键处理
setpciconfigure PCI devices配置PCI设备
setprivrun a program with different Linux privilege settings使用不同的Linux权限设置运行一个程序
setseboolset SELinux boolean value设置SELinux布尔值
setsidrun a program in a new session在一个新的会话中运行一个程序
settermset terminal attributes设置终端属性
setup-nsssysinitQuery or enable the nss-sysinit module查询或使能nss-sysinit模块
setvtrgbset the virtual terminal RGB colors设置虚拟终端的RGB颜色
seusersThe SELinux GNU/Linux user to SELinux user mapping configuration fileSELinux GNU/Linux用户到SELinux用户映射配置文件
sfdiskdisplay or manipulate a disk partition table显示或操作磁盘分区表
sftpsecure file transfer program安全文件传输程序
sftp-serverSFTP server subsystemSFTP服务器子系统
sgexecute command as different group ID执行命令使用不同的组ID
sg3_utilsa package of utilities for sending SCSI commands用于发送SCSI命令的实用程序包
sg_bg_ctlsend SCSI BACKGROUND CONTROL command发送SCSI后台控制命令
sg_compare_and_writesend the SCSI COMPARE AND WRITE command发送SCSI比较和写命令
sg_copy_resultssend SCSI RECEIVE COPY RESULTS command (XCOPY related)发送SCSI接收COPY RESULTS命令(XCOPY相关)
sg_ddcopy data to and from files and devices, especially SCSI devices从文件和设备(特别是SCSI设备)复制数据
sg_decode_sensedecode SCSI sense and related data解码SCSI感觉和相关数据
sg_emc_trespasschange ownership of SCSI LUN from another Service-Processor to this one将SCSI LUN的所有权从另一个服务处理器更改为这个
sg_formatformat, resize a SCSI disk or format a tape格式化、调整SCSI磁盘大小或格式化磁带
sg_get_configsend SCSI GET CONFIGURATION command (MMC-4 +)发送SCSI GET配置命令(MMC-4 +)
sg_get_lba_statussend SCSI GET LBA STATUS(16 or 32) commandsend SCSI GET LBA STATUS(16或32)命令
sg_identsend SCSI REPORT/SET IDENTIFYING INFORMATION command发送SCSI报告/设置识别信息命令
sg_inqissue SCSI INQUIRY command and/or decode its response发出SCSI INQUIRY命令和/或解码它的响应
sg_logsaccess log pages with SCSI LOG SENSE command使用SCSI log SENSE命令访问日志页面
sg_lunssend SCSI REPORT LUNS command or decode given LUN发送SCSI REPORT LUN命令或解码给定的LUN
sg_mapdisplays mapping between Linux sg and other SCSI devices显示Linux sg和其他SCSI设备之间的映射
sg_map26map SCSI generic (sg) device to corresponding device names将SCSI通用(sg)设备映射到相应的设备名
sg_modesreads mode pages with SCSI MODE SENSE command使用SCSI mode SENSE命令读取模式页面
sg_opcodesreport supported SCSI commands or task management functions报告支持SCSI命令或任务管理功能
sg_persistuse SCSI PERSISTENT RESERVE command to access registrations and reservations使用SCSI PERSISTENT RESERVE命令访问注册和预订
sg_preventsend SCSI PREVENT ALLOW MEDIUM REMOVAL command发送SCSI阻止允许介质移除命令
sg_rawsend arbitrary SCSI command to a device发送任意SCSI命令到设备
sg_rbufreads data using SCSI READ BUFFER command使用SCSI READ BUFFER命令读取数据
sg_rdacdisplay or modify SCSI RDAC Redundant Controller mode page显示或修改“SCSI RDAC冗余控制器模式”界面
sg_readread multiple blocks of data, optionally with SCSI READ commands读取多个数据块,可选使用SCSI read命令
sg_read_attrsend SCSI READ ATTRIBUTE command发送SCSI READ属性命令
sg_read_block_limitssend SCSI READ BLOCK LIMITS command发送SCSI读块限制命令
sg_read_buffersend SCSI READ BUFFER command发送SCSI读缓冲区命令
sg_read_longsend a SCSI READ LONG command发送SCSI读长命令
sg_readcapsend SCSI READ CAPACITY command发送SCSI READ CAPACITY命令
sg_reassignsend SCSI REASSIGN BLOCKS command发送SCSI重新分配块命令
sg_referralssend SCSI REPORT REFERRALS command发送SCSI报告引用命令
sg_rep_zonessend SCSI REPORT ZONES command发送SCSI REPORT ZONES命令
sg_requestssend one or more SCSI REQUEST SENSE commands发送一个或多个SCSI REQUEST SENSE命令
sg_resetsends SCSI device, target, bus or host reset; or checks reset state发送SCSI设备、目标、总线或主机复位;或者检查复位状态
sg_reset_wpsend SCSI RESET WRITE POINTER command发送SCSI RESET WRITE POINTER命令
sg_rmsnsend SCSI READ MEDIA SERIAL NUMBER command发送SCSI读媒体序列号命令
sg_rtpgsend SCSI REPORT TARGET PORT GROUPS command发送SCSI报告目标端口组命令
sg_safteaccess SCSI Accessed Fault-Tolerant Enclosure (SAF-TE) deviceaccess SCSI access Fault-Tolerant Enclosure (saft - te)设备
sg_sanitizeremove all user data from disk with SCSI SANITIZE command使用SCSI SANITIZE命令删除磁盘上的所有用户数据
sg_sat_identifysend ATA IDENTIFY DEVICE command via SCSI to ATA Translation (SAT) layer通过SCSI向ATA Translation (SAT)层发送ATA IDENTIFY DEVICE命令
sg_sat_phy_eventuse ATA READ LOG EXT via a SAT pass-through to fetch SATA phy event counters使用ATA READ LOG EXT通过SAT直通获取SATA phy事件计数器
sg_sat_read_gploguse ATA READ LOG EXT command via a SCSI to ATA Translation (SAT) layer通过SCSI到ATA Translation (SAT)层使用ATA READ LOG EXT命令
sg_sat_set_featuresuse ATA SET FEATURES command via a SCSI to ATA Translation (SAT) layer通过SCSI到ATA转换(SAT)层使用ATA SET FEATURES命令
sg_scanscans sg devices (or SCSI/ATAPI/ATA devices) and prints results扫描sg设备(或SCSI/ATAPI/ATA设备)并打印结果
sg_seeksend SCSI SEEK, PRE-FETCH(10) or PRE-FETCH(16) command发送SCSI SEEK,预取(10)或预取(16)命令
sg_senddiagperforms a SCSI SEND DIAGNOSTIC command执行SCSI SEND DIAGNOSTIC命令
sg_sesaccess a SCSI Enclosure Services (SES) device接入SES (SCSI Enclosure Services)设备
sg_ses_microcodesend microcode to a SCSI enclosure发送微码到SCSI框
sg_startsend SCSI START STOP UNIT command: start, stop, load or eject mediumsend SCSI START STOP UNIT命令:启动、停止、加载或弹出介质
sg_stpgsend SCSI SET TARGET PORT GROUPS command发送SCSI设置目标端口组命令
sg_stream_ctlsend SCSI STREAM CONTROL or GET STREAM STATUS command发送SCSI流控制或获取流状态命令
sg_syncsend SCSI SYNCHRONIZE CACHE commandsend SCSI SYNCHRONIZE CACHE命令
sg_test_rwbuftest a SCSI host adapter by issuing dummy writes and reads通过发出虚拟的写和读来测试SCSI主机适配器
sg_timestampreport or set timestamp on SCSI device报告或设置SCSI设备上的时间戳
sg_turssend one or more SCSI TEST UNIT READY commands发送一个或多个SCSI测试单元READY命令
sg_unmapsend SCSI UNMAP command (known as ’trim’ in ATA specs)发送SCSI UNMAP命令(在ATA规格中称为“修剪”)
sg_verifyinvoke SCSI VERIFY command(s) on a block device在块设备上调用SCSI VERIFY命令
sg_vpdfetch SCSI VPD page and/or decode its responsefetch SCSI VPD页面和/或解码其响应
sg_wr_modewrite (modify) SCSI mode pagewrite (modify) SCSI模式页面
sg_write_and_verifysg_write_buffersend SCSI WRITE BUFFER commands发送SCSI WRITE BUFFER命令
sg_write_longsend SCSI WRITE LONG command发送SCSI写长命令
sg_write_samesend SCSI WRITE SAME command发送SCSI写相同的命令
sg_write_verifysend the SCSI WRITE AND VERIFY command发送SCSI WRITE AND VERIFY命令
sg_write_xSCSI WRITE normal/ATOMIC/SAME/SCATTERED/STREAM, ORWRITE commandsSCSI写普通/原子/相同/分散/流,或写命令
sg_xcopycopy data to and from files and devices using SCSI EXTENDED COPY (XCOPY)使用SCSI扩展拷贝(XCOPY)从文件和设备复制数据
sg_zonesend SCSI OPEN, CLOSE, FINISH or SEQUENTIALIZE ZONE command发送SCSI OPEN, CLOSE, FINISH或SEQUENTIALIZE ZONE命令
sgdiskCommand-line GUID partition table (GPT) manipulator for Linux and UnixLinux和Unix的命令行GUID分区表(GPT)操纵符
sginfoaccess mode page information for a SCSI (or ATAPI) deviceSCSI(或ATAPI)设备的访问模式页面信息
sgm_ddcopy data to and from files and devices, especially SCSI devices从文件和设备(特别是SCSI设备)复制数据
sgp_ddcopy data to and from files and devices, especially SCSI devices从文件和设备(特别是SCSI设备)复制数据
shGNU Bourne-Again SHellGNU Bourne-Again壳
sha1sumcompute and check SHA1 message digest计算并检查SHA1消息摘要
sha224sumcompute and check SHA224 message digest计算并检查SHA224消息摘要
sha256sumcompute and check SHA256 message digest计算并检查SHA256消息摘要
sha384sumcompute and check SHA384 message digest计算并检查SHA384消息摘要
sha512sumcompute and check SHA512 message digest计算并检查SHA512消息摘要
shadowshadow 5 shadow 3阴影5阴影3
shadow~3encrypted password file routines加密密码文件例程
shadow~5shadowed password file阴影口令文件
shiftbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
shoptbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
showconsolefontShow the current EGA/VGA console screen font显示当前EGA/VGA控制台屏幕字体
showkeyexamine the codes sent by the keyboard检查键盘发送的代码
shredoverwrite a file to hide its contents, and optionally delete it覆盖文件以隐藏其内容,并可选地删除它
shufgenerate random permutations生成随机排列
shutdownHalt, power-off or reboot the machine暂停、关机或重新启动机器
skillsend a signal or report process status发送信号或报告进程状态
slabtopdisplay kernel slab cache information in real time实时显示内核slab cache信息
sleepdelay for a specified amount of time延迟指定的时间
sleep.conf.dSuspend and hibernation configuration file暂停和休眠配置文件
sm2Chinese SM2 signature and encryption algorithm support中文SM2签名和加密算法支持
smartcard-authCommon configuration file for PAMified servicespamized服务的通用配置文件
smimeS/MIME utilityS / MIME效用
snicesend a signal or report process status发送信号或报告进程状态
soeliminterpret .so requests in groff input解释groff输入中的请求
sortsort lines of text files对文本文件行进行排序
sourcebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
speedtest library performance测试库性能
spkacSPKAC printing and generating utilitySPKAC打印和生成实用程序
splitsplit a file into pieces将文件分割成几个部分
srpmaintain SRP password file维护SRP密码文件
ssanother utility to investigate sockets另一个研究套接字的实用程序
sshOpenSSH SSH client (remote login program)OpenSSH SSH客户端(远程登录程序)
ssh-addadds private key identities to the authentication agent向身份验证代理添加私钥身份
ssh-agentauthentication agent认证代理
ssh-copy-iduse locally available keys to authorise logins on a remote machine使用本地可用的密钥授权远程计算机上的登录
ssh-keygenauthentication key generation, management and conversion认证密钥的生成、管理和转换
ssh-keyscangather SSH public keys收集SSH公钥
ssh-keysignssh helper program for host-based authenticationSSH助手程序的主机认证
ssh-pkcs11-helperssh-agent helper program for PKCS#11 support支持PKCS#11的ssh-agent助手程序
ssh_configOpenSSH SSH client configuration filesOpenSSH SSH客户端配置文件
sshdOpenSSH SSH daemonOpenSSH SSH守护进程
sshd_configOpenSSH SSH daemon configuration fileOpenSSH SSH守护进程配置文件
sslOpenSSL SSL/TLS libraryOpenSSL库SSL / TLS
sslpasswdcompute password hashes计算密码散列
sslrandgenerate pseudo-random bytes生成伪随机字节
sss-certmapSSSD Certificate Matching and Mapping RulesSSSD证书匹配和映射规则
sss_cacheperform cache cleanup执行缓存清理
sss_rpcidmapdsss plugin configuration directives for rpc.idmapd用于rpc.idmapd的SSS插件配置指令
sss_ssh_authorizedkeysget OpenSSH authorized keys获取OpenSSH授权的密钥
sss_ssh_knownhostsproxyget OpenSSH host keys获取OpenSSH主机密钥
sssdSystem Security Services Daemon系统安全服务守护进程
sssd-filesSSSD files providerSSSD文件提供者
sssd-kcmSSSD Kerberos Cache ManagerSSSD Kerberos缓存管理器
sssd-session-recordingConfiguring session recording with SSSD配置SSSD会话记录
sssd-simplethe configuration file for SSSD’s ’simple’ access-control providerSSSD的“simple”访问控制提供程序的配置文件
sssd-sudoConfiguring sudo with the SSSD back end使用SSSD后端配置sudo
sssd-systemtapSSSD systemtap informationSSSD systemtap的信息
sssd.confthe configuration file for SSSDSSSD配置文件
sssd_krb5_locator_pluginKerberos locator pluginKerberos定位器插件
statdisplay file or file system status显示文件或文件系统状态
stdbufRun COMMAND, with modified buffering operations for its standard streams.运行COMMAND,修改了标准流的缓冲操作。
storeutlSTORE utility存储工具
sttychange and print terminal line settings更改并打印终端行设置
surun a command with substitute user and group ID使用替代用户和组ID运行命令
subgidthe subordinate gid file从属的gid文件
subuidthe subordinate uid file从属uid文件
sudoexecute a command as another user以其他用户执行命令
sudo-ldap.confsudo LDAP configurationsudo LDAP配置
sudo.confconfiguration for sudo front endsudo前端配置
sudoeditexecute a command as another user以其他用户执行命令
sudoersdefault sudo security policy plugin默认的sudo安全策略插件
sudoers.ldapsudo LDAP configurationsudo LDAP配置
sudoers_timestampSudoers Time Stamp FormatSudoers时间戳格式
sudoreplayreplay sudo session logs重放sudo会话日志
suloginsingle-user login单用户登录
sumchecksum and count the blocks in a file对文件中的块进行校验和计数
suspendbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
swaplabelprint or change the label or UUID of a swap area打印或更改交换区标签或UUID
swapoffenable/disable devices and files for paging and swapping启用/禁用用于分页和交换的设备和文件
swaponenable/disable devices and files for paging and swapping启用/禁用用于分页和交换的设备和文件
switch_rootswitch to another filesystem as the root of the mount tree切换到另一个文件系统作为挂载树的根
symcryptrunCall a simple symmetric encryption tool调用一个简单的对称加密工具
syncSynchronize cached writes to persistent storage将缓存写同步到持久存储
sysctlconfigure kernel parameters at runtime在运行时配置内核参数
sysctl.confsysctl preload/configuration filesysctl预加载/配置文件
sysctl.dConfigure kernel parameters at boot在引导时配置内核参数
syspurposeSet the intended purpose for this system设置此系统的预期用途
system-authCommon configuration file for PAMified servicespamized服务的通用配置文件
system.conf.dSystem and session service manager configuration files系统和会话服务管理器配置文件
systemctlControl the systemd system and service manager控制systemd系统和服务管理器
systemdsystemd system and service managerSystemd系统和服务经理
systemd-analyzeAnalyze and debug system manager分析和调试系统管理员
systemd-ask-passwordQuery the user for a system password使用实例查询系统密码的用户
systemd-ask-password-console.pathQuery the user for system passwords on the console and via wall通过控制台和墙壁查询用户的系统密码
systemd-ask-password-console.serviceQuery the user for system passwords on the console and via wall通过控制台和墙壁查询用户的系统密码
systemd-ask-password-wall.pathQuery the user for system passwords on the console and via wall通过控制台和墙壁查询用户的系统密码
systemd-ask-password-wall.serviceQuery the user for system passwords on the console and via wall通过控制台和墙壁查询用户的系统密码
systemd-backlightLoad and save the display backlight brightness at boot and shutdown加载并保存开机和关机时显示背光亮度
systemd-backlight@.serviceLoad and save the display backlight brightness at boot and shutdown加载并保存开机和关机时显示背光亮度
systemd-binfmtConfigure additional binary formats for executables at boot在引导时为可执行文件配置额外的二进制格式
systemd-binfmt.serviceConfigure additional binary formats for executables at boot在引导时为可执行文件配置额外的二进制格式
systemd-bootA simple UEFI boot manager一个简单的UEFI启动管理器
systemd-catConnect a pipeline or program’s output with the journal将管道或程序的输出与日志连接起来
systemd-cglsRecursively show control group contents递归显示控件组内容
systemd-cgtopShow top control groups by their resource usage显示top控件组的资源使用情况
systemd-coredumpAcquire, save and process core dumps获取、保存和处理核心转储
systemd-coredump.socketAcquire, save and process core dumps获取、保存和处理核心转储
systemd-coredump@.serviceAcquire, save and process core dumps获取、保存和处理核心转储
systemd-cryptsetupFull disk decryption logic全磁盘解密逻辑
systemd-cryptsetup-generatorUnit generator for /etc/crypttab单位生成器/etc/ cryptab
systemd-cryptsetup@.serviceFull disk decryption logic全磁盘解密逻辑
systemd-debug-generatorGenerator for enabling a runtime debug shell and masking specific units at boot用于启动运行时调试shell和屏蔽特定单元的生成器
systemd-deltaFind overridden configuration files查找重写的配置文件
systemd-detect-virtDetect execution in a virtualized environment检测虚拟化环境中的执行
systemd-environment-d-generatorLoad variables specified by environment.d由environment.d指定的加载变量
systemd-escapeEscape strings for usage in systemd unit names用于systemd单元名称的转义字符串
systemd-firstbootInitialize basic system settings on or before the first boot-up of a system在系统第一次启动时或之前初始化基本系统设置
systemd-firstboot.serviceInitialize basic system settings on or before the first boot-up of a system在系统第一次启动时或之前初始化基本系统设置
systemd-fsckFile system checker logic文件系统检查逻辑
systemd-fsck-root.serviceFile system checker logic文件系统检查逻辑
systemd-fsck@.serviceFile system checker logic文件系统检查逻辑
systemd-fstab-generatorUnit generator for /etc/fstab/etc/fstab的单位生成器
systemd-getty-generatorGenerator for enabling getty instances on the console在控制台上启用getty实例的生成器
systemd-gpt-auto-generatorGenerator for automatically discovering and mounting root, /home and /srv partitions, as well as discovering and enabling swap partitions, based on GPT partition type GUIDs.基于GPT分区类型guid自动发现和挂载根分区、/home分区和/srv分区,以及发现和启用交换分区的生成器。
systemd-growfsCreating and growing file systems on demand根据需要创建和增长文件系统
systemd-growfs@.serviceCreating and growing file systems on demand根据需要创建和增长文件系统
systemd-halt.serviceSystem shutdown logic系统关机逻辑
systemd-hibernate-resumeResume from hibernation从休眠状态恢复
systemd-hibernate-resume-generatorUnit generator for resume= kernel parameterresume= kernel参数的单位生成器
systemd-hibernate-resume@.serviceResume from hibernation从休眠状态恢复
systemd-hibernate.serviceSystem sleep state logic系统休眠状态逻辑
systemd-hostnamedHost name bus mechanism主机名总线机制
systemd-hostnamed.serviceHost name bus mechanism主机名总线机制
systemd-hwdbhardware database management tool硬件数据库管理工具
systemd-hybrid-sleep.serviceSystem sleep state logic系统休眠状态逻辑
systemd-inhibitExecute a program with an inhibition lock taken执行一个带有抑制锁的程序
systemd-initctl/dev/initctl compatibility/dev/initctl兼容性
systemd-initctl.service/dev/initctl compatibility/dev/initctl兼容性
systemd-initctl.socket/dev/initctl compatibility/dev/initctl兼容性
systemd-journaldJournal service日志服务
systemd-journald-audit.socketJournal service日志服务
systemd-journald-dev-log.socketJournal service日志服务
systemd-journald.serviceJournal service日志服务
systemd-journald.socketJournal service日志服务
systemd-kexec.serviceSystem shutdown logic系统关机逻辑
systemd-localedLocale bus mechanism现场总线机制
systemd-localed.serviceLocale bus mechanism现场总线机制
systemd-logindLogin manager登录管理器
systemd-logind.serviceLogin manager登录管理器
systemd-machine-id-commit.serviceCommit a transient machine ID to disk提交一个临时机器ID到磁盘
systemd-machine-id-setupInitialize the machine ID in /etc/machine-id初始化/etc/machine-id中的机器ID
systemd-makefsCreating and growing file systems on demand根据需要创建和增长文件系统
systemd-makefs@.serviceCreating and growing file systems on demand根据需要创建和增长文件系统
systemd-makeswap@.serviceCreating and growing file systems on demand根据需要创建和增长文件系统
systemd-modules-loadLoad kernel modules at boot在引导时加载内核模块
systemd-modules-load.serviceLoad kernel modules at boot在引导时加载内核模块
systemd-mountEstablish and destroy transient mount or auto-mount points建立和销毁临时挂载点或自动挂载点
systemd-notifyNotify service manager about start-up completion and other daemon status changes通知服务管理器启动完成和其他守护进程状态的变化
systemd-pathList and query system and user paths列出和查询系统和用户路径
systemd-portabledPortable service manager便携式服务经理
systemd-portabled.servicePortable service manager便携式服务经理
systemd-poweroff.serviceSystem shutdown logic系统关机逻辑
systemd-quotacheckFile system quota checker logic文件系统配额检查器逻辑
systemd-quotacheck.serviceFile system quota checker logic文件系统配额检查器逻辑
systemd-random-seedLoad and save the system random seed at boot and shutdown在启动和关闭时加载和保存系统随机种子
systemd-random-seed.serviceLoad and save the system random seed at boot and shutdown在启动和关闭时加载和保存系统随机种子
systemd-rc-local-generatorCompatibility generator for starting /etc/rc.local and /usr/sbin/halt.local during boot and shutdown兼容性生成器启动/etc/rc.本地和/usr/sbin/halt.本地启动和关机期间
systemd-reboot.serviceSystem shutdown logic系统关机逻辑
systemd-remount-fsRemount root and kernel file systems重新挂载根和内核文件系统
systemd-remount-fs.serviceRemount root and kernel file systems重新挂载根和内核文件系统
systemd-resolvedNetwork Name Resolution manager网络名称解析管理器
systemd-resolved.serviceNetwork Name Resolution manager网络名称解析管理器
systemd-rfkillLoad and save the RF kill switch state at boot and change在启动和更改时载入和保存RF杀死开关状态
systemd-rfkill.serviceLoad and save the RF kill switch state at boot and change在启动和更改时载入和保存RF杀死开关状态
systemd-rfkill.socketLoad and save the RF kill switch state at boot and change在启动和更改时载入和保存RF杀死开关状态
systemd-runRun programs in transient scope units, service units, or path-, socket-, or timer-triggered service units在瞬态作用域单元、服务单元或路径、套接字或定时器触发的服务单元中运行程序
systemd-shutdownSystem shutdown logic系统关机逻辑
systemd-sleepSystem sleep state logic系统休眠状态逻辑
systemd-sleep.confSuspend and hibernation configuration file暂停和休眠配置文件
systemd-socket-activateTest socket activation of daemons测试守护进程的套接字激活
systemd-socket-proxydBidirectionally proxy local sockets to another (possibly remote) socket.双向代理本地套接字到另一个(可能是远程)套接字。
systemd-suspend-then-hibernate.serviceSystem sleep state logic系统休眠状态逻辑
systemd-suspend.serviceSystem sleep state logic系统休眠状态逻辑
systemd-sysctlConfigure kernel parameters at boot在引导时配置内核参数
systemd-sysctl.serviceConfigure kernel parameters at boot在引导时配置内核参数
systemd-system-update-generatorGenerator for redirecting boot to offline update mode用于重定向引导到脱机更新模式的生成器
systemd-system.confSystem and session service manager configuration files系统和会话服务管理器配置文件
systemd-sysusersAllocate system users and groups分配系统用户和组
systemd-sysusers.serviceAllocate system users and groups分配系统用户和组
systemd-sysv-generatorUnit generator for SysV init scriptsSysV初始化脚本的单元生成器
systemd-timedatedTime and date bus mechanism时间和日期总线机制
systemd-timedated.serviceTime and date bus mechanism时间和日期总线机制
systemd-tmpfilesCreates, deletes and cleans up volatile and temporary files and directories创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-clean.serviceCreates, deletes and cleans up volatile and temporary files and directories创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-clean.timerCreates, deletes and cleans up volatile and temporary files and directories创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-setup-dev.serviceCreates, deletes and cleans up volatile and temporary files and directories创建、删除和清理易失性和临时文件和目录
systemd-tmpfiles-setup.serviceCreates, deletes and cleans up volatile and temporary files and directories创建、删除和清理易失性和临时文件和目录
systemd-tty-ask-password-agentList or process pending systemd password requests列出或处理挂起的systemd密码请求
systemd-udevdDevice event managing daemon设备事件管理守护进程
systemd-udevd-control.socketDevice event managing daemon设备事件管理守护进程
systemd-udevd-kernel.socketDevice event managing daemon设备事件管理守护进程
systemd-udevd.serviceDevice event managing daemon设备事件管理守护进程
systemd-umountEstablish and destroy transient mount or auto-mount points建立和销毁临时挂载点或自动挂载点
systemd-update-doneMark /etc and /var fully updated标记/etc和/var完全更新
systemd-update-done.serviceMark /etc and /var fully updated标记/etc和/var完全更新
systemd-update-utmpWrite audit and utmp updates at bootup, runlevel changes and shutdown在启动、运行级更改和关闭时编写审计和utmp更新
systemd-update-utmp-runlevel.serviceWrite audit and utmp updates at bootup, runlevel changes and shutdown在启动、运行级更改和关闭时编写审计和utmp更新
systemd-update-utmp.serviceWrite audit and utmp updates at bootup, runlevel changes and shutdown在启动、运行级更改和关闭时编写审计和utmp更新
systemd-user-sessionsPermit user logins after boot, prohibit user logins at shutdown允许用户在开机后登录,禁止用户在关机时登录
systemd-user-sessions.servicePermit user logins after boot, prohibit user logins at shutdown允许用户在开机后登录,禁止用户在关机时登录
systemd-user.confSystem and session service manager configuration files系统和会话服务管理器配置文件
systemd-vconsole-setupConfigure the virtual consoles配置虚拟控制台
systemd-vconsole-setup.serviceConfigure the virtual consoles配置虚拟控制台
systemd-veritysetupDisk integrity protection logic磁盘完整性保护逻辑
systemd-veritysetup-generatorUnit generator for integrity protected block devices用于完整性保护块设备的单元发生器
systemd-veritysetup@.serviceDisk integrity protection logic磁盘完整性保护逻辑
systemd-volatile-rootMake the root file system volatile使根文件系统易变
systemd-volatile-root.serviceMake the root file system volatile使根文件系统易变
systemd.automountAutomount unit configuration加载单元配置
systemd.deviceDevice unit configuration设备单元配置
systemd.directivesIndex of configuration directives配置指令索引
systemd.dnssdDNS-SD configurationDNS-SD配置
systemd.environment-generatorsystemd environment file generatorsSystemd环境文件生成器
systemd.execExecution environment configuration执行环境配置
systemd.generatorsystemd unit generatorssystemd单位发电机
systemd.indexList all manpages from the systemd project列出systemd项目中的所有手册页
systemd.journal-fieldsSpecial journal fields特种日记帐字段
systemd.killProcess killing procedure configuration进程终止过程配置
systemd.linkNetwork device configuration网络设备配置
systemd.mountMount unit configuration山单元配置
systemd.negativeDNSSEC trust anchor configuration filesDNSSEC信任锚配置文件
systemd.net-naming-schemeNetwork device naming schemes网络设备命名方案
systemd.nspawnContainer settings容器设置
systemd.offline-updatesImplementation of offline updates in systemd在systemd中实现离线更新
systemd.pathPath unit configuration道路单元配置
systemd.positiveDNSSEC trust anchor configuration filesDNSSEC信任锚配置文件
systemd.presetService enablement presets服务支持预设
systemd.resource-controlResource control unit settings资源控制单元设置
systemd.scopeScope unit configuration单元配置范围
systemd.serviceService unit configuration服务单位配置
systemd.sliceSlice unit configuration片单元配置
systemd.socketSocket unit configuration套接字单元配置
systemd.specialSpecial systemd units特殊systemd单位
systemd.swapSwap unit configuration交换单元的配置
systemd.syntaxGeneral syntax of systemd configuration filessystemd配置文件的通用语法
systemd.targetTarget unit configuration目标单位配置
systemd.timeTime and date specifications时间日期规格
systemd.timerTimer unit configuration定时器单元配置
systemd.unitUnit configuration单位配置
sysusers.dDeclarative allocation of system users and groups系统用户和组的声明式分配

以t开头的命令

tabsset tabs on a terminal设置终端的选项卡
tacconcatenate and print files in reverse反向连接和打印文件
tailoutput the last part of files输出文件的最后一部分
tartar 5 tar 1焦油 5 焦油 1
tar~1an archiving utility一个归档工具
tar~5format of tape archive files磁带归档文件的格式
tasksetset or retrieve a process’s CPU affinity设置或检索进程的CPU关联
tblformat tables for troff格式化troff表
tcsddaemon that manages Trusted Computing resources管理可信计算资源的守护进程
tcsd.confconfiguration file for the trousers TCS daemon.裤子TCS守护进程的配置文件。
teamdteam network device control daemon团队网络设备控制守护进程
teamd.conflibteam daemon configuration fileLibteam守护进程配置文件
teamdctlteam daemon control tool团队守护程序控制工具
teamnlteam network device Netlink interface tool团队网络设备Netlink接口工具
teeread from standard input and write to standard output and files从标准输入读取并写入标准输出和文件
telinitChange SysV runlevel改变SysV运行级别
termterm 5 term 7第5项第7项
terminal-colors.dConfigure output colorization for various utilities为各种实用程序配置输出着色
terminfoterminal capability data base终端能力数据库
term~5format of compiled term file.已编译术语文件的格式。
term~7conventions for naming terminal types命名终端类型的约定
testcheck file types and compare values检查文件类型并比较值
thin_checkvalidates thin provisioning metadata on a device or file验证设备或文件上的精简配置元数据
thin_deltaPrint the differences in the mappings between two thin devices.打印两个瘦设备之间映射的差异。
thin_dumpdump thin provisioning metadata from device or file to standard output.将精简配置元数据从设备或文件转储到标准输出。
thin_lsList thin volumes within a pool.列出池中的精简卷。
thin_metadata_packpack thin provisioning binary metadata.打包精简配置二进制元数据。
thin_metadata_sizethin provisioning metadata device/file size calculator.精简配置元数据设备/文件大小计算器。
thin_metadata_unpackunpack thin provisioning binary metadata.解包精简配置二进制元数据。
thin_repairrepair thin provisioning binary metadata.修复精简配置二进制元数据。
thin_restorerestore thin provisioning metadata file to device or file.将元数据精简配置文件恢复到设备或文件。
thin_rmapoutput reverse map of a thin provisioned region of blocks frommetadata device or file.从元数据设备或文件中输出一个薄区域块的反向映射。
thin_trimIssue discard requests for free pool space (offline tool).为空闲池空间发出丢弃请求(脱机工具)。
ticthe terminfo entry-description compiler结束入口描述编译器
timetime functions for gawk时间为愚人服务
time.confconfiguration file for the pam_time modulepam_time模块的配置文件
timedatectlControl the system time and date控制系统时间和日期
timeoutrun a command with a time limit运行有时间限制的命令
timesbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
tipca TIPC configuration and management toolTIPC配置管理工具
tipc-bearershow or modify TIPC bearers显示或修改TIPC持有人
tipc-linkshow links or modify link properties显示链接或修改链接属性
tipc-medialist or modify media properties列出或修改媒体属性
tipc-nametableshow TIPC nametable显示TIPC nametable
tipc-nodemodify and show local node parameters or list peer nodes修改和显示本地节点参数或列出对等节点
tipc-peermodify peer information修改对等信息
tipc-socketshow TIPC socket (port) informationshow TIPC socket (port)信息
tloadgraphic representation of system load average系统平均负载的图形表示
tmpfiles.dConfiguration for creation, deletion and cleaning of volatile and temporary files用于创建、删除和清理易失文件和临时文件的配置
toetable of (terminfo) entries(terminfo)条目表
topdisplay Linux processes显示Linux进程
touchchange file timestamps更改文件的时间戳
tputinitialize a terminal or query terminfo database初始化终端或查询terminfo数据库
trtranslate or delete characters翻译或删除字符
tracepathtraces path to a network host discovering MTU along this path跟踪到网络主机的路径,发现MTU沿着这条路径
tracepath6traces path to a network host discovering MTU along this path跟踪到网络主机的路径,发现MTU沿着这条路径
trapbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
troffthe troff processor of the groff text formatting system格罗夫文本格式化系统的格罗夫处理器
truedo nothing, successfully什么也不做,成功
truncateshrink or extend the size of a file to the specified size将文件的大小收缩或扩展到指定的大小
trustTool for operating on the trust policy store用于操作信任策略存储的工具
tsTime Stamping Authority tool (client/server)时间戳授权工具(客户端/服务器)
tsetterminal initialization终端初始化
tsortperform topological sort进行拓扑排序
ttyprint the file name of the terminal connected to standard input打印连接到标准输入的终端的文件名
tune2fsadjust tunable filesystem parameters on ext2/ext3/ext4 filesystems调整ext2/ext3/ext4文件系统上的可调参数
tunedTuneD 8 tuned 8调谐
tuned-admcommand line tool for switching between different tuning profiles用于在不同调优配置文件之间切换的命令行工具
tuned-guigraphical interface for configuration of TuneD图形界面的调优配置
tuned-main.confTuneD global configuration file优化的全局配置文件
tuned-profilesdescription of basic TuneD profiles基本调优配置文件的描述
tuned.confTuneD profile definition优化概要文件定义
tuned~8dynamic adaptive system tuning daemon动态自适应系统调优守护进程
turbostatReport processor frequency and idle statistics报告处理器频率和空闲统计信息
typebash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
typesetbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)

以u开头的命令

udevDynamic device management动态设备管理
udev.confConfiguration for device event managing daemon设备事件管理守护进程的配置
udevadmudev management tooludev管理工具
udisksDisk Manager磁盘管理器
udisks2.confThe udisks2 configuration fileudisks2配置文件
udisksctlThe udisks command line tooludisks命令行工具
udisksdThe udisks system daemonudisks系统守护进程
uldo underlining做强调
ulimitbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
umaskbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
umountunmount file systems卸载文件系统
umount.udisks2unmount file systems that have been mounted by UDisks2卸载UDisks2挂载的文件系统
unaliasbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
unameprint system information打印系统信息
uname26change reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
unbound-anchorUnbound anchor utility.释放锚效用。
unexpandconvert spaces to tabs将空格转换为制表符
unicode_startput keyboard and console in unicode mode将键盘和控制台设置为unicode模式
unicode_stoprevert keyboard and console from unicode mode从unicode模式恢复键盘和控制台
uniqreport or omit repeated lines报告或省略重复的行
unix_chkpwdHelper binary that verifies the password of the current user验证当前用户密码的辅助二进制文件
unix_updateHelper binary that updates the password of a given user更新给定用户密码的助手二进制文件
unlinkcall the unlink function to remove the specified file调用unlink函数来删除指定的文件
unlzmaunpigz--
unsetbash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
unsharerun program with some namespaces unshared from parent运行程序时使用一些不与父文件共享的命名空间
unsquashfstool to uncompress squashfs filesystems解压squashfs文件系统的工具
unversioned-pythoninfo on how to set up the `python` command.关于如何设置' python '命令的信息。
unxzCompress or decompress .xz and .lzma files压缩或解压缩.xz和.lzma文件
update-alternativesmaintain symbolic links determining default commands维护确定默认命令的符号链接
update-ca-trustmanage consolidated and dynamic configuration of CA certificates and associated trust管理CA证书和关联信任的统一和动态配置
update-cracklibRegenerate cracklib dictionary再生cracklib字典
update-crypto-policiesmanage the policies available to the various cryptographic back-ends.管理各种加密后端可用的策略。
update-mime-databasea program to build the Shared MIME-Info database cache建立共享MIME-Info数据库缓存的程序
update-pciidsdownload new version of the PCI ID list下载新版本的PCI ID列表
uptimeTell how long the system has been running.说明系统已经运行了多长时间。
user.conf.dSystem and session service manager configuration files系统和会话服务管理器配置文件
user_capsuser-defined terminfo capabilities用户定义terminfo功能
user_contextsThe SELinux user contexts configuration filesSELinux用户上下文配置文件
useraddcreate a new user or update default new user information创建新用户或更新默认新用户信息
userdeldelete a user account and related files删除用户帐号和相关文件
usermodmodify a user account修改用户帐号
usersprint the user names of users currently logged in to the current host打印当前主机上当前登录用户的用户名
usleepsleep some number of microseconds睡眠数微秒
utmpdumpdump UTMP and WTMP files in raw formatdump UTMP和WTMP文件在原始格式
uuidgencreate a new UUID value创建一个新的UUID值
uuidparsean utility to parse unique identifiers一个用来解析唯一标识符的工具

以v开头的命令

vconsole.confConfiguration file for the virtual console虚拟控制台的配置文件
vdirlist directory contents列出目录的内容
vdpavdpa management toolvdpa管理工具
vdpa-devvdpa device configurationvdpa设备配置
vdpa-mgmtdevvdpa management device viewVdpa管理设备视图
verifyUtility to verify certificates验证证书的实用程序
versionprint OpenSSL version information打印OpenSSL版本信息
vgcfgbackupBackup volume group configuration(s)备份卷组配置
vgcfgrestoreRestore volume group configuration恢复卷组配置
vgchangeChange volume group attributes更改卷组属性
vgckCheck the consistency of volume group(s)检查卷组一致性
vgconvertChange volume group metadata format更改卷组元数据格式
vgcreateCreate a volume group创建卷组
vgdisplayDisplay volume group information显示卷组信息
vgexportUnregister volume group(s) from the system从系统注销卷组
vgextendAdd physical volumes to a volume group将物理卷添加到卷组
vgimportRegister exported volume group with system向系统注册导出的卷组
vgimportcloneImport a VG from cloned PVs从克隆的pv导入VG
vgimportdevicesAdd devices for a VG to the devices file.在设备文件中为VG添加设备。
vgmergeMerge volume groups合并卷组
vgmknodesCreate the special files for volume group devices in /dev在/dev中为卷组设备创建特殊文件
vgreduceRemove physical volume(s) from a volume group从卷组中移除物理卷
vgremoveRemove volume group(s)删除卷组(s)
vgrenameRename a volume group重命名卷组
vgsDisplay information about volume groups显示卷组信息
vgscanSearch for all volume groups搜索所有卷组
vgsplitMove physical volumes into a new or existing volume group将物理卷移动到新的或现有的卷组中
viVi IMproved, a programmer’s text editor一个程序员的文本编辑器
viewVi IMproved, a programmer’s text editor一个程序员的文本编辑器
vigredit the password, group, shadow-password or shadow-group file编辑密码、组、shadow-password或shadow-group文件
vimvim 1vim 1
vimdiffedit two, three or four versions of a file with Vim and show differences用Vim编辑一个文件的两个、三个或四个版本,并显示差异
vimrcVi IMproved, a programmer’s text editor一个程序员的文本编辑器
vimtutorthe Vim tutorVim导师
vimxVi IMproved, a programmer’s text editor一个程序员的文本编辑器
vim~1Vi IMproved, a programmer’s text editor一个程序员的文本编辑器
vipwedit the password, group, shadow-password or shadow-group file编辑密码、组、shadow-password或shadow-group文件
vircVi IMproved, a programmer’s text editor一个程序员的文本编辑器
virt-whatdetect if we are running in a virtual machine检测我们是否在虚拟机中运行
virtual_domain_contextThe SELinux virtual machine domain context configuration fileSELinux虚拟机域上下文配置文件
virtual_image_contextThe SELinux virtual machine image context configuration fileSELinux虚拟机映像上下文配置文件
visudoedit the sudoers file编辑sudoers文件
vlockVirtual Console lock program虚拟控制台锁定程序
vmcore-dmesgThis is just a placeholder until real man page has been written在编写真正的手册页之前,这只是一个占位符
vmstatReport virtual memory statistics报告虚拟内存统计信息
vpddecodeVPD structure decoderVPD译码器结构

以w开头的命令

wShow who is logged on and what they are doing.显示谁登录了,他们正在做什么。
waitwait 1 wait 3am等待1等待凌晨3点
waitpidwait~1bash built-in commands, see bash(1)Bash内置命令,参见Bash (1)
wait~3amwallwrite a message to all users给所有用户写一条消息
watchexecute a program periodically, showing output fullscreen定期执行一个程序,显示全屏输出
watchgnupgRead and print logs from a socket从套接字读取和打印日志
wcprint newline, word, and byte counts for each file打印每个文件的换行、字和字节计数
wdctlshow hardware watchdog status显示硬件看门狗状态
whatisdisplay one-line manual page descriptions显示单行的手册页面描述
whereislocate the binary, source, and manual page files for a command找到命令的二进制、源和手动页文件
whichshows the full path of (shell) commands.显示(shell)命令的完整路径。
whiptaildisplay dialog boxes from shell scripts从shell脚本显示对话框
whoshow who is logged on显示谁登录了
whoamiprint effective userid打印有效标识
wipefswipe a signature from a device从设备上删除一个签名
writesend a message to another user发送消息给另一个用户
writea

以x开头的命令

x25519EVP_PKEY X25519 and X448 support支持EVP_PKEY X25519和X448
x448EVP_PKEY X25519 and X448 support支持EVP_PKEY X25519和X448
x509x509 7ssl x509 1sslX509 7ssl X509 1ssl
x509v3_configX509 V3 certificate extension configuration formatX509 V3证书扩展配置格式
x509~1sslCertificate display and signing utility证书显示和签名实用程序
x509~7sslX.509 certificate handling证书处理
x86_64change reported architecture in new program environment and set personality flags在新的程序环境中更改报告的架构并设置个性标志
x86_energy_perf_policyManage Energy vs. Performance Policy via x86 Model Specific Registers通过x86模型特定寄存器管理能源与性能策略
x_contextsuserspace SELinux labeling interface and configuration file format for the X Window System contexts backend. This backend is also used to determine the default context for labeling remotely connected X clients用户空间SELinux标签界面和配置文件格式的X窗口系统上下文后端。这个后端还用于确定标识远程连接的X客户端的默认上下文
xargsbuild and execute command lines from standard input从标准输入构建和执行命令行
xfslayout, mount options, and supported file attributes for the XFS filesystemXFS文件系统的布局、挂载选项和支持的文件属性
xfs_adminchange parameters of an XFS filesystem修改XFS文件系统参数
xfs_bmapprint block mapping for an XFS file打印XFS文件的块映射
xfs_copycopy the contents of an XFS filesystem复制XFS文件系统的内容
xfs_dbdebug an XFS filesystem调试XFS文件系统
xfs_estimateestimate the space that an XFS filesystem will take估计XFS文件系统将占用的空间
xfs_freezesuspend access to an XFS filesystem暂停对XFS文件系统的访问
xfs_fsrfilesystem reorganizer for XFSXFS的文件系统重组器
xfs_growfsexpand an XFS filesystem扩展XFS文件系统
xfs_infodisplay XFS filesystem geometry information显示XFS文件系统几何信息
xfs_iodebug the I/O path of an XFS filesystem调试XFS文件系统的I/O路径
xfs_logprintprint the log of an XFS filesystem打印XFS文件系统的日志
xfs_mdrestorerestores an XFS metadump image to a filesystem image将XFS元adump映像还原为文件系统映像
xfs_metadumpcopy XFS filesystem metadata to a file将XFS文件系统元数据复制到一个文件中
xfs_mkfilecreate an XFS file创建一个XFS文件
xfs_ncheckgenerate pathnames from i-numbers for XFS从i-numbers为XFS生成路径名
xfs_quotamanage use of quota on XFS filesystems管理XFS文件系统的配额使用
xfs_repairrepair an XFS filesystem修复XFS文件系统
xfs_rtcpXFS realtime copy commandXFS实时拷贝命令
xfs_spacemanshow free space information about an XFS filesystem显示XFS文件系统的空闲空间信息
xgettextextract gettext strings from source从源代码中提取gettext字符串
xkeyboard-configXKB data description filesXKB数据描述文件
xmlcatalogCommand line tool to parse and manipulate XML or SGML catalog files.解析和操作XML或SGML目录文件的命令行工具。
xmllintcommand line XML tool命令行XML工具
xmlsec1sign, verify, encrypt and decrypt XML documents签名、验证、加密和解密XML文档
xmlwfDetermines if an XML document is well-formed确定XML文档是否格式良好
xsltproccommand line XSLT processor命令行XSLT处理器
xtables-monitorshow changes to rule set and trace-events显示对规则集和跟踪事件的更改
xtables-nftiptables using nftables kernel apiIptables使用nftables内核API
xtables-translatetranslation tool to migrate from iptables to nftables从iptables迁移到nftables的翻译工具
xxdmake a hexdump or do the reverse.做一个六方转储或者做相反的操作。
xzCompress or decompress .xz and .lzma files压缩或解压缩.xz和.lzma文件
xzcatCompress or decompress .xz and .lzma files压缩或解压缩.xz和.lzma文件
xzcmpcompare compressed files比较压缩文件
xzdecSmall .xz and .lzma decompressors小型。xz和。lzma减压器
xzdiffcompare compressed files比较压缩文件
xzegrepsearch compressed files for a regular expression在压缩文件中搜索正则表达式
xzfgrepsearch compressed files for a regular expression在压缩文件中搜索正则表达式
xzgrepsearch compressed files for a regular expression在压缩文件中搜索正则表达式
xzlessview xz or lzma compressed (text) files查看xz或lzma压缩(文本)文件
xzmoreview xz or lzma compressed (text) files查看xz或lzma压缩(文本)文件

以y开头的命令

yesoutput a string repeatedly until killed重复输出字符串直到终止
ypdomainnameshow or set the system’s NIS/YP domain nameshow或设置系统的NIS/YP域名
yumredirecting to DNF Command Reference重定向到DNF命令参考
yum-aliasesredirecting to DNF Command Reference重定向到DNF命令参考
yum-changelogredirecting to DNF changelog Plugin重定向到DNF changelog插件
yum-coprredirecting to DNF copr Plugin重定向到DNF copr插件
yum-shellredirecting to DNF Command Reference重定向到DNF命令参考
yum.confredirecting to DNF Configuration Reference重定向到DNF配置参考
yum2dnfChanges in DNF compared to YUM与YUM相比,DNF的变化

以z开头的命令

zcatcompress or expand files压缩或扩展文件
zcmpcompare compressed files比较压缩文件
zdiffcompare compressed files比较压缩文件
zforceforce a ’.力”。
zgrepsearch possibly compressed files for a regular expression在可能压缩的文件中搜索正则表达式
zlessfile perusal filter for crt viewing of compressed text文件阅读过滤器CRT查看压缩文本
zmorefile perusal filter for crt viewing of compressed text文件阅读过滤器CRT查看压缩文本
znewrecompress .Z files to .将. z文件重新压缩为。
zramctlset up and control zram devices设置和控制zram设备
zsoeliminterpret .so requests in groff input解释groff输入中的请求

收获

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

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

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

  1. 有道云翻译API翻译JavaScript使用教程

    有道云翻译API翻译使用教程 一.注册: 前往有道智云AI开放平台进行注册. 然后填写进入免费体验试用进行资料填写. 二.创建应用: 进入上图1,创建应用如下图:执行1.2. 进入上上图2,创建实例如 ...

  2. linux命令行前面内容修改

    首先我们来认识一下linux命令行前面内容的含义,比如: root@ubuntu6:~# 符号 含义 root 表示当前登录的用户 @ 是一个分隔符号 ubuntu6 表示你的主机名 ~ 表示你当前所 ...

  3. Java Swing 调用有道词典API实现自定义桌面翻译字典

    具体实现内容长这个样子: 下面开始具体的内容准备: 要调用有道词典的API,必须先申请API 进入网址(https://ai.youdao.com/?keyfrom=old-openapi) 先登录注 ...

  4. [python爬虫]--调用有道词典进行翻译

    最近在学习python爬虫,写出来的一些爬虫记录在csdn博客里,同时备份一个放在了github上. github地址:https://github.com/wjsaya/python_spider_ ...

  5. python百度翻译接口_python3 调用百度翻译API翻译英文

    自行申请百度开发者账号import importlib,sys,urllib importlib.reload(sys) import urllib.request import json #导入js ...

  6. PHP 调用百度翻译api翻译数据

    百度翻译API的PHP代码,需要申请百度翻译APPID和密钥,这是申请地址http://api.fanyi.baidu.com/api/trans/product/index,代码如下: public ...

  7. Java实现调取百度翻译API,读取本地字幕文件内容批量翻译

    昨天我手动复制粘贴,翻译了一份罗马尼亚语srt字幕文件. 好家伙两千多行,我硬是一条条复制粘贴到百度翻译里. 后来查阅得知百度开通了翻译API接口,只需去百度AI申请开通即可,是免费的,真香. 唯一缺 ...

  8. 帮我用python flask框架写一个可以上传英文pdf然后通过调取百度翻译api翻译为中文然后保存为pdf文件的代码...

    下面是一个简单的代码示例,可以帮助您使用 Python Flask 框架实现上传英文 PDF,并通过调用百度翻译 API 将其翻译为中文,然后保存为 PDF 文件: from flask import ...

  9. linux添加了路径还是不能调用_166个最常用的Linux命令,哪些你还不知道?

    击上方蓝色"程序员追风",选择"设为星标" 回复"关键词"获取整理好的面试资料 来源:cnblogs.com/chenliangchaosh ...

  10. linux命令看文件内容,Linux文件内容查看相关命令

    1.more命令 在Linux中,more命令是一个基于vi编辑器的文本过滤器,它能以全屏的方式按页显示文本文件的内容,more里面内置了一些快捷键. (1)命令语法 more(选项)(参数) (2) ...

最新文章

  1. Oracle中PL/SQL的循环语句
  2. boost:从0到1开发boost(linux、clion)
  3. 初等数论--整除--公倍数一定是最小公倍数的倍数
  4. C#的foreach
  5. C#多线程之旅(1)——介绍和基本概念
  6. 笔记:后端 - Redis
  7. 温泉季节到了,设计师需要的SPA插画,完美体现那一池的温暖!
  8. git push的时候报Unable to find remote helper for 'https'的错误
  9. 副本引发的问题corrupt data exception
  10. everything 全盘文件查找工具及正则表达式的使用
  11. param.requires_grad = False
  12. 谁会成为中国互联网下一代英雄
  13. mapper同时添加数据只能添加一条_神器之通用mapper的使用
  14. Flutter bottomSheet的使用
  15. mac --- wifi无法获取ip地址
  16. 简单教学 apache 配置 Expire/Cache-Control 头
  17. 花千骨歌曲大全 附简谱
  18. 基于php和mysql实现的简易民航订票系统实验
  19. pc控制iphone的软件_太好用了,这个软件可以让你在电脑上自由控制 iPhone和安卓手机!...
  20. 决策树(Decision Tree)理解及参数介绍

热门文章

  1. 动态lacp和静态lacp区别_LACP学习笔记
  2. CAPL编程语言简介
  3. 网络编程资源大集合(包含前端、java、linux、安卓、github开源项目、开发工具等)
  4. Grad-CAM在语义分割中的pytorch实现
  5. 人工智能:一种现代的方法 书本课后习题解答
  6. 研究svg编辑器过程中遇到的问题总结
  7. php openssl 处理pkcs8,【转载】OpenSSL命令---pkcs8
  8. 1.Kettle下载与安装
  9. matlab仿真元件,matlab电力系统仿真元件[高等教育]
  10. PMP认证考试情况整理