-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathconvenient_list_of_commands.pl
2929 lines (2920 loc) · 186 KB
/
convenient_list_of_commands.pl
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# To Create a Convenient List
# Commands to run:
$ apropos -s 1 '' > convenient_list_of_commands.pl
$ cp convenient_list_of_commands.pl ~/ArcoScripts
apropos -s 1 ''
-s 1 returns only "section 1" manpages which are entries for executable programs.
'' is a search for anything. (If you use an asterisk, on my system, bash throws
in a search for all the files and folders in your current working directory.)
Then you just grep it like you want.
apropos -s 1 '' | grep xdg
```
# Results:
7z (1) - A file archiver with highest compression ratio
7za (1) - A file archiver with highest compression ratio
7zr (1) - A file archiver with highest compression ratio
as (1) - the portable GNU assembler.
alacritty (1) - A fast, cross-platform, OpenGL terminal emulator
djvu (1) - DjVu and DjVuLibre.
enchant-2 (1) - a spellchecker
fluidsynth (1) - a SoundFont synthesizer
GET (1p) - Simple command line user agent
grsync (1) - GTK+ frontend for rsync
grsync-batch (1) - Grsync batch session runner
HEAD (1p) - Simple command line user agent
hardinfo (1) - System profiler and benchmark for Linux systems.
irssi (1) - a modular IRC client for UNIX
neofetch (1) - A fast, highly customizable system info script
plank (1) - Stupidly simple.
sshfs (1) - filesystem client based on SSH
wget (1) - The non-interactive network downloader.
glslc (1) - A command-line GLSL/HLSL to SPIR-V compiler with Clang-compatible arguments.
a52dec (1) - decode ATSC A/52 audio streams
aa-enabled (1) - test whether AppArmor is enabled
aa-exec (1) - confine a program with the specified AppArmor profile
aa-features-abi (1) - Extract, validate and manipulate AppArmor feature abis
aafire (1) - aalib example programs
ab (1) - Apache HTTP server benchmarking tool
aclocal (1) - manual page for aclocal 1.16.5
aclocal-1.16 (1) - manual page for aclocal 1.16.5
aconnect (1) - ALSA sequencer connection manager
acountry (1) - print the country where an IPv4 address or host is located
addftinfo (1) - add information to troff font files for use with groff
addr2line (1) - convert addresses or symbol+offset into file names and line numbers
addr2name (1) - perform DNS lookups from scripts
adig (1) - print information collected from Domain Name System (DNS) servers
afmtodit (1) - create font files for use with groff -Tps and -Tpdf
ag (1) - The Silver Searcher. Like ack, but faster.
agentxtrap (1) - send an AgentX NotifyPDU to an AgentX master agent
ahost (1) - print the A or AAAA record associated with a hostname or IP address
alacritty-msg (1) - Send messages to Alacritty
alsa-info.sh (1) - command-line utility to gather information about the ALSA subsystem
alsabat (1) - command-line sound tester for ALSA sound card driver
alsactl (1) - advanced controls for ALSA soundcard driver
alsaloop (1) - command-line PCM loopback
alsamixer (1) - soundcard mixer for ALSA soundcard driver, with ncurses interface
alsatplg (1) - ALSA Topology Compiler
alsaucm (1) - ALSA Use Case Manager
amidi (1) - read from and write to ALSA RawMIDI ports
amixer (1) - command-line mixer for ALSA soundcard driver
animate (1) - animates an image or image sequence on any X server.
ansiweather (1) - weather in terminal, with ANSI colors and Unicode symbols
any2djvu (1) - Convert .ps/.ps.gz/.pdf to .djvu
aplay (1) - command-line sound recorder and player for ALSA soundcard driver
aplaymidi (1) - play Standard MIDI Files
appstream-builder (1) - Build AppStream metadata
appstream-compose (1) - Generate AppStream metadata
appstream-util (1) - Manipulate AppStream, AppData and MetaInfo metadata
appstreamcli (1) - Handle AppStream metadata formats and query AppStream data
appstreamcli-compose (1) - Compose AppStream metadata catalog from directory trees
apropos (1) - search the manual page names and descriptions
apxs (1) - APache eXtenSion tool
ar (1) - create, modify, and extract from archives
arandr (1) - visual front end for XRandR 1.2
arecord (1) - command-line sound recorder and player for ALSA soundcard driver
arecordmidi (1) - record Standard MIDI Files
arpaname (1) - translate IP addresses to the corresponding ARPA names
asciinema (1) - terminal session recorder
aseqdump (1) - show the events received at an ALSA sequencer port
aseqnet (1) - ALSA sequencer connectors over network
asn1Coding (1) - ASN.1 DER encoder
asn1Decoding (1) - ASN.1 DER decoder
asn1parse (1ssl) - OpenSSL application commands
asn1Parser (1) - ASN.1 syntax tree generator for libtasn1
attr (1) - extended attributes on XFS filesystem objects
autoconf (1) - Generate configuration scripts
autoheader (1) - Create a template header for configure
autom4te (1) - Generate files and scripts thanks to M4
automake (1) - manual page for automake 1.16.5
automake-1.16 (1) - manual page for automake 1.16.5
autopoint (1) - copies standard gettext infrastructure
autorandr (1) - automatically select a display configuration based on connected devices
autoreconf (1) - Update generated configuration files
autoscan (1) - Generate a preliminary configure.ac
autoupdate (1) - Update a configure.ac to a newer Autoconf
avahi-bookmarks (1) - Web service showing mDNS/DNS-SD announced HTTP services using the Avahi daemon
avahi-browse (1) - Browse for mDNS/DNS-SD services using the Avahi daemon
avahi-browse-domains (1) - Browse for mDNS/DNS-SD services using the Avahi daemon
avahi-discover (1) - Browse for mDNS/DNS-SD services using the Avahi daemon
avahi-publish (1) - Register an mDNS/DNS-SD service or host name or address mapping using the Avahi daemon
avahi-publish-address (1) - Register an mDNS/DNS-SD service or host name or address mapping using the Avahi daemon
avahi-publish-service (1) - Register an mDNS/DNS-SD service or host name or address mapping using the Avahi daemon
avahi-resolve (1) - Resolve one or more mDNS/DNS host name(s) to IP address(es) (and vice versa) using the Avahi daemon
avahi-resolve-address (1) - Resolve one or more mDNS/DNS host name(s) to IP address(es) (and vice versa) using the Avahi daemon
avahi-resolve-host-name (1) - Resolve one or more mDNS/DNS host name(s) to IP address(es) (and vice versa) using the Avahi daemon
avahi-set-host-name (1) - Change mDNS host name
awesome (1) - awesome window manager
awesome-client (1) - awesome window manager remote execution
axfer (1) - command-line sound recorder and player for sound devices and nodes supported by Linux sound subsystem (Advanced Linux Sound Architecture, also known as ALSA).
axfer-list (1) - dump lists of available sound devices and nodes to transfer audio data frame.
axfer-transfer (1) - transferrer of audio data frame for sound devices and nodes.
b2sum (1) - compute and check BLAKE2 message digest
urxvt-background (1) - manage terminal background
baobab (1) - A graphical disk usage analyzer for the GNOME desktop
base32 (1) - base32 encode/decode data and print to standard output
base64 (1) - base64 encode/decode data and print to standard output
basename (1) - strip directory and suffix from filenames
basenc (1) - Encode/decode data and print to standard output
bash (1) - GNU Bourne-Again SHell
bashbug (1) - report a bug in bash
bat (1) - a cat(1) clone with syntax highlighting and Git integration.
bc (1) - An arbitrary precision calculator language
bdftopcf (1) - convert X font from Bitmap Distribution Format to Portable Compiled Format
urxvt-bell-command (1) - execute a command when the bell rings
bison (1) - GNU Project parser generator (yacc replacement)
urxvt-block-graphics-to-ascii (1) - map block graphics to ascii characters
blueman-adapters (1) - an utility to set adapter properties
blueman-applet (1) - a tray applet for managing bluetooth
blueman-manager (1) - bluetooth device manager
blueman-sendto (1) - application for sending files to bluetooth devices
blueman-services (1) - Configure local bluetooth services
blueman-tray (1) - a status icon application for blueman
bluetooth (1) - enable/disable internal bluetooth device
bond2team (1) - Converts bonding configuration to team
bootctl (1) - Control EFI firmware boot settings and manage boot loader
borg (1) - deduplicating and encrypting backup tool
borg-benchmark (1) - benchmark command
borg-benchmark-crud (1) - Benchmark Create, Read, Update, Delete for archives.
borg-break-lock (1) - Break the repository lock (e.g. in case it was left by a dead borg.
borg-change-passphrase (1) - Change repository key file passphrase
borg-check (1) - Check repository consistency
borg-common (1) - Common options of Borg commands
borg-compact (1) - compact segment files in the repository
borg-compression (1) - Details regarding compression
borg-config (1) - get, set, and delete values in a repository or cache config file
borg-create (1) - Create new archive
borg-delete (1) - Delete an existing repository or archives
borg-diff (1) - Diff contents of two archives
borg-export-tar (1) - Export archive contents as a tarball
borg-extract (1) - Extract archive contents
borg-import-tar (1) - Create a backup archive from a tarball
borg-info (1) - Show archive details such as disk space used
borg-init (1) - Initialize an empty repository
borg-key (1) - Manage a keyfile or repokey of a repository
borg-key-change-passphrase (1) - Change repository key file passphrase
borg-key-export (1) - Export the repository key for backup
borg-key-import (1) - Import the repository key from backup
borg-key-migrate-to-repokey (1) - Migrate passphrase -> repokey
borg-list (1) - List archive or repository contents
borg-mount (1) - Mount archive or an entire repository as a FUSE filesystem
borg-patterns (1) - Details regarding patterns
borg-placeholders (1) - Details regarding placeholders
borg-prune (1) - Prune repository archives according to specified rules
borg-recreate (1) - Re-create archives
borg-rename (1) - Rename an existing archive
borg-serve (1) - Start in server mode. This command is usually not used manually.
borg-umount (1) - un-mount the FUSE filesystem
borg-upgrade (1) - upgrade a repository from a previous version
borg-with-lock (1) - run a user specified command with the repository lock held
borgfs (1) - Mount archive or an entire repository as a FUSE filesystem
broadwayd (1) - Broadway display server
brotli (1) - brotli, unbrotli - compress or decompress files
bscalc (1) - manual page for bscalc 2.8
bsdcat (1) - expand files to standard output
bsdcpio (1) - copy files to and from archives
bsdtar (1) - manipulate tape archives
bshell (1) - Browse for SSH/VNC servers on the local network
bssh (1) - Browse for SSH/VNC servers on the local network
bt-adapter (1) - a bluetooth adapter manager
bt-agent (1) - a bluetooth agent
bt-device (1) - a bluetooth device manager
bt-network (1) - a bluetooth network manager
bt-obex (1) - a bluetooth OBEX client/server
btattach (1) - Attach serial devices to BlueZ stack
btmon (1) - Bluetooth monitor
bundle (1) - Ruby Dependency Management
bundle-add (1) - Add gem to the Gemfile and run bundle install
bundle-binstubs (1) - Install the binstubs of the listed gems
bundle-cache (1) - Package your needed .gem files into your application
bundle-check (1) - Verifies if dependencies are satisfied by installed gems
bundle-clean (1) - Cleans up unused gems in your bundler directory
bundle-config (1) - Set bundler configuration options
bundle-console (1) - Deprecated way to open an IRB session with the bundle pre-loaded
bundle-doctor (1) - Checks the bundle for common problems
bundle-exec (1) - Execute a command in the context of the bundle
bundle-gem (1) - Generate a project skeleton for creating a rubygem
bundle-help (1) - Displays detailed help for each subcommand
bundle-info (1) - Show information for the given gem in your bundle
bundle-init (1) - Generates a Gemfile into the current working directory
bundle-inject (1) - Add named gem(s) with version requirements to Gemfile
bundle-install (1) - Install the dependencies specified in your Gemfile
bundle-list (1) - List all the gems in the bundle
bundle-lock (1) - Creates / Updates a lockfile without installing
bundle-open (1) - Opens the source directory for a gem in your bundle
bundle-outdated (1) - List installed gems with newer versions available
bundle-platform (1) - Displays platform compatibility information
bundle-plugin (1) - Manage Bundler plugins
bundle-pristine (1) - Restores installed gems to their pristine condition
bundle-remove (1) - Removes gems from the Gemfile
bundle-show (1) - Shows all the gems in your bundle, or the path to a gem
bundle-update (1) - Update your gems to the latest available versions
bundle-version (1) - Prints Bundler version information
bundle-viz (1) - Generates a visual dependency graph for your Gemfile
bunzip2 (1) - a block-sorting file compressor, v1.0.8
busctl (1) - Introspect the bus
bvnc (1) - Browse for SSH/VNC servers on the local network
bwrap (1) - container setup utility
bzcat (1) - decompresses files to stdout
bzip2 (1) - a block-sorting file compressor, v1.0.8
bzip2recover (1) - recovers data from damaged bzip2 files
bzz (1) - DjVu general purpose compression utility.
c++filt (1) - demangle C++ and Java symbols
c44 (1) - DjVuPhoto encode.
c_rehash (1ssl) - Create symbolic links to files named by the hash values
ca (1ssl) - OpenSSL application commands
CA.pl (1ssl) - friendlier interface for OpenSSL certificate programs
caca-config (1) - script to get information about the installed version of libcaca
cacademo (1) - libcaca's demonstration applications
cacafire (1) - libcaca's demonstration applications
cacaplay (1) - play libcaca files
cacaserver (1) - telnet server for libcaca
cacaview (1) - ASCII image browser
cal (1) - display a calendar
calc_tickadj (1) - Calculates optimal value for tick given ntp drift file.
cancel (1) - cancel jobs
capsh (1) - capability shell wrapper
captoinfo (1m) - convert a termcap description into a terminfo description
cat (1) - concatenate files and print on the standard output
catfish (1) - File searching tool which is configurable via the command line
cd-create-profile (1) - Color Manager Profile Creation Tool
cd-drive (1) - show CD-ROM drive characteristics
cd-fix-profile (1) - Color Manager Testing Tool
cd-info (1) - shows Information about a CD or CD-image
cd-it8 (1) - Color Manager Testing Tool
cd-paranoia (1) - (unknown subject)
cd-read (1) - reads Information from a CD or CD-image
cdparanoia (1) - (unknown subject)
cdrskin (1) - burns preformatted data to CD, DVD, and BD via libburn.
cdrwtool (1) - perform various actions on a CD-R, CD-RW, and DVD-R
cec-compliance (1) - An application to verify remote CEC devices
cec-ctl (1) - An application to control cec devices
cec-follower (1) - An application to emulate CEC followers
celluloid (1) - A simple GTK+ frontend for mpv
certtool (1) - GnuTLS certificate tool
certutil (1) - Manage keys and certificate in both NSS databases and other NSS tokens
chacl (1) - change the access control list of a file or directory
chafa (1) - Character art facsimile generator
chage (1) - change user password expiry information
chattr (1) - change file attributes on a Linux file system
chcon (1) - change file security context
check_hd (1) - (unknown subject)
chem (1) - groff preprocessor for producing chemical structure diagrams
chezdav (1) - simple WebDAV server
chfn (1) - change your finger information
chgrp (1) - change group ownership
chmod (1) - change file mode bits
choom (1) - display and adjust OOM-killer score.
chown (1) - change file owner and group
chroot (1) - run command or interactive shell with special root directory
chrt (1) - manipulate the real-time attributes of a process
chsh (1) - change your login shell
chvt (1) - change foreground virtual terminal
cifscreds (1) - manage NTLM credentials in kernel keyring
ciphers (1ssl) - OpenSSL application commands
cisco-decrypt (1) - decrypts an obfuscated Cisco vpn client pre-shared key
cjb2 (1) - Simple DjVuBitonal encoder.
cjpeg (1) - compress an image file to a JPEG file
cjxl (1) - compress images to JPEG XL
cksum (1) - compute and verify file checksums
clear (1) - clear the terminal screen
urxvt-clickthrough (1) - make window "transparent" with respect to input events
urxvt-clipboard-osc (1) - implement the clipboard operating system command sequence
cmp (1) - compare two files byte by byte
cmp (1ssl) - OpenSSL application commands
cms (1ssl) - OpenSSL application commands
cmsutil (1) - Performs basic cryptograpic operations, such as encryption and decryption, on Cryptographic Message Syntax (CMS) messages.
codepage (1) - extract a codepage from an MSDOS codepage file
col (1) - filter reverse line feeds from input
colcrt (1) - filter nroff output for CRT previewing
colorit (1) - a script for markuping the text input
colormgr (1) - Color Manager Testing Tool
colrm (1) - remove columns from a file
column (1) - columnate lists
comm (1) - compare two sorted files line by line
compare (1) - mathematically and visually annotate the difference between an image and its reconstruction.
compile_et (1) - error table compiler
composite (1) - overlaps one image over another.
urxvt-confirm-paste (1) - ask for confirmation before pasting control characters
conjure (1) - interprets and executes scripts written in the Magick Scripting Language (MSL).
conky (1) - A system monitor for X originally based on the torsmo code, but more kickass. It just keeps on given'er. Yeah.
convert (1) - convert between image formats as well as resize an image, blur, crop, despeckle, dither, draw on, flip, join, re-sample, and much more.
convert_hd (1) - (unknown subject)
coredumpctl (1) - Retrieve and process saved core dumps and metadata
corelist (1perl) - a commandline frontend to Module::CoreList
cp (1) - copy files and directories
cpaldjvu (1) - DjVuDocument encoder for low-color images.
cpan (1perl) - easily interact with CPAN from the command line
cpanm (1p) - get, unpack build and install modules from CPAN
cpio (1) - copy files to and from archives
cpp (1) - The C Preprocessor
crl (1ssl) - OpenSSL application commands
crl2pkcs7 (1ssl) - OpenSSL application commands
crlutil (1) - List, generate, modify, or delete CRLs within the NSS security database file(s) and list, create, modify or delete certificates entries in a particular CRL.
cronnext (1) - time of next job cron will execute
crontab (1) - maintains crontab files for individual users
csepdjvu (1) - DjVu encoder for separated data files.
csplit (1) - split a file into sections determined by context lines
ctags (1) - Generate tag files for source code
cups (1) - a standards-based, open source printing system
cups-config (1) - get cups api, compiler, directory, and link information (deprecated).
cupstestppd (1) - test conformance of ppd files (deprecated)
curl (1) - transfer a URL
curl-config (1) - Get information about a libcurl installation
cut (1) - remove sections from each line of files
vlc (1) - the VLC media player
cvt (1) - calculate VESA CVT mode lines
cvtsudoers (1) - convert between sudoers file formats
cwebp (1) - compress an image file to a WebP file
cxl (1) - Provides enumeration and provisioning commands for CXL platforms
cxl-create-region (1) - Assemble a CXL region by setting up attributes of its constituent CXL memdevs.
cxl-destroy-region (1) - destroy specified region(s).
cxl-disable-bus (1) - Shutdown an entire tree of CXL devices
cxl-disable-memdev (1) - deactivate / hot-remove a given CXL memdev
cxl-disable-port (1) - disable / hot-remove a given CXL port and descendants
cxl-disable-region (1) - disable specified region(s).
cxl-enable-memdev (1) - activate / hot-add a given CXL memdev
cxl-enable-port (1) - activate / hot-add a given CXL port
cxl-enable-region (1) - enable specified region(s).
cxl-free-dpa (1) - release device-physical address space
cxl-list (1) - List platform CXL objects, and their attributes, in json.
cxl-monitor (1) - Monitor the CXL trace events
cxl-read-labels (1) - read out the label area on a CXL memdev
cxl-reserve-dpa (1) - allocate device-physical address space
cxl-set-partition (1) - set the partitioning between volatile and persistent capacity on a CXL memdev
cxl-write-labels (1) - write data to the label area on a memdev
cxl-zero-labels (1) - zero out the label area on a set of memdevs
cxpm (1) - Check an XPM (X PixMap) file, versions XPM 1, 2, or 3.
date (1) - print or set the system date and time
daxctl (1) - Provides enumeration and provisioning commands for the Linux kernel Device-DAX facility
daxctl-create-device (1) - Create a devdax device
daxctl-destroy-device (1) - Destroy a devdax device
daxctl-disable-device (1) - Disables a devdax device
daxctl-enable-device (1) - Enable a devdax device
daxctl-list (1) - dump the platform Device-DAX regions, devices, and attributes in json.
daxctl-migrate-device-model (1) - Opt-in to the /sys/bus/dax device-model, allow for alternative Device-DAX instance drivers.
daxctl-offline-memory (1) - Offline the memory for a device that is in system-ram mode
daxctl-online-memory (1) - Online the memory for a device that is in system-ram mode
daxctl-reconfigure-device (1) - Reconfigure a dax device into a different mode
dbilogstrip (1p) - filter to normalize DBI trace logs for diff'ing
dbiprof (1p) - command-line client for DBI::ProfileData
dbiproxy (1p) - A proxy server for the DBD::Proxy driver
dbmmanage (1) - Manage user authentication files in DBM format
dbus-binding-tool (1) - C language dbus-glib bindings generation utility.
dbus-cleanup-sockets (1) - clean up leftover sockets in a directory
dbus-daemon (1) - Message bus daemon
dbus-launch (1) - Utility to start a message bus from a shell script
dbus-monitor (1) - debug probe to print message bus messages
dbus-run-session (1) - start a process as a new D-Bus session
dbus-send (1) - Send a message to a message bus
dbus-test-tool (1) - D-Bus traffic generator and test tool
dbus-update-activation-environment (1) - update environment used for D-Bus session services
dbus-uuidgen (1) - Utility to generate UUIDs
dc (1) - an arbitrary precision calculator
dc1394_multiview (1) - display format0 camera video
dc1394_reset_bus (1) - resets the IEEE1394 bus
dc1394_vloopback (1) - send format0 video to V4L vloopback device
dcadec (1) - decode DTS Coherent Acoustics audio streams
dconf (1) - Simple tool for manipulating a dconf database
dconf-editor (1) - Graphical editor for gsettings and dconf
dconf-service (1) - D-Bus service for writes to the dconf database
dd (1) - convert and copy a file
ddcutil (1) - Query and change monitor settings
ddjvu (1) - Command line DjVu decoder.
ddrescue (1) - data recovery tool
ddrescuelog (1) - tool for ddrescue mapfiles
deallocvt (1) - deallocate unused virtual consoles
debugedit (1) - debug source path manipulation tool
decode-dimms (1) - decode the information found in memory module SPD EEPROMs
decode-vaio (1) - decode the information found in the Sony Vaio laptop identification EEPROMs
delv (1) - DNS lookup and validation utility
derb (1) - disassemble a resource bundle
desktop-file-edit (1) - Installation and edition of desktop files
desktop-file-install (1) - Installation and edition of desktop files
desktop-file-validate (1) - Validate desktop entry files
dex (1) - DesktopEntry Execution
df (1) - report file system space usage
dgst (1ssl) - OpenSSL application commands
dhcp_lease_time (1) - Query remaining time of a lease on a the local dnsmasq DHCP server.
dhcp_release (1) - Release a DHCP lease on a the local dnsmasq DHCP server.
dhcp_release6 (1) - Release a DHCPv6 lease on a the local dnsmasq DHCP server.
dhparam (1ssl) - OpenSSL application commands
splain (1perl) - produce verbose warning diagnostics
dialog (1) - display dialog boxes from shell scripts
dict (1) - DICT Protocol Client
dict_lookup (1) - DICT Protocol Client
dictfmt (1) - formats a DICT protocol dictionary database
dictfmt_index2suffix (1) - Creates a .suffix file from a DICTD database .index file
dictfmt_index2word (1) - Creates a .word index file from a DICTD database .index file
dictl (1) - wrapper script for dict that permits using utf-8 encoded dictionaries on a terminal that is not utf-8 aware.
dictunformat (1) - create a raw database file from a .dict and .index file
dictzip (1) - compress (or expand) files, allowing random access
diff (1) - compare files line by line
diff3 (1) - compare three files line by line
dig (1) - DNS lookup utility
urxvt-digital-clock (1) - display a digital clock overlay
dir (1) - list directory contents
dircolors (1) - color setup for ls
dirmngr-client (1) - Tool to access the Dirmngr services
dirname (1) - strip last component from file name
display (1) - displays an image or image sequence on any X server.
djpeg (1) - decompress a JPEG file to an image file
djvm (1) - Manipulate bundled multi-page DjVu documents.
djvmcvt (1) - Convert multi-page DjVu documents.
djvudigital (1) - creates DjVu files from PS or PDF files.
djvudump (1) - Display internal structure of DjVu files.
djvuextract (1) - Extract chunks from DjVu image files.
djvumake (1) - Assemble DjVu image files.
djvups (1) - Convert DjVu documents to PostScript.
djvused (1) - Multi-purpose DjVu document editor.
djvuserve (1) - Generate indirect DjVu documents on the fly.
djvutoxml (1) - DjVuLibre XML Tools.
djvutxt (1) - Extract the hidden text from DjVu documents.
djvuxml (1) - DjVuLibre XML Tools.
djvuxmlparser (1) - DjVuLibre XML Tools.
djxl (1) - decompress JPEG XL images
dmenu (1) - dynamic menu
dmesg (1) - print or control the kernel ring buffer
dnsdomainname (1) - show DNS domain name
dnssec-cds (1) - change DS records for a child zone based on CDS/CDNSKEY
dnssec-dsfromkey (1) - DNSSEC DS RR generation tool
dnssec-importkey (1) - import DNSKEY records from external systems so they can be managed
dnssec-keyfromlabel (1) - DNSSEC key generation tool
dnssec-keygen (1) - DNSSEC key generation tool
dnssec-revoke (1) - set the REVOKED bit on a DNSSEC key
dnssec-settime (1) - set the key timing metadata for a DNSSEC key
dnssec-signzone (1) - DNSSEC zone signing tool
dnssec-verify (1) - DNSSEC zone verification tool
dnssort (1) - sort DNS hostnames
ldns-dpa (1) - DNS Packet Analyzer. Analyze DNS packets in ip trace files
dpipe (1) - bi-directional pipe command
drill (1) - get (debug) information out of DNS(SEC)
driverless (1) - PPD generator utility for driverless printing
dsa (1ssl) - OpenSSL application commands
dsaparam (1ssl) - OpenSSL application commands
dtsdec (1) - decode DTS Coherent Acoustics audio streams
du (1) - estimate file space usage
dubdv (1) - insert audio into a digital video stream
dump.erofs (1) - retrieve directory and file entries, show specific file or overall disk statistics information from an EROFS-formatted image.
dumpiso (1) - dump IEEE 1394 isochronous channel packets
dumpkeys (1) - dump keyboard translation tables
dvb-fe-tool (1) - DVBv5 tool for frontend settings inspect/change
dvb-format-convert (1) - DVBv5 tool for file format conversions
dvbv5-scan (1) - DVBv5 tool for frequency scanning
dvbv5-zap (1) - DVBv5 tool for service tuning
dvconnect (1) - receive or transmit raw DV using the video1394 device
dvcont (1) - send control commands to DV cameras
dvipdf (1) - Convert TeX DVI file to PDF using ghostscript and dvips
dwebp (1) - decompress a WebP file to an image file
ec (1ssl) - OpenSSL application commands
echo (1) - display a line of text
ecparam (1ssl) - OpenSSL application commands
ecryptfs-add-passphrase (1) - add an eCryptfs mount passphrase to the kernel keyring.
ecryptfs-find (1) - use inode numbers to match encrypted/decrypted filenames
ecryptfs-generate-tpm-key (1) - generate an eCryptfs key for TPM hardware.
ecryptfs-insert-wrapped-passphrase-into-keyring (1) - unwrap a wrapped passphrase from file and insert into the kernel keyring.
ecryptfs-mount-private (1) - interactive eCryptfs private mount wrapper script.
ecryptfs-recover-private (1) - find and mount any encrypted private directories
ecryptfs-rewrap-passphrase (1) - unwrap an eCryptfs wrapped passphrase, rewrap it with a new passphrase, and write it back to file.
ecryptfs-rewrite-file (1) - force a file to be rewritten (reencrypted) in the lower filesystem
ecryptfs-setup-private (1) - setup an eCryptfs private directory.
ecryptfs-setup-swap (1) - ensure that any swap space is encrypted
ecryptfs-stat (1) - Present statistics on encrypted eCryptfs file attributes
ecryptfs-umount-private (1) - eCryptfs private unmount wrapper script.
ecryptfs-unwrap-passphrase (1) - unwrap an eCryptfs mount passphrase from file.
ecryptfs-verify (1) - validate an eCryptfs encrypted home or encrypted private configuration
ecryptfs-wrap-passphrase (1) - wrap an eCryptfs mount passphrase.
edid-decode (1) - Decode EDID data in human-readable format
efisecdb (1) - utility for managing UEFI signature lists
efivar (1) - Tool to manipulate UEFI variables
eject (1) - eject removable media
elfedit (1) - update ELF header and program property of ELF files
enc (1ssl) - OpenSSL application commands
enc2xs (1perl) - - Perl Encode Module Generator
encguess (1perl) - guess character encodings of files
enchant-lsmod-2 (1) - list provider and dictionary information
encode_keychange (1) - produce the KeyChange string for SNMPv3
encodedv (1) - encode a series of images to a digital video stream
engine (1ssl) - OpenSSL application commands
env (1) - run a program in a modified environment
envsubst (1) - substitutes environment variables in shell format strings
eps2eps (1) - Ghostscript PostScript "distiller"
eqn (1) - format equations for troff or MathML
eqn2graph (1) - convert an EQN equation into a cropped image
erofsfuse (1) - FUSE file system client for erofs file system
errstr (1ssl) - OpenSSL application commands
escputil (1) - maintain Epson Stylus inkjet printers
urxvt-eval (1) - evaluate arbitrary perl code using actions
evince (1) - GNOME document viewer
evince-previewer (1) - show a printing preview of PostScript and PDF documents
evince-thumbnailer (1) - create png thumbnails from PostScript and PDF documents
exa (1) - a modern replacement for ls
urxvt-example-refresh-hooks (1) - example of how to use refresh hooks
exiv2 (1) - Image metadata manipulation tool
exo-open (1) - Open URLs and launch preferred applications
expac (1) - alpm data extraction utility
expand (1) - convert tabs to spaces
expiry (1) - check and enforce password expiration policy
expr (1) - evaluate expressions
extlinux (1) - install the SYSLINUX bootloader on an ext2/ext3/ext4/btrfs/xfs filesystem
extract_a52 (1) - extract ATSC A/52 audio from a MPEG stream.
extract_dca (1) - extract DTS Coherent Acoustics audio from a MPEG stream.
extract_dts (1) - extract DTS Coherent Acoustics audio from a MPEG stream.
extract_mpeg2 (1) - extract MPEG video streams from a multiplexed stream.
faac (1) - open source MPEG-4 and MPEG-2 AAC encoder
faad (1) - Process an Advanced Audio Codec stream
factor (1) - factor numbers
fadvise (1) - utility to use the posix_fadvise system call
faked (1) - daemon that remembers fake ownership/permissions of files manipulated by fakeroot processes.
fakeroot (1) - run a command in an environment faking root privileges for file manipulation
fallocate (1) - preallocate or deallocate space to a file
false (1) - do nothing, unsuccessfully
fatresize (1) - Resize an FAT16/FAT32 volume non-destructively
fax2ps (1) - convert a TIFF facsimile to compressed PostScript™
fax2tiff (1) - create a TIFF Class F fax file from raw fax data
gnutls-cli (1) - GnuTLS client
gnutls-cli-debug (1) - GnuTLS debug client
gnutls-serv (1) - GnuTLS server
ntp-keygen (1) - Create a NTP host key
ntp-wait (1) - Wait for ntpd to stabilize the system clock
ntpd (1) - NTP daemon program
ntpdc (1) - vendor-specific NTPD control program
ntpq (1) - standard NTP query program
ntptrace (1) - Trace peers of an NTP server
ocsptool (1) - GnuTLS OCSP tool
p11tool (1) - GnuTLS PKCS #11 tool
psktool (1) - GnuTLS PSK tool
sntp (1) - standard Simple Network Time Protocol client program
tpmtool (1) - GnuTLS TPM tool
update-leap (1) - leap-seconds file manager/updater
fc-cache (1) - build font information cache files
fc-cat (1) - read font information cache files
fc-conflist (1) - list the configuration files processed by Fontconfig
fc-list (1) - list available fonts
fc-match (1) - match available fonts
fc-pattern (1) - parse and show pattern
fc-query (1) - query font files
fc-scan (1) - scan font files or directories
fc-validate (1) - validate font files
fd (1) - find entries in the filesystem
feh (1) - image viewer and cataloguer
ffmpeg (1) - ffmpeg video converter
ffmpeg-all (1) - ffmpeg video converter
ffmpeg-bitstream-filters (1) - FFmpeg bitstream filters
ffmpeg-codecs (1) - FFmpeg codecs
ffmpeg-devices (1) - FFmpeg devices
ffmpeg-filters (1) - FFmpeg filters
ffmpeg-formats (1) - FFmpeg formats
ffmpeg-protocols (1) - FFmpeg protocols
ffmpeg-resampler (1) - FFmpeg Resampler
ffmpeg-scaler (1) - FFmpeg video scaling and pixel format converter
ffmpeg-utils (1) - FFmpeg utilities
ffmpegthumbnailer (1) - fast and lightweight video thumbnailer
ffplay (1) - FFplay media player
ffplay-all (1) - FFplay media player
ffprobe (1) - ffprobe media prober
ffprobe-all (1) - ffprobe media prober
fftw-wisdom (1) - create wisdom (pre-optimized FFTs)
fftw-wisdom-to-conf (1) - generate FFTW wisdom (pre-planned transforms)
fftwf-wisdom (1) - create wisdom (pre-optimized FFTs)
fftwl-wisdom (1) - create wisdom (pre-optimized FFTs)
fftwq-wisdom (1) - create wisdom (pre-optimized FFTs)
fgconsole (1) - print the number of the active VT.
fido2-assert (1) - get/verify a FIDO2 assertion
fido2-cred (1) - make/verify a FIDO2 credential
fido2-token (1) - find and manage a FIDO2 authenticator
file (1) - determine file type
fincore (1) - count pages of file contents in core
find (1) - search for files in a directory hierarchy
find-debuginfo (1) - finds debuginfo and processes it
fish (1) - the friendly interactive shell
fish_indent (1) - indenter and prettifier
fish_key_reader (1) - explore what characters keyboard keys send
fix-qdf (1) - repair PDF files in QDF form after editing
fixproc (1) - Fixes a process by performing the specified action.
flac (1) - Free Lossless Audio Codec
flatpak (1) - Build, install and run applications and runtimes
flatpak-build (1) - Build in a directory
flatpak-build-bundle (1) - Create a single-file bundle from a local repository
flatpak-build-commit-from (1) - Create new commits based on existing one (possibly from another repository)
flatpak-build-export (1) - Create a repository from a build directory
flatpak-build-finish (1) - Finalize a build directory
flatpak-build-import-bundle (1) - Import a file bundle into a local repository
flatpak-build-init (1) - Initialize a build directory
flatpak-build-sign (1) - Sign an application or runtime
flatpak-build-update-repo (1) - Create a repository from a build directory
flatpak-config (1) - Manage configuration
flatpak-create-usb (1) - Copy apps and/or runtimes onto removable media.
flatpak-document-export (1) - Export a file to a sandboxed application
flatpak-document-info (1) - Show information about exported files
flatpak-document-unexport (1) - Stop exporting a file
flatpak-documents (1) - List exported files
flatpak-enter (1) - Enter an application or runtime's sandbox
flatpak-history (1) - Show history
flatpak-info (1) - Show information about an installed application or runtime
flatpak-install (1) - Install an application or runtime
flatpak-kill (1) - Stop a running application
flatpak-list (1) - List installed applications and/or runtimes
flatpak-make-current (1) - Make a specific version of an app current
flatpak-mask (1) - Mask out updates and automatic installation
flatpak-override (1) - Override application requirements
flatpak-permission-remove (1) - Remove permissions
flatpak-permission-reset (1) - Reset permissions
flatpak-permission-set (1) - Set permissions
flatpak-permission-show (1) - Show permissions
flatpak-permissions (1) - List permissions
flatpak-pin (1) - Pin runtimes to prevent automatic removal
flatpak-ps (1) - Enumerate running instances
flatpak-remote-add (1) - Add a remote repository
flatpak-remote-delete (1) - Delete a remote repository
flatpak-remote-info (1) - Show information about an application or runtime in a remote
flatpak-remote-ls (1) - Show available runtimes and applications
flatpak-remote-modify (1) - Modify a remote repository
flatpak-remotes (1) - List remote repositories
flatpak-repair (1) - Repair a flatpak installation
flatpak-repo (1) - Show information about a local repository
flatpak-run (1) - Run an application or open a shell in a runtime
flatpak-search (1) - Search for applications and runtimes
flatpak-spawn (1) - Run commands in a sandbox
flatpak-uninstall (1) - Uninstall an application or runtime
flatpak-update (1) - Update an application or runtime
flex (1) - the fast lexical analyser generator
flock (1) - manage locks from shell scripts
floppyd (1) - floppy daemon for remote access to floppy drive
floppyd_installtest (1) - tests whether floppyd is installed and running
fmt (1) - simple optimal text formatter
fold (1) - wrap each input line to fit in specified width
font-manager (1) - Simple font management for GTK+ desktop environments
foomatic-combo-xml (1) - <put a short description here>
foomatic-compiledb (1) - Compile the Foomatic printer/driver database
foomatic-configure (1) - the main configuration program of the foomatic printing system.
foomatic-perl-data (1) - generate Perl data structures from XML
foomatic-ppd-options (1) - show the PPD options
foomatic-ppdfile (1) - Generate a PPD file for a given printer/driver combo
foomatic-printjob (1) - manage printer jobs in a spooler-independent fashion
foomatic-rip (1) - Universal print filter/RIP wrapper
free (1) - Display amount of free and used memory in the system
fsck.erofs (1) - tool to check the EROFS filesystem's integrity
lsb_release (1) - manual page for FSG lsb_release v2.0
ftp (1) - File Transfer Protocol client.
funzip (1) - filter for extracting from a ZIP archive in a pipe
fuser (1) - identify processes using files or sockets
fusermount (1) - mount and unmount FUSE filesystems
fusermount3 (1) - mount and unmount FUSE filesystems
fzf (1) - a command-line fuzzy finder
fzf-tmux (1) - open fzf in tmux split pane
g++ (1) - GNU project C and C++ compiler
galculator (1) - a GTK 2 / GTK 3 based scientific calculator
gamma4scanimage (1) - create a gamma table for scanimage
gapplication (1) - D-Bus application launcher
gawk (1) - pattern scanning and processing language
gawkbug (1) - report a bug in gawk
gcc (1) - GNU project C and C++ compiler
gconftool-2 (1) - GNOME configuration tool
gcov (1) - coverage testing tool
gcov-dump (1) - offline gcda and gcno profile dump tool
gcov-tool (1) - offline gcda profile processing tool
gdbm_dump (1) - dump a GDBM database to a file
gdbm_load (1) - re-create a GDBM database from a dump file.
gdbmtool (1) - examine and modify a GDBM database
gdbus (1) - Tool for working with D-Bus objects
gdbus-codegen (1) - D-Bus code and documentation generator
gdiffmk (1) - mark differences between groff/nroff/troff files
gdk-pixbuf-csource (1) - C code generation utility for GdkPixbuf images
gdk-pixbuf-query-loaders (1) - GdkPixbuf loader registration utility
genbrk (1) - Compiles ICU break iteration rules source files into binary data files
gencfu (1) - Generates Unicode Confusable data files
gencnval (1) - compile the converters aliases file
gendict (1) - Compiles word list into ICU string trie dictionary
gendsa (1ssl) - OpenSSL application commands
genpkey (1ssl) - OpenSSL application commands
genrb (1) - compile a resource bundle
genrsa (1ssl) - OpenSSL application commands
getcifsacl (1) - Userspace helper to display an ACL in a security descriptor for Common Internet File System (CIFS)
getent (1) - get entries from Name Service Switch libraries
getfacl (1) - get file access control lists
getfattr (1) - get extended attributes of filesystem objects
gethostip (1) - convert an IP address into various formats
getopt (1) - parse command options (enhanced)
getsubids (1) - get the subordinate id ranges for a user
getsysinfo (1) - (unknown subject)
gettext (1) - translate message
gettextize (1) - install or upgrade gettext infrastructure
ghostscript (1) - Ghostscript (PostScript and PDF language interpreter and previewer)
gif2rgb (1) - convert images saved as GIF to 24-bit RGB triplets
gif2webp (1) - Convert a GIF image to WebP
gifbg (1) - generate a test-pattern GIF
gifbuild (1) - dump GIF data in a textual format, or undump it to a GIF
gifclrmp (1) - extract colormaps from GIF images
gifcolor (1) - generate color test-pattern GIFs
gifecho (1) - generate a GIF from ASCII text
giffix (1) - attempt to fix up broken GIFs
gifhisto (1) - make a color histogram from GIF colr frequencies
gifinto (1) - save GIF on stdin to file if size over set threshold
giflib (1) - GIFLIB utilities
giftext (1) - dump GIF pixels and metadata as text
giftool (1) - GIF transformation tool
gifwedge (1) - create a GIF test pattern
gio (1) - GIO commandline tool
gio-querymodules (1) - GIO module cache creation
git (1) - the stupid content tracker
git-add (1) - Add file contents to the index
git-am (1) - Apply a series of patches from a mailbox
git-annotate (1) - Annotate file lines with commit information
git-apply (1) - Apply a patch to files and/or to the index
git-archimport (1) - Import a GNU Arch repository into Git
git-archive (1) - Create an archive of files from a named tree
git-bisect (1) - Use binary search to find the commit that introduced a bug
git-blame (1) - Show what revision and author last modified each line of a file
git-branch (1) - List, create, or delete branches
git-bugreport (1) - Collect information for user to file a bug report
git-bundle (1) - Move objects and refs by archive
git-cat-file (1) - Provide content or type and size information for repository objects
git-check-attr (1) - Display gitattributes information
git-check-ignore (1) - Debug gitignore / exclude files
git-check-mailmap (1) - Show canonical names and email addresses of contacts
git-check-ref-format (1) - Ensures that a reference name is well formed
git-checkout (1) - Switch branches or restore working tree files
git-checkout-index (1) - Copy files from the index to the working tree
git-cherry (1) - Find commits yet to be applied to upstream
git-cherry-pick (1) - Apply the changes introduced by some existing commits
git-citool (1) - Graphical alternative to git-commit
git-clean (1) - Remove untracked files from the working tree
git-clone (1) - Clone a repository into a new directory
git-column (1) - Display data in columns
git-commit (1) - Record changes to the repository
git-commit-graph (1) - Write and verify Git commit-graph files
git-commit-tree (1) - Create a new commit object
git-config (1) - Get and set repository or global options
git-count-objects (1) - Count unpacked number of objects and their disk consumption
git-credential (1) - Retrieve and store user credentials
git-credential-cache (1) - Helper to temporarily store passwords in memory
git-credential-cache--daemon (1) - Temporarily store user credentials in memory
git-credential-store (1) - Helper to store credentials on disk
git-cvsexportcommit (1) - Export a single commit to a CVS checkout
git-cvsimport (1) - Salvage your data out of another SCM people love to hate
git-cvsserver (1) - A CVS server emulator for Git
git-daemon (1) - A really simple server for Git repositories
git-describe (1) - Give an object a human readable name based on an available ref
git-diagnose (1) - Generate a zip archive of diagnostic information
git-diff (1) - Show changes between commits, commit and working tree, etc
git-diff-files (1) - Compares files in the working tree and the index
git-diff-index (1) - Compare a tree to the working tree or index
git-diff-tree (1) - Compares the content and mode of blobs found via two tree objects
git-difftool (1) - Show changes using common diff tools
git-fast-export (1) - Git data exporter
git-fast-import (1) - Backend for fast Git data importers
git-fetch (1) - Download objects and refs from another repository
git-fetch-pack (1) - Receive missing objects from another repository
git-filter-branch (1) - Rewrite branches
git-fmt-merge-msg (1) - Produce a merge commit message
git-for-each-ref (1) - Output information on each ref
git-for-each-repo (1) - Run a Git command on a list of repositories
git-format-patch (1) - Prepare patches for e-mail submission
git-fsck (1) - Verifies the connectivity and validity of the objects in the database
git-fsck-objects (1) - Verifies the connectivity and validity of the objects in the database
git-fsmonitor--daemon (1) - A Built-in Filesystem Monitor
git-gc (1) - Cleanup unnecessary files and optimize the local repository
git-get-tar-commit-id (1) - Extract commit ID from an archive created using git-archive
git-grep (1) - Print lines matching a pattern
git-gui (1) - A portable graphical interface to Git
git-hash-object (1) - Compute object ID and optionally creates a blob from a file
git-help (1) - Display help information about Git
git-hook (1) - Run git hooks
git-http-backend (1) - Server side implementation of Git over HTTP
git-http-fetch (1) - Download from a remote Git repository via HTTP
git-http-push (1) - Push objects over HTTP/DAV to another repository
git-imap-send (1) - Send a collection of patches from stdin to an IMAP folder
git-index-pack (1) - Build pack index file for an existing packed archive
git-init (1) - Create an empty Git repository or reinitialize an existing one
git-init-db (1) - Creates an empty Git repository
git-instaweb (1) - Instantly browse your working repository in gitweb
git-interpret-trailers (1) - Add or parse structured information in commit messages
git-log (1) - Show commit logs
git-ls-files (1) - Show information about files in the index and the working tree
git-ls-remote (1) - List references in a remote repository
git-ls-tree (1) - List the contents of a tree object
git-mailinfo (1) - Extracts patch and authorship from a single e-mail message
git-mailsplit (1) - Simple UNIX mbox splitter program
git-maintenance (1) - Run tasks to optimize Git repository data
git-merge (1) - Join two or more development histories together
git-merge-base (1) - Find as good common ancestors as possible for a merge
git-merge-file (1) - Run a three-way file merge
git-merge-index (1) - Run a merge for files needing merging
git-merge-one-file (1) - The standard helper program to use with git-merge-index
git-merge-tree (1) - Perform merge without touching index or working tree
git-mergetool (1) - Run merge conflict resolution tools to resolve merge conflicts
git-mergetool--lib (1) - Common Git merge tool shell scriptlets
git-mktag (1) - Creates a tag object with extra validation
git-mktree (1) - Build a tree-object from ls-tree formatted text
git-multi-pack-index (1) - Write and verify multi-pack-indexes
git-mv (1) - Move or rename a file, a directory, or a symlink
git-name-rev (1) - Find symbolic names for given revs
git-notes (1) - Add or inspect object notes
git-p4 (1) - Import from and submit to Perforce repositories
git-pack-objects (1) - Create a packed archive of objects
git-pack-redundant (1) - Find redundant pack files
git-pack-refs (1) - Pack heads and tags for efficient repository access
git-patch-id (1) - Compute unique ID for a patch
git-prune (1) - Prune all unreachable objects from the object database
git-prune-packed (1) - Remove extra objects that are already in pack files
git-pull (1) - Fetch from and integrate with another repository or a local branch
git-push (1) - Update remote refs along with associated objects
git-quiltimport (1) - Applies a quilt patchset onto the current branch
git-range-diff (1) - Compare two commit ranges (e.g. two versions of a branch)
git-read-tree (1) - Reads tree information into the index
git-rebase (1) - Reapply commits on top of another base tip
git-receive-pack (1) - Receive what is pushed into the repository
git-reflog (1) - Manage reflog information
git-remote (1) - Manage set of tracked repositories
git-remote-ext (1) - Bridge smart transport to external command.
git-remote-fd (1) - Reflect smart transport stream back to caller
git-repack (1) - Pack unpacked objects in a repository
git-replace (1) - Create, list, delete refs to replace objects
git-request-pull (1) - Generates a summary of pending changes
git-rerere (1) - Reuse recorded resolution of conflicted merges
git-reset (1) - Reset current HEAD to the specified state
git-restore (1) - Restore working tree files
git-rev-list (1) - Lists commit objects in reverse chronological order
git-rev-parse (1) - Pick out and massage parameters
git-revert (1) - Revert some existing commits
git-rm (1) - Remove files from the working tree and from the index
git-send-email (1) - Send a collection of patches as emails
git-send-pack (1) - Push objects over Git protocol to another repository
git-sh-i18n (1) - Git's i18n setup code for shell scripts
git-sh-i18n--envsubst (1) - Git's own envsubst(1) for i18n fallbacks
git-sh-setup (1) - Common Git shell script setup code
git-shell (1) - Restricted login shell for Git-only SSH access
git-shortlog (1) - Summarize 'git log' output
git-show (1) - Show various types of objects
git-show-branch (1) - Show branches and their commits
git-show-index (1) - Show packed archive index
git-show-ref (1) - List references in a local repository
git-sparse-checkout (1) - Reduce your working tree to a subset of tracked files
git-stage (1) - Add file contents to the staging area
git-stash (1) - Stash the changes in a dirty working directory away
git-status (1) - Show the working tree status
git-stripspace (1) - Remove unnecessary whitespace
git-submodule (1) - Initialize, update or inspect submodules
git-subtree (1) - Merge subtrees together and split repository into subtrees
git-svn (1) - Bidirectional operation between a Subversion repository and Git
git-switch (1) - Switch branches
git-symbolic-ref (1) - Read, modify and delete symbolic refs
git-tag (1) - Create, list, delete or verify a tag object signed with GPG
git-unpack-file (1) - Creates a temporary file with a blob's contents
git-unpack-objects (1) - Unpack objects from a packed archive
git-update-index (1) - Register file contents in the working tree to the index
git-update-ref (1) - Update the object name stored in a ref safely
git-update-server-info (1) - Update auxiliary info file to help dumb servers
git-upload-archive (1) - Send archive back to git-archive
git-upload-pack (1) - Send objects packed back to git-fetch-pack
git-var (1) - Show a Git logical variable
git-verify-commit (1) - Check the GPG signature of commits
git-verify-pack (1) - Validate packed Git archive files
git-verify-tag (1) - Check the GPG signature of tags
git-version (1) - Display version information about Git
git-web--browse (1) - Git helper script to launch a web browser
git-whatchanged (1) - Show logs with difference each commit introduces
git-worktree (1) - Manage multiple working trees
git-write-tree (1) - Create a tree object from the current index
gitk (1) - The Git repository browser
gitweb (1) - Git web interface (web frontend to Git repositories)
gksu (1) - GTK+ frontend for su and sudo
gksu-properties (1) - Configure the behaviour of gksu
gksudo (1) - GTK+ frontend for su and sudo
glib-compile-resources (1) - GLib resource compiler
glib-compile-schemas (1) - GSettings schema compiler
glib-genmarshal (1) - C code marshaller generation utility for GLib closures
glib-gettextize (1) - gettext internationalization utility
glib-mkenums (1) - C language enum description generation utility
glilypond (1) - integrate lilypond parts into groff
gnome-dictionary (1) - Look up words in online dictionaries
gnome-disk-image-mounter (1) - Attach and mount disk images
gnome-disks (1) - the GNOME Disks application
gnome-keyring (1) - The gnome-keyring commandline tool
gnome-keyring-3 (1) - The gnome-keyring commandline tool
gnome-keyring-daemon (1) - The gnome-keyring daemon
gnome-logs (1) - log viewer for the systemd journal
gnome-screenshot (1) - capture the screen, a window, or an user-defined area and save the snapshot image to a file.
gnome-software (1) - Install apps
gobject-query (1) - display a tree of types
gpasswd (1) - administer /etc/group and /etc/gshadow
gperl (1) - groff preprocessor for Perl parts in roff files
gpg (1) - OpenPGP encryption and signing tool
gpg-agent (1) - Secret key management for GnuPG
gpg-check-pattern (1) - Check a passphrase on stdin against the patternfile
gpg-connect-agent (1) - Communicate with a running agent
gpg-preset-passphrase (1) - Put a passphrase into gpg-agent's cache
gpg-wks-client (1) - Client for the Web Key Service
gpg-wks-server (1) - Server providing the Web Key Service
gpgconf (1) - Modify .gnupg home directories
gpgparsemail (1) - Parse a mail message into an annotated format
gpgrt-config (1) - Helper script to get information about the installed version of gpg libraries
gpgsm (1) - CMS encryption and signing tool
gpgtar (1) - Encrypt or sign files into an archive
gpgv (1) - Verify OpenPGP signatures
gpick (1) - advanced color picker
gpinyin (1) - use Hanyu Pinyin Chinese in roff
gpm-root (1) - a default handler for gpm, used to draw menus on the root window
gprof (1) - display call graph profile data
gprofng (1) - GNU gprofng
grab_color_image (1) - grab an image using libdc1394
grab_gray_image (1) - grab an image using libdc1394
grab_partial_image (1) - grab a partial image using libdc1394
grap2graph (1) - convert a GRAP diagram into a cropped image
grep (1) - print lines that match patterns
gresource (1) - GResource tool
grn (1) - groff preprocessor for gremlin files
grodvi (1) - convert groff output to TeX DVI format
groff (1) - front-end for the groff document formatting system
groffer (1) - display groff files and man pages on X and tty
grog (1) - guess options for a following groff command
grohtml (1) - HTML driver for groff
grolbp (1) - groff driver for Canon CAPSL printers (LBP-4 and LBP-8 series laser printers)
grolj4 (1) - groff driver for HP LaserJet 4 family
gropdf (1) - PDF driver for groff
grops (1) - PostScript driver for groff
grotty (1) - groff driver for typewriter-like devices
groups (1) - display current group names
grub-customizer (1) - a graphical grub2/burg editor
grub-editenv (1) - edit GRUB environment block
grub-file (1) - check file type
grub-fstest (1) - debug tool for GRUB filesystem drivers
grub-glue-efi (1) - generate a fat binary for EFI
grub-kbdcomp (1) - generate a GRUB keyboard layout file
grub-menulst2cfg (1) - transform legacy menu.lst into grub.cfg
grub-mkfont (1) - make GRUB font files
grub-mkimage (1) - make a bootable image of GRUB
grub-mklayout (1) - generate a GRUB keyboard layout file
grub-mknetdir (1) - prepare a GRUB netboot directory.
grub-mkpasswd-pbkdf2 (1) - generate hashed password for GRUB
grub-mkrelpath (1) - make a system path relative to its root
grub-mkrescue (1) - make a GRUB rescue image
grub-mkstandalone (1) - make a memdisk-based GRUB image
grub-mount (1) - export GRUB filesystem with FUSE
grub-render-label (1) - generate a .disk_label for Apple Macs.
grub-script-check (1) - check grub.cfg for syntax errors
grub-syslinux2cfg (1) - transform syslinux config into grub.cfg
gs (1) - Ghostscript (PostScript and PDF language interpreter and previewer)
gsbj (1) - Format and print text for BubbleJet printer using ghostscript
gsdj (1) - Format and print text for DeskJet printer using ghostscript
gsdj500 (1) - Format and print text for DeskJet 500 BubbleJet using ghostscript
gsettings (1) - GSettings configuration tool
gsettings-data-convert (1) - GConf to GSettings data migration
gsettings-schema-convert (1) - GConf to GSettings schema conversion
gsf (1) - archiving utility using the G Structured File library
gsf-office-thumbnailer (1) - office files thumbnailer for the GNOME desktop
gsf-vba-dump (1) - extract Visual Basic for Applications macros
gsl-config (1) - script to get version number and compiler flags of the installed GSL library
gsl-histogram (1) - compute histogram of data on stdin
gsl-randist (1) - generate random samples from various distributions
gslj (1) - Format and print text for LaserJet printer using ghostscript
gslp (1) - Format and print text using ghostscript
gsnd (1) - Run ghostscript (PostScript and PDF engine) without display
gssdp-device-sniffer (1) - display SSDP packets on your network
gst-device-monitor-1.0 (1) - Simple command line testing tool for GStreamer device monitors
gst-discoverer-1.0 (1) - Display file metadata and stream information
gst-inspect-1.0 (1) - print info about a GStreamer plugin or element
gst-launch-1.0 (1) - build and run a GStreamer pipeline
gst-play-1.0 (1) - Simple command line playback testing tool
gst-stats-1.0 (1) - print info gathered from a GStreamer log file
gst-typefind-1.0 (1) - print Media type of file
gtester (1) - test running utility
gtester-report (1) - test report formatting utility
gtf (1) - calculate VESA GTF mode lines
gtk-builder-tool (1) - GtkBuilder file utility
gtk-encode-symbolic-svg (1) - Symbolic icon conversion utility
gtk-launch (1) - Launch an application
gtk-query-immodules-3.0 (1) - Input method module registration utility
gtk-query-settings (1) - Utility to print name and value of all GtkSettings properties
gtk-update-icon-cache (1) - Icon theme caching utility
gtk4-broadwayd (1) - The Broadway display server
gtk4-builder-tool (1) - GtkBuilder File Utility