-
Notifications
You must be signed in to change notification settings - Fork 2
/
g++.txt
executable file
·1606 lines (1606 loc) · 102 KB
/
g++.txt
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
/usr/sbin/lm-syslog-setup (8) [lm-syslog-setup] - configure laptop mode tools to switch syslog.conf based on power state
EXIGREP (8) [exigrep] - Search Exim's main log
Ekiga (1) [ekiga] - SIP and H.323 Voice over IP and Videoconferencing for UN*X
GDM (1) [gdm] - The GNOME Display Manager
GLines (6) [glines] - GNOME port of the once-popular Colour Lines game
Gnometris (6) [gnometris] - Tetris game for GNOME
GnuPG (7) [gnupg] - The GNU Privacy Guard suite of programs
HEAD (1p) - Simple command line user agent
Iagno (6) [iagno] - A disk flipping game derived from Reversi.
METACITY-MESSAGE (1) [metacity-message] - a command to send a message to Metacity
Mahjongg (6) [mahjongg] - A matching game played with Mahjongg tiles
PAM (7) - Pluggable Authentication Modules for Linux
Pidgin (3pm) - Perl extension for the Pidgin instant messenger.
Same-GNOME (6) [same-gnome] - A puzzle game for GNOME
Wget (1) [wget] - The non-interactive network downloader.
aa-autodep (8) - guess basic AppArmor profile requirements
aa-genprof (8) - profile generation utility for AppArmor
aa-logprof (8) - utility program for managing AppArmor security profiles
aa_change_hat (2) - change to or from a "hat" within a AppArmor profile
access.conf (5) - the login access control table file
acct (5) - process accounting file
aconnect (1) - ALSA sequencer connection manager
acpid (8) - Advanced Configuration and Power Interface event daemon
add-shell (8) - add shells to the list of valid login shells
addgroup (8) - add a user or group to the system
adduser (8) - add a user or group to the system
adduser.conf (5) - configuration file for adduser(8) and addgroup(8) .
agetty (8) [getty] - alternative Linux getty
alacarte (1) - edit freedesktop.org menus
alsactl_init (7) - alsa control management - initialization
american-english (5) - a list of English words
anacrontab (5) - configuration file for anacron
antspotlight (6x) - ant spotlight screenhack
apmd (8) - Advanced Power Management (APM) daemon
apmsleep (1) - go into suspend or standby mode and wake-up later
apparmor (7) - kernel enhancement to confine programs to a limited set of resources.
apparmor.vim (5) - vim syntax highlighting file for AppArmor profiles
apport-cli (1) - Command line client for reporting problems
apport-collect (1) - Add apport hooks information to existing Launchpad bug reports
apropos (1) - search the manual page names and descriptions
apt (8) - Advanced Package Tool
apt-cache (8) - APT package handling utility - cache manipulator
apt-cdrom (8) - APT CDROM management utility
apt-config (8) - APT Configuration Query program
apt-extracttemplates (1) - Utility to extract DebConf config and templates from Debian packages
apt-ftparchive (1) - Utility to generate index files
apt-get (8) - APT package handling utility - command-line interface
apt-key (8) - APT key management utility
apt-mark (8) - mark/unmark a package as being automatically-installed
apt-sortpkgs (1) - Utility to sort package index files
apt.conf (5) - Configuration file for APT
aptitude (8) - high-level interface to the package manager
apturl (8) - graphical apt-protocol interpreting package installer
arping (8) - send ARP REQUEST to a neighbour host
as (1) - the portable GNU assembler.
asn1parse (1ssl) - ASN.1 parsing tool
asoundconf (1) - utility to read and change the user's ALSA library configuration
aspell-autobuildhash (8) - Autobuilding aspell hash files for some dicts
aspell-import (1) - import old personal dictionaries into GNU Aspell
atunnel (6x) - hypnotic GL tunnel journey
autodep (8) - guess basic AppArmor profile requirements
avahi-autoipd (8) - IPv4LL network address configuration 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-daemon.conf (5) - avahi-daemon configuration file
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
awk (1) - pattern scanning and text processing language
backup-conduit-control-applet (1) - GNOME applet to manipulate a Palm PDA
banner (6) - print large banner on printer
baobab (1) - A graphical tool to analyse disk usage
bash (1) - GNU Bourne-Again SHell
bashbug (1) - report a bug in bash
bc (1) - An arbitrary precision calculator language
bdftruncate (1) - generate truncated BDF font from ISO 10646-1-encoded BDF font
bf_compact (1) - shell script to compact a bogofilter directory
bf_copy (1) - shell script to copy a bogofilter working directory
bf_tar (1) - shell script to write a tar file of a bogofilter directory to stdout
bind_textdomain_codeset (3) - set encoding of message translations
bindtextdomain (3) - set directory containing message catalogs
biof (1) - rotating stack of quads.
blackjack (6) - A multiple deck, casino rules blackjack game.
bluetooth-analyzer (1) - GTK application for viewing Bluetooth protocol traces
bluetooth-applet (1) - GNOME applet for prompting the user for a Bluetooth passkey (PIN)
bluetooth-browse (1) - GTK application for browsing directories over Bluetooth
bluetooth-properties (1) - GTK dialog for managing properties of the Linux Bluetooth stack
bluetooth-sendto (1) - GTK application for transfering files over Bluetooth
bluetooth-wizard (1) - GTK wizard for setting up devices with the Linux Bluetooth stack
bogofilter (1) - fast Bayesian spam filter
bogolexer (1) - Utility program for separating email messages into tokens
bogotune (1) - find optimum parameter settings for bogofilter
bogoupgrade (1) - upgrades bogofilter database to current version
bogoutil (1) - Dumps, loads, and maintains bogofilter database files
bonobo-activation-server (1) - GNOME component tracker
boot (7) - General description of boot sequence
brasero (1) - Simple and easy to use CD/DVD burning application for the Gnome Desktop
british-english (5) - a list of English words
bsd-write (1) - send a message to another user
bubble3d (6x) - 3d rising bubbles.
bunzip2 (1) - a block-sorting file compressor, v1.0.4
bzegrep (1) - search possibly bzip2 compressed files for a regular expression
bzfgrep (1) - search possibly bzip2 compressed files for a regular expression
bzgrep (1) - search possibly bzip2 compressed files for a regular expression
bzip2 (1) - a block-sorting file compressor, v1.0.4
bzip2recover (1) - recovers data from damaged bzip2 files
bzless (1) - file perusal filter for crt viewing of bzip2 compressed text
bzmore (1) - file perusal filter for crt viewing of bzip2 compressed text
c++ (1) - GNU project C and C++ compiler
c++filt (1) - Demangle C++ and Java symbols.
c2ph (1) - Dump C structures as generated from *(C`cc - g - S*(C' stabs
c89-gcc (1) - ANSI (1989) C compiler
c99-gcc (1) - ANSI (1999) C compiler
CA.pl (1ssl) - friendlier interface for OpenSSL certificate programs
catchsegv (1) - Catch segmentation faults in programs
catman (8) - create or update the pre-formatted manual pages
cc (1) - GNU project C and C++ compiler
cdparanoia (1) - an audio CD reading utility which includes extra data verification features
cdplayer_applet (1) - CD Player Applet for the GNOME panel.
cfdisk (8) - Curses/slang based disk partition table manipulator for Linux
chacl (1) - change the access control list of a file or directory
chage (1) - change user password expiry information
charmap (5) - character symbols to define character encodings
charpick_applet (1) - Character Picker Applet for the GNOME panel.
charsets (7) - programmer's view of character sets and internationalization
chattr (1) - change file attributes on a Linux second extended file system
chcon (1) - change file security context
check_driver (1) - Linux 2.6(.16+) userspace device rebinding helper.
checkbox (1) - Application for system testing
chfn (1) - change real user name and information
chgpasswd (8) - update group passwords in batch mode
chgrp (1) - change group ownership
chips (4) - Chips and Technologies video driver
chmod (1) - change file mode bits
chown (1) - change file owner and group
chsh (1) - change login shell
chvt (1) - change foreground virtual terminal
cirrus (4) - Cirrus Logic video driver
Class::Accessor (3pm) - Automated accessor generation
classes.conf (5) - class configuration file for cups
cleanup-info (8) - clean up the mess that bogus install-info may have done
cli (1) - Mono's ECMA-CLI native code generator (Just-in-Time and Ahead-of-Time)
cli-gacutil (1) - Global Assembly Cache management utility.
cli-wrapper (1) - No manpage for this program.
client.conf (5) - client configuration file for cups
codepage (1) - extract a codepage from an MSDOS codepage file
colcrt (1) - filter nroff output for CRT previewing
colorfire (1) - Color-fire-explosion-thing-effect.
compiz (1) - OpenGL window and compositing manager
compiz.real (1) - OpenGL window and compositing manager
compose (1) - execute programs via entries in the mailcap file
computer-janitor-gtk (8) - remove cruft from system (GUI version)
config (5ssl) - OpenSSL CONF library configuration files
config_data (1) - Query or change configuration of Perl modules
cpgr (8) - copy with locking the given file to the password or group file
cppw (8) - copy with locking the given file to the password or group file
crda (8) - send to the kernel a wireless regulatory domain for a given ISO / IEC 3166 alpha2
crontab (5) - tables for driving cron
cups-genppd (8) [cups-genppd.5.2] - generate Gutenprint PPD files for use with CUPS
cups-genppd.5.2 (8) - generate Gutenprint PPD files for use with CUPS
cups-genppdupdate (8) - update CUPS+Gutenprint PPD files
cups-polld (8) - cups printer polling daemon
cups-snmp.conf (5) - snmp configuration file for cups
cupsctl (8) - configure cupsd.conf options
cupsd (8) - common unix printing system daemon
cupsd.conf (5) - server configuration file for cups
cupsfilter (8) - convert a file to another format using cups filters
cupsprofile (1) - cups simple profiling tool
Date::Format (3pm) - Date formating subroutines
Date::Parse (3pm) - Parse date strings into time values
dbconfig-generate-include (1) - generate custom format db include files
dbconfig-load-include (1) - parse custom format db config files
DBD::File (3pm) - Base class for writing DBI drivers
DBD::Gofer (3pm) - A stateless-proxy driver for communicating with a remote DBI
DBD::Gofer::Policy::Base (3pm) - Base class for DBD::Gofer policies
DBD::Gofer::Policy::classic (3pm) - The 'classic' policy for DBD::Gofer
DBD::Gofer::Policy::pedantic (3pm) - The 'pedantic' policy for DBD::Gofer
DBD::Gofer::Policy::rush (3pm) - The 'rush' policy for DBD::Gofer
DBD::Gofer::Transport::Base (3pm) - base class for DBD::Gofer client transports
DBD::Gofer::Transport::null (3pm) - DBD::Gofer client transport for testing
DBD::Gofer::Transport::pipeone (3pm) - DBD::Gofer client transport for testing
DBD::Gofer::Transport::stream (3pm) - DBD::Gofer transport for stdio streaming
DBD::Sponge (3pm) - Create a DBI statement handle from Perl data
DBI::Const::GetInfo::ANSI (3pm) - ISO/IEC SQL/CLI Constants for GetInfo
DBI::Const::GetInfo::ODBC (3pm) - ODBC Constants for GetInfo
DBI::Const::GetInfoReturn (3pm) - Data and functions for describing GetInfo results
DBI::Const::GetInfoType (3pm) - Data describing GetInfo type codes
DBI::DBD (3pm) - Perl DBI Database Driver Writer's Guide
DBI::DBD::Metadata (3pm) - Generate the code and data for some DBI metadata methods
DBI::Gofer::Execute (3pm) - Executes Gofer requests and returns Gofer responses
DBI::Gofer::Request (3pm) - Encapsulate a request from DBD::Gofer to DBI::Gofer::Execute
DBI::Gofer::Response (3pm) - Encapsulate a response from DBI::Gofer::Execute to DBD::Gofer
DBI::Gofer::Serializer::Base (3pm) - base class for Gofer serialization
DBI::Gofer::Serializer::DataDumper (3pm) - Gofer serialization using DataDumper
DBI::Gofer::Serializer::Storable (3pm) - Gofer serialization using Storable
DBI::Gofer::Transport::Base (3pm) - Base class for Gofer transports
DBI::Gofer::Transport::pipeone (3pm) - DBD::Gofer server-side transport for pipeone
DBI::Gofer::Transport::stream (3pm) - DBD::Gofer server-side transport for stream
DBI::Profile (3pm) - Performance profiling and benchmarking for the DBI
DBI::ProfileDumper (3pm) - profile DBI usage and output data to a file
DBI::ProfileDumper::Apache (3pm) - capture DBI profiling data from Apache/mod_perl
DBI::PurePerl (3pm) - - a DBI emulation using pure perl (no C/XS compilation required)
DBI::SQL::Nano (3pm) - a very tiny SQL engine
dbilogstrip (1p) - filter to normalize DBI trace logs for diff'ing
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-send (1) - Send a message to a message bus
dbus-uuidgen (1) - Utility to generate UUIDs
dcfujigreen (1) - Alternative processing for Fuji RAW images
dcfujiturn (1) - Alternative rotation for dcraw processed images
dcfujiturn16 (1) - Alternative rotation for dcraw processed images
dcgettext (3) - translate message
dcngettext (3) - translate message and choose plural form
dcparse (1) - Extract embeded thumbnail image and print CIFF/TIFF data to screen
dcraw (1) - command-line decoder for raw digital photos
ddate (1) - converts Gregorian dates to Discordian dates
debconf (1) - run a debconf-using program
debconf-apt-progress (1) - install packages using debconf to display a progress bar
debconf-escape (1) - helper when working with debconf's escape capability
debugfs (8) - ext2/ext3 file system debugger
debugreiserfs (8) - The debugging tool for the ReiserFS filesystem.
deco (6x) - draw tacky 70s basement wall panelling
defoma (1) - Debian Font Manager, a framework for automatic font configuration.
defoma-app (1) - configure a specific application about fonts registered in Debian Font Manager.
defoma-font (1) - register/unregister font(s) to Debian Font Manager
defoma-hints (1) - generate font hints.
defoma-id (1) - Manage id-cache of Debian Font Manager
defoma-psfont-installer (1) - register fonts installed in a PostScript printer.
defoma-reconfigure (8) - Reconfigure all from zero.
defoma-user (1) - Debian Font Manager for users
Defoma::Common (3pm) - Defoma module providing miscellaneous functions.
delgroup (8) - remove a user or group from the system
deluser (8) - remove a user or group from the system
deluser.conf (5) - configuration file for deluser(8) and delgroup(8) .
depmod (8) - program to generate modules.dep and map files.
depmod.conf (5) - Configuration file/directory for depmod
des_modes (7ssl) - the variants of DES and other crypto algorithms of OpenSSL
devdump (1) - Utility programs for dumping and verifying iso9660 images.
dexconf (1) - generate Xorg X server configuration file from debconf data
df (1) - report file system disk space usage
dfutool (1) - Device Firmware Upgrade utility
dgettext (3) - translate message
dgst (1ssl) - message digests
dh_bash-completion (1) - install bash completions for package
dh_installxmlcatalogs (1) - install and register XML catalog files
dhclient (8) - Dynamic Host Configuration Protocol Client
dhclient-script (8) - DHCP client network configuration script
dhclient.conf (5) - DHCP client configuration file
dhclient3 (8) - Dynamic Host Configuration Protocol Client
dhcp-options (5) - Dynamic Host Configuration Protocol options
dhparam (1ssl) - DH parameter manipulation and generation
diagnostics (1) [splain] - produce verbose warning diagnostics
dig (1) - DNS lookup utility
dir_colors (5) - configuration file for dircolors(1)
distort (6x) - distort the content of the screen in interesting ways
dmesg (1) - print or control the kernel ring buffer
dmsetup (8) - low level logical volume management
dngettext (3) - translate message and choose plural form
dnsmasq (8) - A lightweight DHCP and caching DNS server.
dosfslabel (8) - set or get a MS-DOS filesystem label
dotlockfile (1) - Utility to manage lockfiles
dpkg (1) - package manager for Debian
dpkg-deb (1) - Debian package archive (.deb) manipulation tool
dpkg-divert (8) - override a package's version of a file
dpkg-preconfigure (8) - let packages ask questions prior to their installation
dpkg-query (1) - a tool to query the dpkg database
dpkg-reconfigure (8) - reconfigure an already installed package
dpkg-split (1) - Debian package archive split/join tool
dpkg-statoverride (8) - override ownership and mode of files
dpkg-trigger (1) - a package trigger utility
dpkg.cfg (5) - dpkg configuration file
drivemount_applet (1) - Drive Mount Applet for the GNOME panel.
dsa (1ssl) - DSA key processing
dsaparam (1ssl) - DSA parameter manipulation and generation
du (1) - estimate file space usage
dvd+rw-booktype (1) - format DVD+-RW/-RAM disk with a logical format
dvipdf (1) - Convert TeX DVI file to PDF using ghostscript and dvips
dwell-click-applet (1) - Useful to select click type when using dwell click
e2fsck.conf (5) - Configuration file for e2fsck
e2image (8) - Save critical ext2/ext3 filesystem metadata to a file
e2label (8) - Change the label on an ext2/ext3 filesystem
e2undo (8) - Replay an undo log for an ext2/ext3/ext4 filesystem
ec (1ssl) - EC key processing
ecparam (1ssl) - EC parameter manipulation and generation
edit (1) - execute programs via entries in the mailcap file
egrep (1) - print lines matching a pattern
ekiga (1) - SIP and H.323 Voice over IP and Videoconferencing for UN*X
ekiga-config-tool (1) - Ekiga GConf Setup Configuration Assistant.
elf (5) - format of Executable and Linking Format (ELF) files
email-conduit-control-applet (1) - GNOME applet to manipulate a Palm PDA
enc2xs (1) - - Perl Encode Module Generator
endgame (6x) - endgame chess screensaver
engine (6x) - draws a 3D four-stroke engine.
env (1) - run a program in a modified environment
envsubst (1) - substitutes environment variables in shell format strings
eog (1) - a GNOME image viewer
eps2eps (1) - Ghostscript PostScript "distiller"
esc-m (1) - ease viewing output of driver data
esdctl (1) - The Enlightened Sound Daemon
esdfilt (1) - The Enlightened Sound Daemon
esdloop (1) - The Enlightened Sound Daemon
esdmon (1) - The Enlightened Sound Daemon
espeak (1) - A multi-lingual software speech synthesizer.
etc-aliases (5) - Files in use by the Debian exim4 packages
etc-email-addresses (5) - Files in use by the Debian exim4 packages
ethtool (8) - Display or change ethernet card settings
euphoria (1) - floating wisps.
evdev (4) - Generic Linux input driver
eventlogadm (8) - push records into the Samba event log store
evince (1) - GNOME document viewer
evince-thumbnailer (1) - create png thumbnails from PostScript and PDF documents
evolution (1) - groupware suite for GNOME containing e-mail, calendar, addressbook, to-do list and memo tools
ex (1) - Vi IMproved, a programmers text editor
exa (4) - new 2D acceleration architecture for X.Org
exchange-connector-setup-2.26 (1) - configure evolution to access an exchange server
exicyclog (8) - Cycle exim's logfiles
exigrep (8) - Search Exim's main log
exim (8) - a Mail Transfer Agent
exim4 (8) - a Mail Transfer Agent
exim4-config_files (5) - Files in use by the Debian exim4 packages
exim4_exim_crt (5) - Files in use by the Debian exim4 packages
exim4_exim_key (5) - Files in use by the Debian exim4 packages
exim4_hubbed_hosts (5) - Files in use by the Debian exim4 packages
exim4_local_domain_dnsbl_whitelist (5) - Files in use by the Debian exim4 packages
exim4_local_host_blacklist (5) - Files in use by the Debian exim4 packages
exim4_local_host_whitelist (5) - Files in use by the Debian exim4 packages
exim4_local_rcpt_callout (5) - Files in use by the Debian exim4 packages
exim4_local_sender_blacklist (5) - Files in use by the Debian exim4 packages
exim4_local_sender_callout (5) - Files in use by the Debian exim4 packages
exim4_local_sender_whitelist (5) - Files in use by the Debian exim4 packages
exim4_passwd (5) - Files in use by the Debian exim4 packages
exim4_passwd_client (5) - Files in use by the Debian exim4 packages
exim_checkaccess (8) - Check address acceptance from given IP
exim_convert4r4 (8) - Convert Exim configuration from v3 to v4 format
exim_db (8) - Manage Exim's hint databases (exim_dumpdb, exim_fixdb, exim_tidydb)
exim_dumpdb (8) - Manage Exim's hint databases (exim_dumpdb, exim_fixdb, exim_tidydb)
exim_fixdb (8) - Manage Exim's hint databases (exim_dumpdb, exim_fixdb, exim_tidydb)
exim_tidydb (8) - Manage Exim's hint databases (exim_dumpdb, exim_fixdb, exim_tidydb)
eximstats (8) - generates statistics from Exim mainlog or syslog files.
exinext (8) - Finding individual retry times
exipick (8) - selectively display messages from an Exim queue
exiqgrep (8) - Search in the exim queue
exiqsumm (8) - Summarising the queue
exiwhat (8) - Finding out what Exim processes are doing
expense-conduit-control-applet (1) - GNOME applet to manipulate a Palm PDA
f-spot (1) - A program to manage a photo collection
faillog (5) - login failure logging file
faillog (8) - display faillog records or set login failure limits
false (1) - do nothing, unsuccessfully
fgconsole (1) - print the number of the active VT.
fgrep (1) - print lines matching a pattern
fieldlines (1) - simulation of the electric field lines between charged particles.
file-conduit-control-applet (1) - GNOME applet to manipulate a Palm PDA
file-roller (1) - archive manager for GNOME
File::GlobMapper (3pm) - Extend File Glob to Allow Input and Output Files
File::Listing (3pm) - parse directory listing
filefrag (8) - report on file fragmentation
finger (1) - user information lookup program
flipflop (6x) - draws a grid of 3D squares that change positions
flipscreen3d (6x) - rotates an image of the screen through 3 dimensions.
flock (1) - Manage locks from shell scripts
flocks (1) - floating wisps.
flyingtoasters (6x) - 3d space-age jet-powered flying toasters (and toast)
fonts-conf (5) - Font configuration files
foo2hiperc (1) - Convert Ghostscript pbmraw or bitcmyk format into a HIPERC printer stream
foo2hp (1) - Convert Ghostscript pbmraw or bitcmyk format into a ZJS printer stream
foo2lava (1) - Convert Ghostscript pbmraw or bitcmyk format into a LAVAFLOW or a OPL printer stream
foo2oak (1) - Convert Ghostscript pbmraw, pgmraw or bitcmyk format into an OAKT printer stream
foo2qpdl (1) - Convert Ghostscript pbmraw or bitcmyk format into a QPDL printer stream
foo2slx (1) - Convert Ghostscript pbmraw or bitcmyk format into a SLX printer stream
foo2xqx (1) - Convert Ghostscript pbmraw into a XQX printer stream
foo2zjs (1) - Convert Ghostscript pbmraw or bitcmyk format into a ZJS printer stream
foomatic-configure (1) - the main configuration program of the foomatic printing system.
foomatic-datafile (1) - Generate a PPD file for a given printer/driver combo
foomatic-getpjloptions (8) - <put a short description here>
foomatic-perl-data (1) - generate Perl data structures from XML
foomatic-ppdfile (1) - Generate a PPD file for a given printer/driver combo
foomatic-printjob (1) - manage printer jobs in a spooler-independent fashion
FreezeThaw (3pm) - converting Perl structures to strings and back.
fribidi (1) - a command line interface for the fribidi library, converts a logical string to visual
fsck.reiserfs (8) - The checking tool for the ReiserFS filesystem.
fsf-funding (7gcc) - Funding Free Software
fstobdf (1) - generate BDF font from X font server
ftp (1) - Internet file transfer program
funzip (1) - filter for extracting from a ZIP archive in a pipe
fuser (1) - identify processes using files or sockets
futex (4) - Fast Userspace Locking
futex (7) - Fast Userspace Locking
fuzzyflakes (6x) - falling snowflakes/flower shapes
g++ (1) - GNU project C and C++ compiler
g++-4.3 (1) - GNU project C and C++ compiler
gacutil (1) - Global Assembly Cache management utility.
gacutil2 (1) - Global Assembly Cache management utility.
gai.conf (5) - getaddrinfo(3) configuration file
galaxy (6x) - draws spinning galaxies
gamma4scanimage (1) - create a gamma table for scanimage
gcalctool (1) - a desktop calculator
gcc (1) - GNU project C and C++ compiler
gcc-4.3 (1) - GNU project C and C++ compiler
gconf-editor (1) - an editor for the GConf configuration system
gconf-schemas (8) - register gconf schemas with the gconf database
gconftool (1) - GNOME configuration tool
gconftool-2 (1) - GNOME configuration tool
gcore (1) - Generate a core file for a running process
gcov (1) - coverage testing tool
gcov-4.3 (1) - coverage testing tool
gdb (1) - The GNU Debugger
gdbserver (1) - Remote Server for the GNU Debugger
gdbtui (1) - The GNU Debugger
gdebi (1) - Simple tool to install deb files
gdebi-gtk (1) - Simple tool to install deb files
gdk-pixbuf-query-loaders (1) - GdkPixbuf loader registration utility
gdm (1) - The GNOME Display Manager
gdm (8) - GNOME Display Manager
gdmchooser (8) - GNOME Display Manager host chooser window
gdmflexiserver (1) - start a GDM session using the GDM flexible server mechanism, or in Xnest
gdmlogin (8) - GNOME Display Manager greeting window
gears (6x) - draw interlocking gears, for xscreensaver.
gedit (1) - text editor for the GNOME Desktop
gencat (1) - Generate message catalog
gendsa (1ssl) - generate a DSA private key from a set of parameters
genisoimage (1) - create ISO9660/Joliet/HFS filesystem with optional Rock Ridge attributes
genisoimagerc (5) - startup configuration file for genisoimage
genprof (8) - profile generation utility for AppArmor
genrsa (1ssl) - generate an RSA private key
geqn (1) - format equations for troff
GET (1p) - Simple command line user agent
getconf (1) - Query system configuration variables
geteltorito (1) - an El Torito boot image extractor
getent (1) - get entries from administrative database
getfacl (1) - get file access control lists
gethostip (1) - convert an IP address into various formats
getkeycodes (8) - print kernel scancode-to-keycode mapping table
getopt (1) - parse command options (enhanced)
gettext (1) - translate message
gettext (3) - translate message
getty (8) - alternative Linux getty
geyes_applet (1) - gEyes Applet for the GNOME panel.
gfdl (7gcc) - GNU Free Documentation License
gfloppy (1) - a simple floppy formatter for the GNOME
gflux (6x) - rippling surface graphics hack
ggz-config (6) - GGZ Gaming Zone configuration manager
ggz-wrapper (6) - GGZ Gaming Zone command line core client
ggz.modules (5) - GGZ Gaming Zone module configuration file
ghostscript (1) - Ghostscript (PostScript and PDF language interpreter and previewer)
gimp (1) - an image manipulation and paint program.
gimp-2.6 (1) - an image manipulation and paint program.
gimp-console (1) - an image manipulation and paint program.
gimp-console-2.6 (1) - an image manipulation and paint program.
gimprc (5) - gimp configuration file
gimprc-2.6 (5) - gimp configuration file
gkb_applet (1) - GNOME Keyboard Applet for the GNOME panel.
gkb_xmmap (1) - Set your keyboard map with the GNOME Keyboard Applet.
gksu (1) - GTK+ frontend for su and sudo
gksudo (1) - GTK+ frontend for su and sudo
glblur (6x) - 3D radial blur texture fields
glcells (6x) - growing cells graphics hack
glchess (6) - A 3D chess application
gleidescope (6x) - a tiled OpenGL kaleidescope
Glib (3pm) - Perl wrappers for the GLib utility and Object libraries
Glib::BookmarkFile (3pm) - Parser for bookmark files
Glib::Boxed (3pm) - Generic wrappers for C structures
Glib::CodeGen (3pm) - code generation utilities for Glib-based bindings.
Glib::devel (3pm) - Binding developer's overview of Glib's internals
Glib::Error (3pm) - Exception Objects based on GError
Glib::Flags (3pm) - Overloaded operators representing GLib flags
Glib::GenPod (3pm) - POD generation utilities for Glib-based modules
Glib::index (3pm) - API Reference Pod Index
Glib::KeyFile (3pm) - Parser for .ini-like files
Glib::Log (3pm) - A flexible logging mechanism
Glib::MainLoop (3pm) - An event source manager
Glib::MakeHelper (3pm) - Makefile.PL utilities for Glib-based extensions
Glib::Markup (3pm) - Wrapper for markup handling functions in GLib
Glib::Object (3pm) - Bindings for GObject
Glib::Object::Subclass (3pm) - register a perl class as a GObject class
Glib::Param::Boolean (3pm) - Wrapper for boolean parameters in GLib
Glib::Param::Double (3pm) - Wrapper for double parameters in GLib
Glib::Param::Enum (3pm) - Wrapper for enum parameters in GLib
Glib::Param::Flags (3pm) - Wrapper for flag parameters in GLib
Glib::Param::Int (3pm) - Paramspecs for integer types
Glib::Param::Int64 (3pm) - Wrapper for int64 parameters in GLib
Glib::Param::String (3pm) - Wrapper for string parameters in GLib
Glib::Param::UInt (3pm) - Wrapper for uint parameters in GLib
Glib::Param::UInt64 (3pm) - Wrapper for uint64 parameters in GLib
Glib::Param::Unichar (3pm) - Wrapper for unichar parameters in GLib
Glib::ParamSpec (3pm) - Wrapper to encapsulate metadate needed to specify parameters
Glib::ParseXSDoc (3pm) - Parse POD and XSub declarations from XS files.
Glib::Signal (3pm) - Object customization and general purpose notification
Glib::Type (3pm) - Utilities for dealing with the GLib Type system
Glib::Utils (3pm) - Miscellaneous utility functions
Glib::version (3pm) - Library Versioning Utilities
Glib::xsapi (3pm) - internal API reference for GPerl.
glines (6) - GNOME port of the once-popular Colour Lines game
glknots (6x) - generates some twisting 3d knot patterns
glmatrix (6x) - simulates the title sequence effect of the movie
glob (7) - Globbing pathnames
glschool (6x) - a 3D schooling simulation
glslideshow (6x) - slideshow of images using smooth zooming and fades
glsnake (6x) - OpenGL enhanced Rubik's Snake cyclewaster.
gltext (6x) - draws text spinning around in 3D
glxdemo (1) - a demonstration of the GLX functions
glxgears (1) - ``gears'' demo for GLX
glxheads (1) - exercise multiple GLX connections
glxinfo (1) - show information about the GLX implementation
gnect (6) - four-in-a-row game for GNOME
gnibbles (6) - A worm game for GNOME
gnobots2 (6) - Based on classic BSD Robots
gnome-about (1) - The Gnome about box.
gnome-app-install (1) - Application Installer gnome-codec-install - Codec Installer
gnome-app-install-helper (8) - Helper for the Application Installer
gnome-calculator (1) - a desktop calculator
gnome-control-center (1) - Desktop properties manager
gnome-desktop-item-edit (1) - tool to edit .desktop file
gnome-dictionary (1) - Look up words on dictionaries
gnome-eject (1) - Mount drives and volumes using HAL and read settings from the GNOME desktop configuration system gconf.
gnome-help (1) - browse system documentation
gnome-keyboard-layout (1) - Keyboard layout selector for the GNOME desktop.
gnome-keyboard-properties (1) - manage keyboard behaviour in GNOME
gnome-keyring-daemon (1) - keep password and other secrets for users
gnome-mount (1) - Mount drives and volumes using HAL and read settings from the GNOME desktop configuration system gconf.
gnome-open (1) - Open files and URLs using the GNOME file handlers
gnome-options (7) - Standard Command Line Options for GNOME 2 Programs
gnome-panel (1) - display the GNOME panel
gnome-pilot (1) - GNOME applet to manipulate a Palm PDA
gnome-pilot-applet (1) - GNOME applet to manipulate a Palm PDA
gnome-pilot-config (1) - GNOME applet to manipulate a Palm PDA
gnome-pilot-make-password (1) - GNOME applet to manipulate a Palm PDA
gnome-power-manager (1) - gnome power manager userspace daemon
gnome-power-preferences (1) - gnome power preferences gui
gnome-power-statistics (1) - gnome power statistics gui
gnome-screensaver (1) - (unknown subject)
gnome-screensaver-command (1) - controls GNOME screensaver
gnome-screensaver-preferences (1) - (unknown subject)
gnome-screenshot (1) - capture screen or window and save the image to a file.
gnome-search-tool (1) - the GNOME Search Tool
gnome-session (1) - Starts up the GNOME desktop environment
gnome-session-properties (1) - Configure what applications to start on login
gnome-session-remove (1) - Remove or list applications in the current GNOME session
gnome-session-save (1) - Saves or ends the current GNOME session
gnome-sound-recorder (1) - simple sound recorder
gnome-ssh-askpass (1) - prompts a user for a passphrase using GNOME
gnome-sudoku (6) - puzzle game for the popular Japanese sudoku logic puzzle
gnome-system-log (1) - the GNOME System Log Viewer
gnome-system-monitor (1) - view and control processes
gnome-terminal (1) - is a terminal emulation application.
gnome-terminal.wrapper (1) - is a terminal emulation application.
gnome-text-editor (1) - text editor for the GNOME Desktop
gnome-umount (1) - Mount drives and volumes using HAL and read settings from the GNOME desktop configuration system gconf.
gnome-volume-control (1) - Sound volume controller
gnome-wm (1) - Launches the user selected window manager for the GNOME session
Gnome2 (3pm) - Perl interface to the 2.x series of the GNOME libraries
Gnome2::About (3pm) - (unknown subject)
Gnome2::App (3pm) - (unknown subject)
Gnome2::AppBar (3pm) - (unknown subject)
Gnome2::AppHelper (3pm) - (unknown subject)
Gnome2::AuthenticationManager (3pm) - (unknown subject)
Gnome2::Bonobo (3pm) - (unknown subject)
Gnome2::Bonobo::Dock (3pm) - (unknown subject)
Gnome2::Bonobo::DockItem (3pm) - (unknown subject)
Gnome2::Canvas (3pm) - A structured graphics canvas
Gnome2::Canvas::Bpath (3pm) - (unknown subject)
Gnome2::Canvas::Ellipse (3pm) - Ellipses as CanvasItems
Gnome2::Canvas::Group (3pm) - A group of Gnome2::CanvasItems
Gnome2::Canvas::index (3pm) - API Reference Pod Index
Gnome2::Canvas::Item (3pm) - (unknown subject)
Gnome2::Canvas::Line (3pm) - Lines as CanvasItems
Gnome2::Canvas::PathDef (3pm) - (unknown subject)
Gnome2::Canvas::Pixbuf (3pm) - Pixbufs as CanvasItems
Gnome2::Canvas::RE (3pm) - base class for rectangles and ellipses
Gnome2::Canvas::Rect (3pm) - Rectangles as CanvasItems
Gnome2::Canvas::RichText (3pm) - (unknown subject)
Gnome2::Canvas::Shape (3pm) - (unknown subject)
Gnome2::Canvas::Text (3pm) - Text as CanvasItems
Gnome2::Canvas::version (3pm) - (unknown subject)
Gnome2::Canvas::Widget (3pm) - Gtk2::Widgets as CanvasItems
Gnome2::Client (3pm) - (unknown subject)
Gnome2::ColorPicker (3pm) - (unknown subject)
Gnome2::Config (3pm) - (unknown subject)
Gnome2::Config::Iterator (3pm) - (unknown subject)
Gnome2::DateEdit (3pm) - (unknown subject)
Gnome2::Druid (3pm) - (unknown subject)
Gnome2::DruidPage (3pm) - (unknown subject)
Gnome2::DruidPageEdge (3pm) - (unknown subject)
Gnome2::DruidPageStandard (3pm) - (unknown subject)
Gnome2::Entry (3pm) - (unknown subject)
Gnome2::enums (3pm) - enumeration and flag values for Gnome2
Gnome2::FileEntry (3pm) - (unknown subject)
Gnome2::FontPicker (3pm) - (unknown subject)
Gnome2::Help (3pm) - (unknown subject)
Gnome2::HRef (3pm) - (unknown subject)
Gnome2::I18N (3pm) - (unknown subject)
Gnome2::IconEntry (3pm) - (unknown subject)
Gnome2::IconList (3pm) - (unknown subject)
Gnome2::IconSelection (3pm) - (unknown subject)
Gnome2::IconTextItem (3pm) - (unknown subject)
Gnome2::IconTheme (3pm) - (unknown subject)
Gnome2::index (3pm) - API Reference Pod Index
Gnome2::main (3pm) - (unknown subject)
Gnome2::ModuleInfo (3pm) - (unknown subject)
Gnome2::PasswordDialog (3pm) - (unknown subject)
Gnome2::PixmapEntry (3pm) - (unknown subject)
Gnome2::PopupMenu (3pm) - (unknown subject)
Gnome2::Program (3pm) - (unknown subject)
Gnome2::Score (3pm) - (unknown subject)
Gnome2::Scores (3pm) - (unknown subject)
Gnome2::Sound (3pm) - (unknown subject)
Gnome2::Thumbnail (3pm) - (unknown subject)
Gnome2::ThumbnailFactory (3pm) - (unknown subject)
Gnome2::UIDefs (3pm) - (unknown subject)
Gnome2::URL (3pm) - (unknown subject)
Gnome2::Util (3pm) - (unknown subject)
Gnome2::VFS (3pm) - Perl interface to the 2.x series of the GNOME VFS library
Gnome2::VFS::Address (3pm) - (unknown subject)
Gnome2::VFS::Application (3pm) - (unknown subject)
Gnome2::VFS::ApplicationRegistry (3pm) - (unknown subject)
Gnome2::VFS::Async (3pm) - (unknown subject)
Gnome2::VFS::Async::Handle (3pm) - (unknown subject)
Gnome2::VFS::Directory (3pm) - (unknown subject)
Gnome2::VFS::Directory::Handle (3pm) - (unknown subject)
Gnome2::VFS::DNSSD (3pm) - (unknown subject)
Gnome2::VFS::DNSSD::Browse::Handle (3pm) - (unknown subject)
Gnome2::VFS::DNSSD::Resolve::Handle (3pm) - (unknown subject)
Gnome2::VFS::Drive (3pm) - (unknown subject)
Gnome2::VFS::FileInfo (3pm) - (unknown subject)
Gnome2::VFS::Handle (3pm) - (unknown subject)
Gnome2::VFS::index (3pm) - API Reference Pod Index
Gnome2::VFS::main (3pm) - (unknown subject)
Gnome2::VFS::Mime (3pm) - (unknown subject)
Gnome2::VFS::Mime::Application (3pm) - (unknown subject)
Gnome2::VFS::Mime::Monitor (3pm) - (unknown subject)
Gnome2::VFS::Mime::Type (3pm) - (unknown subject)
Gnome2::VFS::Monitor (3pm) - (unknown subject)
Gnome2::VFS::Monitor::Handle (3pm) - (unknown subject)
Gnome2::VFS::Resolve (3pm) - (unknown subject)
Gnome2::VFS::Resolve::Handle (3pm) - (unknown subject)
Gnome2::VFS::URI (3pm) - (unknown subject)
Gnome2::VFS::Volume (3pm) - (unknown subject)
Gnome2::VFS::VolumeMonitor (3pm) - (unknown subject)
Gnome2::VFS::Xfer (3pm) - (unknown subject)
Gnome2::Window (3pm) - (unknown subject)
Gnome2::WindowIcon (3pm) - (unknown subject)
gnometris (6) - Tetris game for GNOME
gnomine (6) - The popular logic puzzle minesweeper
gnotravex (6) - A simple puzzle game for GNOME
gnotski (6) - Sliding block puzzles game for GNOME
gnupg (7) - The GNU Privacy Guard suite of programs
gparted (8) - Gnome partition editor for manipulating partitions.
gpasswd (1) - administer the /etc/group and /etc/gshadow files
gpg (1) - OpenPGP encryption and signing tool
gpg-convert-from-106 (1) - converts your public keyring and trustdb from GnuPG 1.0.6 to later formats.
gpg-zip (1) - encrypt or sign files into an archive
gpgsplit (1) - Split an OpenPGP message into packets
gpgv (1) - Verify OpenPGP signatures
gpic (1) - compile pictures for troff or TeX
gpilot-applet (1) - GNOME applet to manipulate a Palm PDA
gpilot-install-file (1) - gnome-pilot file conduit scheduler
gpilotd (1) - GNOME applet to manipulate a Palm PDA
gpilotd-client (1) - GNOME applet to manipulate a Palm PDA
gpilotd-control-applet (1) - GNOME applet to manipulate a Palm PDA
gpilotd-session-wrapper (1) - GNOME applet to manipulate a Palm PDA
gpilotdcm-client (1) - GNOME applet to manipulate a Palm PDA
gpl (7gcc) - GNU General Public License
gprof (1) - display call graph profile data
grep (1) - print lines matching a pattern
groff (1) - front-end for the groff document formatting system
grog (1) - guess options for groff command
grops (1) - PostScript driver for groff
grotty (1) - groff driver for typewriter-like devices
group (5) - user group file
group.conf (5) - configuration file for the pam_group module
groupadd (8) - create a new group
groupdel (8) - delete a group
groupmod (8) - modify a group definition on the system
groups (1) - print the groups a user is in
growisofs (1) - combined genisoimage frontend/DVD recording program.
grpck (8) - verify integrity of group files
grpconv (8) - convert to and from shadow passwords and groups
grpunconv (8) - convert to and from shadow passwords and groups
grub (8) - the grub shell
grub-install (8) - install GRUB on your drive
grub-md5-crypt (8) - Encrypt a password in MD5 format
grub-reboot (8) - manual page for grub-reboot 0.01
grub-set-default (1) - Set the default boot entry for GRUB
grub-terminfo (8) - Generate a terminfo command from a terminfo name
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
gshadow (5) - shadowed group file
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
gst-feedback (1) [gst-feedback-0.10] - generate debug info for GStreamer bug reports
gst-feedback-0.10 (1) - generate debug info for GStreamer bug reports
gst-inspect (1) [gst-xmlinspect-0.10] - print info about a GStreamer plugin or element
gst-inspect-0.10 (1) - print info about a GStreamer plugin or element
gst-launch (1) [gst-launch-0.10] - build and run a GStreamer pipeline
gst-launch-0.10 (1) - build and run a GStreamer pipeline
gst-typefind (1) [gst-typefind-0.10] - print MIME type of file
gst-typefind-0.10 (1) - print MIME type of file
gst-visualise (1) [gst-visualise-0.10] - Run a GStreamer pipeline to display an audio visualisation
gst-visualise-0.10 (1) - Run a GStreamer pipeline to display an audio visualisation
gst-xmlinspect-0.10 (1) - print info about a GStreamer plugin or element
gst-xmllaunch (1) [gst-xmllaunch-0.10] - build and run a GStreamer pipeline from an XML serialization
gst-xmllaunch-0.10 (1) - build and run a GStreamer pipeline from an XML serialization
gstreamer-properties (1) - Multimedia systems selector
gtali (6) - A variation on poker with dice and less money.
gtbl (1) - format tables for troff
gtf (1) - calculate VESA GTF mode lines
gtk-options (7) - Standard Command Line Options for GTK+ Programs
gtk-query-immodules-2.0 (1) - Input method module registration utility
gtk-update-icon-cache (1) - Icon theme caching utility
gtk-window-decorator (1) - Compiz window decorator using the Gtk toolkit
gucharmap (1) - (unknown subject)
gunzip (1) - compress or expand files
gvimtutor (1) - the Vim tutor
gweather (1) - Weather Applet for the GNOME panel.
gzexe (1) - compress executable files in place
gzip (1) - compress or expand files
hal-disable-polling (1) - disable polling on drives with removable media
hal-find-by-capability (1) - find device objects by capability matching
hal-find-by-property (1) - find device objects by property matching
hal-get-property (1) - get a property from a device object
hal-is-caller-privileged (1) - determine if a caller is privileged
hciconfig (8) - configure Bluetooth devices
hcitool (1) - configure Bluetooth connections
hdparm (8) - get/set SATA/ATA device parameters
hdparm.conf (5) - Debian configuration file for hdparm
helpztags (1) - generate the help tags file for directory
hesiod.conf (5) - Configuration file for the Hesiod library
hid2hci (8) - Bluetooth HID to HCI mode switching utility
history (3readline) - GNU History Library
host.conf (5) - resolver configuration file
hosts.equiv (5) - list of hosts and users that are granted "trusted"r command access to your system
hosts_options (5) - host access control language extensions
hp-align (1) - Printer Cartridge Alignment Utility
hp-clean (1) - Printer Cartridge Cleaning Utility
hp-colorcal (1) - Printer Cartridge Color Calibration Utility
hp-plugin (1) - Plugin Download and Install Utility
hp-pqdiag (1) - Print Quality Diagnostic Utility
hp-printsettings (1) - Printer Settings Utility
hp-testpage (1) - Testpage Print Utility
hpijs (1) - HP IJS server for the GhostScript IJS client driver
HTML::Entities (3pm) - Encode or decode strings with HTML entities
HTML::Filter (3pm) - Filter HTML text through the parser
HTML::Tagset (3pm) - data tables useful in parsing HTML
HTML::Template (3pm) - Perl module to use HTML Templates from CGI scripts
HTML::Tree::Scanning (3pm) - - article: "Scanning HTML"
HTTP::Config (3pm) - Configuration for request and response objects
HTTP::Headers (3pm) - Class encapsulating HTTP Message headers
HTTP::Headers::Util (3pm) - Header value parsing utility functions
HTTP::Message (3pm) - HTTP style message (base class)
HTTP::Negotiate (3pm) - choose a variant to serve
HTTP::Request (3pm) - HTTP style request message
HTTP::Response (3pm) - HTTP style response message
HTTP::Status (3pm) - HTTP Status code processing
i128 (4) - Number 9 I128 Xorg video driver
i386 (8) - change reported architecture in new program environment and set personality flags
i486-linux-gnu-cpp (1) - The C Preprocessor
i486-linux-gnu-cpp-4.3 (1) - The C Preprocessor
i486-linux-gnu-g++ (1) - GNU project C and C++ compiler
i486-linux-gnu-g++-4.3 (1) - GNU project C and C++ compiler
i486-linux-gnu-gcc (1) - GNU project C and C++ compiler
i486-linux-gnu-gcc-4.3 (1) - GNU project C and C++ compiler
i810 (4) - Intel integrated graphics chipsets
iagno (6) - A disk flipping game derived from Reversi.
iconv (1) - Convert encoding of given files from one encoding to another
iconvconfig (8) - Create fastloading iconv module configuration file
ifconfig (8) - configure a network interface
ifup (8) - bring a network interface up
init (8) - process management daemon
initramfs-tools (8) - an introduction to writing scripts for mkinitramfs
initramfs.conf (5) - configuration file for mkinitramfs
inotify (7) - monitoring file system events
insmod (8) - simple program to insert a module into the Linux Kernel
install-docs (8) - manage online Debian documentation
install-sgmlcatalog (8) - maintain transitional SGML catalog
installkernel (8) - install a new kernel image
intel (4) - Intel integrated graphics chipsets
interfaces (5) - network interface configuration for ifup and ifdown
intro (6) - Introduction to games
intro (8) - Introduction to administration and privileged commands
IO::Compress::Gzip (3pm) - Write RFC 1952 files/buffers
IO::String (3pm) - Emulate file interface for in-core strings
IO::Uncompress::AnyInflate (3pm) - Uncompress zlib-based (zip, gzip) file/buffer
IO::Uncompress::AnyUncompress (3pm) - Uncompress gzip, zip, bzip2 or lzop file/buffer
IO::Uncompress::Gunzip (3pm) - Read RFC 1952 files/buffers
ionice (1) - get/set program io scheduling class and priority
ip (8) - show / manipulate routing, devices, policy routing and tunnels
ipcrm (1) - remove a message queue, semaphore set or shared memory id
iptables (8) - administration tool for IPv4 packet filtering and NAT
isodump (1) - Utility programs for dumping and verifying iso9660 images.
isoinfo (1) - Utility programs for dumping and verifying iso9660 images.
isosize (8) - outputs the length of a iso9660 file system
isovfy (1) - Utility programs for dumping and verifying iso9660 images.
ispell-autobuildhash (8) - Autobuilding the ispell hash file for some dicts
issue (5) - pre-login message and identification file
iwconfig (8) - configure a wireless network interface
iwevent (8) - Display Wireless Events generated by drivers and setting changes
iwgetid (8) - Report ESSID, NWID or AP/Cell Address of wireless network
iwlist (8) - Get more detailed wireless information from a wireless interface
iwpriv (8) - configure optionals (private) parameters of a wireless network interface
iwspy (8) - Get wireless statistics from specific nodes
jigglypuff (6x) - save your screen by tormenting your eyes.
kill (1) - send a signal to a process
killall5 (8) - send a signal to all processes.
klogd (8) - Kernel Log Daemon
l2ping (1) - Send L2CAP echo request and receive answer
laptop-mode.conf (8) - Configuration file for laptop-mode-tools.
laptop_mode (8) - apply laptop mode settings
last (1) - show listing of last logged in users
lastb (1) - show listing of last logged in users
lastlog (8) - reports the most recent login of all users or of a given user
lattice (1) - linked rings.
lavalite (6x) - 3D OpenGL simulation of a Lavalite.
lcf (1) - Determine which of the historical versions of a config is installed
ld (1) - The GNU linker
ldap.conf (5) - LDAP configuration file/environment variables
ldconfig (8) - configure dynamic linker run-time bindings
LDP (7) - Intro to the Linux Documentation Project, with help, guides and documents
lesskey (1) - specify key bindings for less
lexgrog (1) - parse header information in man pages
lftp (1) - Sophisticated file transfer program
lftpget (1) - get a file with lftp(1)
libgraphviz4-config-update (1) - maintain libgraphviz's configuration file
libnetcfg (1) - configure libnet
libnetlink (3) - A library for accessing the netlink service
libsmbclient (7) - An extension library for browsers and that can be used as a generic browsing API.
limits.conf (5) - configuration file for the pam_limits module
linux32 (1) - change reported architecture in new program environment and set personality flags
linux64 (1) - change reported architecture in new program environment and set personality flags
listres (1) - list resources in widgets
lm-profiler.conf (8) - Configuration file for lm-profiler, a profiler for laptop-mode-tools.
lm-syslog-setup (8) - configure laptop mode tools to switch syslog.conf based on power state
loadunimap (8) - load the kernel unicode-to-font mapping table
locale (1) - Get locale-specific information.
locale (7) - Description of multi-language support
locale-gen (8) - compile a list of locale definition files
Locale::gettext (3pm) - message handling functions
lockfile-create (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
lockfile-progs (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
lockfile-remove (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
lockfile-touch (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
lockward (6x) - Rotating spinning color-cycling things
logd (8) - job output logging daemon
logger (1) - a shell command interface to the syslog(3) system log module
login (1) - begin session on the system
login.defs (5) - shadow password suite configuration
logname (1) - print user's login name
logprof (8) - utility program for managing AppArmor security profiles
logprof.conf (5) - configuration file for expert options that modify the behavior of the AppArmor logprof(1) program.
logrotate (8) - rotates, compresses, and mails system logs
logsave (8) - save the output of a command in a logfile
look (1) - display lines beginning with a given string
lpadmin (8) - configure cups printers and classes
lpc (8) - line printer control program
lppasswd (1) - add, change, or delete digest passwords.
lsmod (8) - program to show the status of modules in the Linux Kernel
lspcmcia (8) - display extended PCMCIA debugging information
lspgpot (1) - extracts the ownertrust values from PGP keyrings and list them in GnuPG ownertrust format.
lss16toppm (1) - Convert an LSS-16 image to PPM
lwp-download (1p) - Fetch large files from the web
lwp-request (1p) - Simple command line user agent
lwp-rget (1p) - Retrieve web documents recursively
LWP::Authen::Ntlm (3pm) - Library for enabling NTLM authentication (Microsoft) in LWP
LWP::ConnCache (3pm) - Connection cache manager
LWP::Debug (3pm) - debug routines for the libwww-perl library
LWP::DebugFile (3pm) - routines for tracing/debugging LWP
LWP::MediaTypes (3pm) - guess media type for a file or a URL
LWP::UserAgent (3pm) - Web user agent class
lz (1) - gunzips and shows a listing of a gzip'd tar'd archive
magic (5) - file command's magic pattern file
magnifier (1) - GNOME Magnifier (gnome-mag)
mahjongg (6) - A matching game played with Mahjongg tiles
mail-lock (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
mail-touchlock (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
mail-unlock (1) - command-line programs to safely lock and unlock files and mailboxes (via liblockfile).
Mail::Field::Generic (3pm) - implementation for inspecific fields
Mail::Filter (3pm) - Filter mail through multiple subroutines
Mail::Internet (3pm) - manipulate email messages
Mail::Mailer (3pm) - Simple interface to electronic mailing mechanisms
mailaddr (7) - mail addressing description
mailcap.order (5) - the mailcap ordering specifications
mailq (8) - a Mail Transfer Agent
mailto.conf (5) - configuration file for cups email notifier
make (1) - GNU make utility to maintain groups of programs
make-memtest86+-boot-floppy (1) - create a memtest86+ boot-floppy using GRUB.
mal-conduit-control-applet (1) - GNOME applet to manipulate a Palm PDA
man (7) - macros to format man pages
man-pages (7) - conventions for writing Linux man pages
manconv (1) - convert manual page from one encoding to another
mandb (8) - create or update the manual page index caches
manpath (1) - determine search path for manual pages
manpath (5) - format of the /etc/manpath.config file
mapscrn (8) - load screen output mapping table
math_error (7) - detecting errors from mathematical functions
matrixview (1) - seeing images in the matrix.
mattrib (1) - change MSDOS file attribute flags
mawk (1) - pattern scanning and text processing language
mcat (1) - dump raw disk image
mcd (1) - change MSDOS directory
mcomp (1) - Compares two files using mtools
mcookie (1) - generate magic cookies for xauth
md2 (1ssl) - message digests
md4 (1ssl) - message digests
md5 (1ssl) - message digests
md5sum (1) - compute and check MD5 message digest
md5sum.textutils (1) - compute and check MD5 message digest
mdc2 (1ssl) - message digests
mdoc (7) - quick reference guide for the -mdoc macro package
memo_file_capplet (1) - GNOME applet to manipulate a Palm PDA
mesg (1) - control write access to your terminal
metacity (1) - minimal GTK2 Window Manager
metacity-message (1) - a command to send a message to Metacity
mga (4) - Matrox video driver
mib2c.conf (5) - How to write mib2c.conf files to do ANYTHING based on MIB input.
min12xxw (1) - Convert pbmraw streams to Minolta PagePro 12xxW languages
mirrorblob (6x) - Draws a wobbly blob that distorts the image behind it.
missing (7) - missing manual pages
mixer_applet (1) - Mixer Applet for the GNOME panel.
mke2fs.conf (5) - Configuration file for mke2fs
mkinitramfs (8) - low-level tool for generating an initramfs image
mkinitramfs-kpkg (8) - generates an initramfs image for kernel-package
mkzftree (1) - Create a zisofs/RockRidge compressed file tree
MLDBM (3pm) - store multi-level hash structure in single level tied hash
modemlights_applet (1) - Modem Lights applet for the GNOME panel.
modinfo (8) - program to show information about a Linux Kernel module
modprobe (8) - program to add and remove modules from the Linux Kernel
modprobe.conf (5) - Configuration file/directory for modprobe
moebiusgears (6x) - draw a moebius strip of interlocking gears.
mono (1) - Mono's ECMA-CLI native code generator (Just-in-Time and Ahead-of-Time)
mono-config (5) - Mono runtime file format configuration
more (1) - file perusal filter for crt viewing
morph3d (6x) - 3d morphing objects.
motd (5) - message of the day
motd+shell (1) - Print the message of the day and launch a shell
motd.tail (5) - Template for building the system message of the day
mount.ntfs (8) - Third Generation Read/Write NTFS Driver
mount.ntfs-3g (8) - Third Generation Read/Write NTFS Driver
mousedrv (4) - Xorg mouse input driver
mq_overview (7) - Overview of POSIX message queues
mren (1) - rename an existing MSDOS file
mscompress (1) - compress data using LZ77 algorithm
msexpand (1) - decompress data compressed using mscompress(1) or COMPRESS.EXE
mt (1) - control magnetic tape drive operation
mt-gnu (1) - control magnetic tape drive operation
mtools (5) - mtools configuration files
mtools.conf (5) - mtools configuration files
mtoolstest (1) - tests and displays the configuration
mtr (8) - a network diagnostic tool
multiload_applet (1) - Multiload (cpu, load average, memory, net, swap) applet for the GNOME panel.
mxtar (1) - Wrapper for using GNU tar directly from a floppy disk
mzip (1) - change protection mode and eject disk on Zip/Jaz drive
namespace.conf (5) - the namespace configuration file
nanorc (5) - GNU nano's rcfile
nautilus (1) - the GNOME File Manager
nautilus-file-management-properties (1) - File Management Preferences
nautilus-sendto (1) - convenience application to send a file via email or instant messenger
nawk (1) - pattern scanning and text processing language
neomagic (4) - Neomagic video driver
net-snmp-config (1) - returns information about installed net-snmp libraries and binaries
Net::Daemon::Log (3pm) - Utility functions for logging
Net::Daemon::Test (3pm) - support functions for testing Net::Daemon servers
Net::DBus (3pm) - Perl extension for the DBus message system
Net::DBus::Annotation (3pm) - annotations for changing behaviour of APIs
Net::DBus::Binding::Bus (3pm) - Handle to a well-known message bus instance
Net::DBus::Binding::Connection (3pm) - A connection between client and server
Net::DBus::Binding::Introspector (3pm) - Handler for object introspection data
Net::DBus::Binding::Iterator (3pm) - Reading and writing message parameters
Net::DBus::Binding::Message (3pm) - Base class for messages
Net::DBus::Binding::Message::Error (3pm) - a message encoding a method call error
Net::DBus::Binding::Message::MethodCall (3pm) - a message encoding a method call
Net::DBus::Binding::Message::MethodReturn (3pm) - a message encoding a method return
Net::DBus::Binding::Message::Signal (3pm) - a message encoding a signal
Net::DBus::Binding::PendingCall (3pm) - A handler for pending method replies
Net::DBus::Binding::Server (3pm) - A server to accept incoming connections
Net::DBus::Binding::Value (3pm) - Strongly typed data value
Net::DBus::Binding::Watch (3pm) - binding to the dbus watch API
Net::DBus::Callback (3pm) - a callback for receiving reactor events
Net::DBus::Dumper (3pm) - Stringify Net::DBus objects suitable for printing
Net::DBus::Exporter (3pm) - Export object methods and signals to the bus
Net::DBus::Test::MockConnection (3pm) - Fake a connection to the bus unit testing
Net::DBus::Test::MockIterator (3pm) - Iterator over a mock message
Net::DBus::Test::MockMessage (3pm) - Fake a message object when unit testing
Net::DBus::Test::MockObject (3pm) - Fake an object from the bus for unit testing
Net::DBus::Tutorial::ExportingObjects (3pm) - tutorials on providing a DBus service
Net::DBus::Tutorial::UsingObjects (3pm) - tutorial on accessing a DBus service
Net::HTTP::NB (3pm) - Non-blocking HTTP client
netkit-ftp (1) - Internet file transfer program
NETLINK_ROUTE (7) - Linux IPv4 routing socket
netrc (5) - user configuration for ftp
netstat (8) - Print network connections, routing tables, interface statistics, masquerade connections, and multicast mem...
NetworkManager (8) - network management daemon
newaliases (8) - a Mail Transfer Agent
newgrp (1) - log in to a new group