-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathapps2.back
4275 lines (4275 loc) · 279 KB
/
apps2.back
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
* 2mandvd -> Successor of ManDVD
* 2mandvd-data -> Successor of ManDVD (data files)
* a2jmidid -> Daemon for exposing legacy ALSA MIDI in JACK MIDI systems
* abgate -> LV2 noise gate plugin
* abiword -> efficient, featureful word processor with collaboration
* abiword-common -> efficient, featureful word processor with collaboration -- common files
* abiword-plugin-grammar -> grammar checking plugin for AbiWord
* abiword-plugin-mathview -> equation editor plugin for AbiWord
* about-distro -> KCM displaying distribution and system information
* account-plugin-aim -> Complemento de cuenta de mensajería para AIM
* account-plugin-facebook -> Complemento de cuenta de inicio de sesión único para el Centro de control de GNOME ‒ facebook
* account-plugin-flickr -> Complemento de cuenta de inicio de sesión único para el Centro de control de GNOME ‒ flickr
* account-plugin-google -> Complemento de cuenta de inicio de sesión único para el Centro de control de GNOME
* account-plugin-identica -> GNOME Control Center account plugin for single signon - identica
* account-plugin-jabber -> Complemento de cuenta de mensajería para Jabber/XMPP
* account-plugin-salut -> Complemento de cuenta de mensajería para XMPP local (Salut)
* account-plugin-twitter -> Complemento de cuenta de inicio de sesión único para el Centro de control de GNOME ‒ twitter
* account-plugin-windows-live -> Complemento de cuenta de inicio de sesión único para el Centro de control de GNOME ‒ windows live
* account-plugin-yahoo -> Complemento de cuenta de mensajería para Yahoo!
* accountsservice -> consulte y manipule la información de la cuenta de usuario
* acetoneiso -> feature-rich application to mount and manage CD and DVD images
* achilles -> An artificial life and evolution simulator
* acidrip -> ripping and encoding DVD tool using mplayer and mencoder
* acl -> Utilidades de listas de control de acceso
* acm -> Multi-player classic air combat simulator
* acpi -> displays information on ACPI devices
* acpi-support -> guiones para el tratamiento de muchos eventos de la ACPI
* acpid -> Demonio de eventos de ACPI (configuración avanzada e interfaz de energía)
* acroread -> Adobe Reader
* acroread-bin:i386 -> Adobe Reader
* acroread-common -> Adobe Reader - Common Files
* activity-log-manager -> blacklist configuration user interface for Zeitgeist
* activity-log-manager-control-center -> blacklist configuration for Zeitgeist (transitional package)
* adduser -> Añade y elimina usuarios y/o grupos
* adium-theme-ubuntu -> Estilo de mensaje Adium para Ubuntu
* adobe-flash-properties-gtk -> GTK+ control panel for Adobe Flash Player plugin
* adobe-flashplugin -> Adobe Flash Player plugin
* advancecomp -> conjunto de utilidades de recompresión
* aeolus -> Synthesised pipe organ emulator
* aften -> audio AC3 encoder
* agave -> colorscheme designer for the GNOME desktop
* aglfn -> Adobe Glyph List For New Fonts
* agtl -> Tool for paperless geocaching
* aircrack-ng -> wireless WEP/WPA cracking utilities
* airport-utils -> configuration and management utilities for Apple AirPort base stations
* aisleriot -> Colección de juegos de cartas solitario de GNOME
* akonadi-backend-mysql -> MySQL storage backend for Akonadi
* akonadi-server -> Akonadi PIM storage service
* akregator -> RSS/Atom feed aggregator
* alacarte -> easy GNOME menu editing tool
* alarm-clock -> Alarm Clock for GTK Environments
* alice -> Web browser (WebKit or Gecko) based IRC client
* alien -> Convierte e instala paquetes rpm y de otros tipos
* alsa-base -> Archivos de configuración del controlador de ALSA
* alsa-oss -> ALSA wrapper for OSS applications
* alsa-tools -> Console based ALSA utilities for specific hardware
* alsa-tools-gui -> GUI based ALSA utilities for specific hardware
* alsa-utils -> Utilidades para configurar y usar ALSA
* amarok -> easy to use media player based on the KDE Platform
* amarok-common -> architecture independent files for Amarok
* amarok-help-en -> English (en) handbook for Amarok
* amarok-help-es -> Spanish (es) handbook for Amarok
* amarok-utils -> utilities for Amarok media player
* amb-plugins -> ambisonics LADPSA plugins
* amoebax -> Puyo Puyo-style puzzle game for up to two players
* amoebax-data -> Data files for amoebax
* amora-applet -> use a bluetooth device as X remote control (systray applet)
* anacron -> programa parecido a cron que no va por tiempo
* angband -> Single-player, text-based, dungeon simulation game
* angband-data -> Game data for angband
* anjuta -> GNOME development IDE, for C/C++
* anki -> extensible flashcard learning program
* ant -> Herramienta de generación similar a make, basada en Java
* ant-optional -> Herramienta de construcción tipo make basada en Java - bibliotecas opcionales
* antimicro -> Graphical program used to map keyboard keys and mouse controls to a gamepad
* antlr3 -> language tool for constructing recognizers, compilers etc
* ants -> advanced normalization tools for brain and image analysis
* apache2 -> Servidor HTTP Apache
* apache2-bin -> Servidor HTTP Apache (archivos binarios y módulos)
* apache2-data -> Servidor HTTP Apache (archivos comunes)
* apache2-utils -> Servidor HTTP Apache (programas utilitarios para servidores web)
* apcalc -> Arbitrary precision calculator (original name: calc)
* apcalc-common -> Arbitrary precision calculator (common files)
* apertium-en-es -> Apertium linguistic data to translate between English and Spanish
* apg -> Generador automático de contraseñas, versión autónoma
* app-install-data -> Aplicaciones de Ubuntu (archivos de datos)
* app-install-data-medibuntu -> Medibuntu applications (data files)
* app-install-data-partner -> Instalador de aplicación (Archivos de datos para aplicaciones/repositorios)
* apparmor -> Utilidad de analizador de espacio de usuario AppArmor
* apparmor-easyprof -> AppArmor easyprof profiling tool
* apparmor-easyprof-ubuntu -> AppArmor easyprof templates for Ubuntu
* appinventor-setup -> Appinventor-setup version 1.1
* appmenu-qt -> menú de aplicación para Qt
* appmenu-qt5 -> menú de aplicación para Qt5
* apport -> genera automáticamente informes de fallo para depuración
* apport-gtk -> Interfaz en GTK+ para el sistema de informe de fallos apport.
* apport-hooks-medibuntu -> Apport hooks for Medibuntu
* apport-kde -> KDE frontend for the apport crash report system
* apport-symptoms -> scripts symptom para apport
* apt -> gestor de paquetes por línea de órdenes
* apt-file -> search for files within Debian packages (command-line interface)
* apt-show-versions -> lists available package versions with distribution
* apt-transport-https -> descarga de https para APT
* apt-utils -> programas utilitarios relacionados con la gestión de paquetes
* apt-xapian-index -> herramientas de mantenimiento y búsqueda para un índice Xapian de paquetes Debian
* aptdaemon -> Un servicio de gestión de paquetes basado en transacciones
* aptdaemon-data -> archivos de datos para clientes
* aptik -> Utility to simplify re-installation of software packages
* aptitude -> gestor de paquetes basado en terminal
* aptitude-common -> Archivos independientes de la arquitectura para el gestor de paquetes aptitude.
* aptoncd -> Installation disc creator for packages downloaded via APT
* apturl -> instale paquetes usando el protocolo apt - interfaz GTK+
* apturl-common -> instale paquetes usando el protocolo apt - datos comunes
* apturl-kde -> install packages using the apt protocol - KDE frontend
* archey -> Archey
* ardour -> digital audio workstation (graphical gtk2 interface)
* ardour3 -> digital audio workstation (graphical gtk2 interface)
* arduino -> AVR development board IDE and built-in libraries
* arduino-core -> Code, examples, and libraries for the Arduino platform
* arduino-mk -> Program your Arduino from the command line
* argouml -> modelling tool to help you do your design using UML
* argyll -> Color Management System, calibrator and profiler
* arista -> multimedia transcoder for the GNOME Desktop
* arj -> archiver for .arj files
* ark -> archive utility
* artikulate -> Language learning application
* aspectj -> aspect-oriented extension for Java - tools
* aspell -> Corrector ortográfico Aspell de GNU
* aspell-de -> German dictionary for aspell
* aspell-en -> Diccionario de inglés para Aspell de GNU
* aspell-es -> Spanish dictionary for aspell
* aspell-eu-es -> Basque (Euskera) dictionary for aspell
* aspell-fr -> French dictionary for aspell
* aspell-it -> The Italian dictionary for GNU Aspell
* aspell-pt-br -> Brazilian Portuguese dictionary for GNU Aspell
* aspell-pt-pt -> European Portuguese dictionary for GNU Aspell
* aspell-ru -> Russian dictionary for Aspell
* aspell-sl -> The Slovenian dictionary for GNU Aspell
* at -> Ejecución de tareas y procesamiento por lotes demorados
* at-spi2-core -> Interfaz de Proveedor de Servicio de Tecnología Asistiva (núcleo dbus)
* attr -> Utilidades para manipular atributos extendidos de los sistemas de archivos
* audacious -> small and fast audio player which supports lots of formats
* audacious-plugins -> Base plugins for audacious
* audacious-plugins-data -> Data files for Audacious plugins
* audacity -> fast, cross-platform audio editor
* audacity-data -> fast, cross-platform audio editor (data)
* audacity-dbg -> fast, cross-platform audio editor (debug)
* audio-recorder -> Audio recorder for GNOME and Unity Desktops.
* auto-multiple-choice -> Auto Multiple Choice - multiple choice papers management
* auto-multiple-choice-common -> Auto Multiple Choice - architecture independent files
* auto-multiple-choice-doc -> Auto Multiple Choice - HTML documentation
* auto-multiple-choice-doc-pdf -> Auto Multiple Choice - PDF documentation
* autotalent -> pitch correction LADSPA plugin
* avahi-autoipd -> Demonio de Avahi para la configuración de direcciones de red IPv4LL
* avahi-daemon -> Demonio Avahi mDNS/DNS-SD
* avahi-utils -> Herramientas de Avahi para navegar, publicar y descubrir
* avidemux -> Free video editor - GTK version
* avidemux-common -> Free video editor - Internationalization files
* avidemux-plugins-common -> Free video editor - common files for plugins
* avidemux-plugins-gtk -> Free video editor - GTK plugins
* aview -> A high quality ASCII art image viewer and video player
* avogadro-data -> Molecular Graphics and Modelling System (Data Files)
* avr-libc -> Standard C library for Atmel AVR development
* avrdude -> software for programming Atmel AVR microcontrollers
* azureus -> BitTorrent client
* babiloo -> dictionary viewer with multi-languages support
* baloo -> framework for searching and managing metadata.
* banshee -> Media Management and Playback application
* banshee-extension-liveradio -> LiveRadio extension for Banshee
* banshee-extension-soundmenu -> Media Management and Playback application - sound menu extension
* banshee-extensions-common -> common files for banshee-community-extensions
* baobab -> Analizador del uso de discos de GNOME
* base-files -> Archivos variados del sistema base de Debian
* base-passwd -> Grupos y contraseñas del sistema base de Debian
* bash -> GNU Bourne Again SHell
* bash-completion -> Completado programable de la terminal bash
* bauble -> biodiversity collection manager software application
* bc -> GNU bc arbitrary precision calculator language
* bchunk -> CD image format conversion from bin/cue to iso/cdr
* bibus -> bibliographic database
* billard-gl -> 3D billiards game
* billard-gl-data -> 3D billiards game - data files
* bind9-host -> Versión de «host» distribuida con BIND 9.X
* binfmt-support -> Soporte extra para formatos binarios
* biogenesis -> artificial life program that simulates evolution of organisms
* bionightmarelite -> lite 3d zombie shooter game
* bitcoin-qt -> peer-to-peer network based digital currency - GUI
* bitcoind -> peer-to-peer network based digital currency - daemon
* bleachbit -> delete unnecessary files from the system
* blender -> Very fast and versatile 3D modeller/renderer
* blender-data -> Very fast and versatile 3D modeller/renderer - data package
* blender-ogrexml -> Blender Exporter for OGRE
* blepvco -> LADSPA, minBLEP-based, hard-sync-capable oscillator plugins
* blinken -> KDE version of the Simon electronic memory game
* blockattack -> puzzle game inspired by Tetris
* blop -> Bandlimited wavetable-based oscillator plugins for LADSPA hosts
* blubuntu-wallpapers -> Blubuntu look - Wallpapers
* bluedevil -> KDE Bluetooth stack
* bluefish -> advanced Gtk+ HTML editor
* bluefish-data -> advanced Gtk+ HTML editor (data)
* bluefish-plugins -> advanced Gtk+ HTML editor (plugins)
* bluegriffon -> Web Editor based on the rendering engine of Firefox
* bluegriffon-data -> Web Editor based on the rendering engine of Firefox (data files)
* blueman -> Graphical bluetooth manager
* bluetooth -> Bluetooth support
* bluewho -> notifies new discovered bluetooth devices
* bluez -> Herramientas y demonios de Bluetooth
* bluez-alsa -> Soporte Bluetooth ALSA
* bluez-alsa:i386 -> Soporte Bluetooth ALSA
* bluez-cups -> Controlador de impresora Bluetooth para CUPS
* bluez-gstreamer -> Bluetooth GStreamer support
* bluez-tools -> Set of tools to manage Bluetooth devices for linux
* bodr -> Blue Obelisk Data Repository
* bookletimposer -> PDF imposition toolkit
* bpython -> fancy interface to the Python interpreter - Curses frontend
* braindump -> ideas organizer application for the Calligra Suite
* branding-ubuntu -> Remplazo de las ilustraciones con el sello de Ubuntu
* brasero -> Aplicación de grabación de CD/DVD para GNOME
* brasero-cdrkit -> extensiones cdrkit para la aplicación de grabación Brasero
* brasero-common -> Archivos comunes y biblioteca para la aplicación de copia de CD Brasero
* brewtarget -> GUI beer brewing software
* bridge-utils -> Utilidades para configurar el puente ethernet Linux
* brltty -> Software de acceso para ciegos que usan pantalla braille
* browser-plugin-gnash -> GNU Shockwave Flash (SWF) player - Plugin for Mozilla and derivatives
* browser-plugin-vlc -> multimedia plugin for web browsers based on VLC
* bsdmainutils -> colección de más utilidades de FreeBSD
* bsdutils -> Herramientas básicas de 4.4BSD-Lite
* bubbros -> multiplayer clone of the famous Bubble Bobble game
* bum -> graphical runlevel editor
* burgerspace -> Avoid evil foodstuffs and make burgers
* busybox-initramfs -> Configuración independiente por shell para initramfs
* busybox-static -> Intérprete de consola de rescate autónomo con toneladas de utilidades
* bve-route-cross-city-south -> Birmingham Cross-City South (for OpenBVE rail simulator)
* bve-train-br-class-323 -> British Rail Class 323 EMU train (for OpenBVE rail simulator)
* bve-train-br-class-323-3dcab -> British Rail Class 323 EMU train 3D cab (for OpenBVE rail simulator)
* bzip2 -> Compresor de archivos por ordenación de bloques de alta calidad, utilidades
* bzr-builddeb -> bzr plugin for Debian package management
* ca-certificates -> Certificados de las autoridades de certificación comunes
* ca-certificates-java -> Certificados común CA (almacén de claves JKS)
* cabextract -> Microsoft Cabinet file unpacker
* caca-utils -> text mode graphics utilities
* cain -> simulations of chemical reactions
* cain-examples -> simulations of chemical reactions
* cain-solvers -> simulations of chemical reactions
* cairo-clock -> Analog clock drawn with vector-graphics
* calf-plugins -> Calf Studiogear - audio effects and sound generators
* calibre -> e-book converter and library management
* calibre-bin -> e-book converter and library management
* calligra-l10n-es -> Spanish (es) localization files for Calligra
* calligraactive -> QML version of Calligra
* calligraflow -> flowcharting program for the Calligra Suite
* calligraflow-data -> data files for Flow flowcharting program
* calligraplan -> integrated project management and planning tool
* calligrasheets -> spreadsheet for the Calligra Suite
* calligrastage -> presentation program for the Calligra Suite
* calligrastage-data -> data files for Calligra Stage
* calligrawords-common -> shared files for calligrawords and calligraauthor
* camera.app -> GNUstep application for digital still cameras
* cameramonitor -> Webcam monitoring in system tray
* camgrab -> A command line tool to download a single image from a webcam
* camorama -> gnome utility to view and save images from a webcam
* cantor -> interface for mathematical applications
* cantor-backend-kalgebra -> KAlgebra backend for Cantor
* caps -> C* Audio Plugin Suite
* caribou -> Configurable on screen keyboard with scanning mode
* caribou-antler -> Configurable on screen keyboard with scanning mode
* ccd2iso -> Converter from CloneCD disc image format to standard ISO
* cdck -> tool for verifying the quality of written CDs/DVDs
* cdparanoia -> audio extraction tool for sampling CDs
* cdrdao -> records CDs in Disk-At-Once (DAO) mode
* cec-firmware-upgrade -> Pulse-Eight CEC adapter firmware upgrade
* cec-utils -> USB CEC Adaptor communication Library (utility programs)
* celestia-common -> datafiles for Celestia, a real-time visual space simulation
* celestia-gnome -> real-time visual space simulation (GNOME frontend)
* celtx -> Integrated media pre-production and screenwriting app
* checkbox -> System testing application (transitional package)
* checkbox-gui -> QML based interface for system testing based on Plainbox.
* checkbox-ng -> PlainBox based test runner
* checkbox-ng-service -> CheckBox D-Bus service
* checkbox-qt -> QT4 interface for checkbox
* cheese -> herramienta para tomar fotos y vídeos desde su webcam
* cheese-common -> Archivos comunes para la herramienta Cheese para tomar fotografías y videos
* chemical-mime-data -> chemical MIME and file type support for desktops
* chemtool -> chemical structures drawing program
* childsplay -> Suite of educational games for young children
* childsplay-alphabet-sounds-en-gb -> British sound files for childsplay
* childsplay-alphabet-sounds-es -> Spanish sound files for childsplay
* chmsee -> chm file viewer written in GTK+
* chromium-browser -> Chromium web browser, open-source version of Chrome
* chromium-browser-l10n -> chromium-browser language packages
* chromium-codecs-ffmpeg-extra -> Extra ffmpeg codecs for the Chromium Browser
* chromium-codecs-ffmpeg-extra-dbg -> chromium-codecs-ffmpeg-extra debug symbols
* cicero -> French and English Text-To-Speech for MBROLA
* cinelerra -> An audio/video authoring tool
* cinnamon-common -> Innovative and comfortable desktop (Common data files)
* clementine -> modern music player and library organizer
* cli-common -> archivos comunes a todos los paquetes CLI
* click -> Click packages
* click-apparmor -> Click manifest to AppArmor easyprof conversion tools
* click-dev -> build Click packages
* click-doc -> Click packages (documentation)
* clipgrab -> Download and convert videos from various online portals (e.g. YouTube)
* cm-super-minimal -> TeX font package (minimal version) with CM/EC in Type1 in T1, T2*, TS1, X2 enc
* cm-super-x11 -> Make the cm-super fonts available to X11
* cmt -> a collection of LADSPA plugins
* code-of-conduct-signing-assistant -> sign the Ubuntu Code of Conduct easily
* codeblocks-common -> common files for Code::Blocks IDE
* colobot -> educational programming strategy game
* colobot-common -> educational programming strategy game - data
* colobot-common-sounds -> educational programming strategy game - sounds and music
* colobot-common-textures -> educational programming strategy game - textures
* colobot-dbg -> educational programming strategy game - debug symbols
* colobot-dev-doc -> educational programming strategy game - source doc
* colorcode -> advanced clone of the MasterMind code-breaking game
* colord -> servicio del sistema para gestionar perfiles de color -- demonio de sistema
* colord-kde -> Color management for KDE
* comix -> GTK Comic Book Viewer
* command-not-found -> Instalación recomendada de paquetes en sesiones bash interactivas
* command-not-found-data -> Conjunto de archivos de datos para command-not-found.
* compiz -> Gestor de ventanas y composiciones OpenGL
* compiz-core -> Gestor de ventanas y composiciones OpenGL
* compiz-dev -> gestor de ventanas y composición de OpenGL - archivos de desarrollo
* compiz-gnome -> gestor de ventanas y composición de OpenGL - decorador de ventanas de GNOME
* compiz-plugins -> OpenGL window and compositing manager - plugins
* compiz-plugins-default -> gestor de ventanas y composición de OpenGL - complementos de serie
* compizconfig-settings-manager -> Compiz configuration settings manager
* confclerk -> offline conference schedule application
* conky-all -> highly configurable system monitor (all features enabled)
* conky-manager -> Utility for managing Conky configuration files
* console-setup -> tipografía de consola y programa de configuración de teclado
* consolekit -> Entorno para delimitar y hacer un seguimiento de usuarios, sesiones y asientos
* convlit -> convert Microsoft Reader .LIT files to HTML
* cordova-cli -> Cordova CLI
* cordova-ubuntu-2.8 -> Cordova Framework for building mobile web apps
* coreutils -> Herramientas básicas de GNU
* cowsay -> configurable talking cow
* cpio -> GNU cpio, un programa para gestionar archivadores de archivos
* cpp -> Preprocesador GNU de C (cpp)
* cpp-4.6 -> GNU C preprocessor
* cpp-4.7 -> Preprocesador GNU de C
* cpp-4.8 -> Preprocesador GNU de C
* cpu -> a console based LDAP user management tool
* cpu-checker -> herramientas para ayudar a evaluar las cualidades de algunos CPU (o BIOS)
* cpufrequtils -> utilities to deal with the cpufreq Linux kernel feature
* cpuid -> tool to dump x86 CPUID information about the CPU(s)
* cpulimit -> tool for limiting the CPU usage of a process
* cpuset -> Allows manipluation of cpusets and provides higher level fun
* cpushare -> client and server for the CPUShare distributed computing platform
* cr3 -> e-book reader
* crack-attack -> multiplayer OpenGL puzzle game like "Tetris Attack"
* cracklib-runtime -> soporte de ejecución para la biblioteca de comprobación de contraseñas cracklib2
* crda -> wireless Central Regulatory Domain Agent
* create-launcher -> easy and intuitive method of creating custom launchers
* create-resources -> shared resources for use by creative applications
* creepy -> geolocation information aggregator
* cron -> Demonio programador de procesos
* cryptsetup -> disk encryption support - startup scripts
* cryptsetup-bin -> disk encryption support - command line tools
* csladspa -> LADSPA plugin for Csound
* csound -> powerful and versatile sound synthesis software
* csound-data -> data files used by the csound library
* csound-utils -> miscellaneous utilities for the Csound system
* cssed -> graphical CSS editor
* cultivation -> game about the interactions within a gardening community
* cups -> Common UNIX Printing System(tm) - PPD/driver support, web interface
* cups-browsed -> OpenPrinting CUPS Filters - cups-browsed
* cups-bsd -> Sistema Común de impresión de UNIX (tm), órdenes de BSD
* cups-client -> Sistema común de impresión de UNIX (CUPS (tm)), programas cliente (SysV)
* cups-common -> Common UNIX Printing System(tm) - archivos comunes
* cups-core-drivers -> Common UNIX Printing System(tm) - PPD-less printing
* cups-daemon -> Common UNIX Printing System(tm) - daemon
* cups-filters -> OpenPrinting CUPS Filters - Main Package
* cups-filters-core-drivers -> OpenPrinting CUPS Filters - PPD-less printing
* cups-pk-helper -> PolicyKit helper to configure cups with fine-grained privileges
* cups-ppdc -> Common UNIX Printing System(tm) - Utilidades de manipulación de PPD
* cups-server-common -> Common UNIX Printing System(tm) - server common files
* curl -> command line tool for transferring data with URL syntax
* cycle -> calendar program for women
* cyclist -> Utility for converting Max/MSP binary patches to text
* darktable -> virtual lighttable and darkroom for photographers
* dash -> Consola compatible con POSIX
* dbconfig-common -> entorno de trabajo común para empaquetar aplicaciones de bases de datos
* dbus-x11 -> Sistema sencillo de mensajería entre procesos (dependencias de X11)
* dc -> GNU dc arbitrary precision reverse-polish calculator
* dconf-cli -> sistema de almacenamiento de configuración sencillo - utilidades
* dconf-editor -> simple configuration storage system - utilities
* dcraw -> decode raw digital camera images
* dctrl-tools -> Herramienta de línea de órdenes para procesar información de paquetes Debian
* debconf -> Sistema de gestión de la configuración de Debian
* debconf-i18n -> Soporte de internacionalización completo para debconf
* debian-archive-keyring -> GnuPG archive keys of the Debian archive
* debian-keyring -> GnuPG keys of Debian Developers
* debianutils -> Varias herramientas específicas de Debian
* debootstrap -> Arranque de un sistema Debian básico
* deborphan -> program that can find unused packages, e.g. libraries
* debtags -> Enables support for package tags
* debugedit -> tool to mangle source locations in .debug files
* default-jre -> Entorno de ejecución Java estándar o Java compatible
* default-jre-headless -> Entorno de ejecución Java estándar o Java compatible (sin cabecera)
* deja-dup -> Respalde sus archivos
* deja-dup-backend-cloudfiles -> Rackspace Cloudfiles support for Déjà Dup
* deja-dup-backend-gvfs -> Remote server support for Déjà Dup
* deja-dup-backend-s3 -> Amazon S3 support for Déjà Dup
* deja-dup-backend-ubuntuone -> Ubuntu One support for Déjà Dup
* deluge -> bittorrent client written in Python/PyGTK
* deluge-common -> bittorrent client written in Python/PyGTK (common files)
* deluge-gtk -> bittorrent client written in Python/PyGTK (GTK+ ui)
* desktop-base -> common files for the Debian Desktop
* desktopnova -> utility that changes the wallpaper automatically
* desktopnova-module-gnome -> GNOME module for DesktopNova
* desktopnova-tray -> tray icon for DesktopNova
* desmume -> Nintendo DS emulator
* devede -> simple application to create Video DVDs
* dgen -> Sega Genesis/MegaDrive emulator
* dh-python -> Debian helper tools for packaging Python libraries and applications
* dia -> Diagram editor
* dia-common -> Diagram editor (common files)
* dia-gnome -> Diagram editor (GNOME version)
* dia-libs -> Diagram editor (library files)
* dia-shapes -> Diagram editor
* dialog -> Muestra cajas de diálogo amigables desde scripts de consola
* dictionaries-common -> Utilidades comunes de las herramientas de diccionarios ortográficos
* dictionaryreader.app -> Dict client for GNUstep
* diffpdf -> compare two PDF files textually or visually
* diffuse -> graphical tool for merging and comparing text files
* diffutils -> Herramientas para comparar ficheros
* digikam -> digital photo management application for KDE
* digikam-data -> digiKam architecture-independant data
* digikam-dbg -> debugging symbols for digiKam
* digikam-doc -> handbook for digiKam
* djview-plugin -> Browser plugin for the DjVu image format
* djview4 -> Viewer for the DjVu image format
* djvulibre-bin -> Utilities for the DjVu image format
* dkms -> Entorno de Soporte del Módulo Dinámico del Núcleo
* dmidecode -> SMBIOS/DMI table decoder
* dmsetup -> Linux Kernel Device Mapper userspace library
* dmtx-utils -> Utilities for reading and writing Data Matrix 2D barcodes
* dmz-cursor-theme -> Tema de cursores escalables, con un estilo neutro
* dnsmasq-base -> Small caching DNS proxy and DHCP/TFTP server
* dnsutils -> Clientes proporcionados con BIND
* doc-base -> Utilidades para gestionar la documentación en línea
* docbook-xml -> Sistema de documentación en XML estándar para software y sistemas
* docbook-xsl -> hojas de estilo para procesar DocBook XML a varios formatos de salida
* doconce -> document once, include anywhere
* docutils-common -> text processing system for reStructuredText - common data
* docutils-doc -> text processing system for reStructuredText - documentation
* dolphin -> file manager
* dosfstools -> utilidades para crear y verificar sistemas de archivos MS-DOS FAT
* dpkg -> Sistema de gestión de paquetes de Debian
* dpkg-dev -> Herramientas de desarrollo de paquetes Debian
* dragonplayer -> simple video player
* drawpile -> OpenCanvas similar drawing program
* drgeo -> interactive geometry software
* drgeo-doc -> Dr. Geo online user manual
* driconf -> DRI configuration applet
* driftnet -> picks out and displays images from network traffic
* drjava -> Lightweight programming environment for Java
* drumkv1 -> old-school drum-kit sampler
* dstat -> versatile resource statistics tool
* duplicity -> copia de seguridad cifrada de ancho de banda eficiente
* dvcs-autosync -> Automatically synchronize distributed version control repositories
* dvd+rw-tools -> utilidades para DVD+-RW/R
* dvdauthor -> create DVD-Video file system
* dvdisaster -> data loss/scratch/aging protection for CD/DVD media
* dvdisaster-doc -> data loss/scratch/aging protection for CD/DVD media (documentation)
* dvdrip -> perl front end for transcode and ffmpeg
* dvdrip-doc -> Documentation for dvd::rip
* dvdrip-queue -> queue up dvd::rip projects
* dvdrip-utils -> perl front end for transcode and ffmpeg (tools)
* dvdstyler -> cross platform DVD Authoring System for Video DVD Production
* dvdstyler-data -> Data files for DVDStyler
* dvgrab -> grab digital video data via IEEE1394 and USB links
* dvipng -> convierta archivos DVI a gráficos PNG
* dynamips -> Cisco 7200/3600/3725/3745/2600/1700 Router Emulator
* e2fsprogs -> Utilidades para sistemas de archivos ext2/ext3/ext4
* easystroke -> gesture recognition program
* easytag -> GTK+ editor for audio file tags
* ebook-speaker -> eBook reader that reads aloud in a synthetic voice
* ebook-speaker-dbg -> ebook-speaker debugging symbols
* ed -> classic UNIX line editor
* edict -> English / Japanese dictionary
* edubuntu-wallpapers -> wallpapers included in edubuntu
* einstein -> Puzzle game inspired on Einstein's puzzle
* eject -> expulsa CD y opera con cargadores de CD bajo Linux
* electric -> electrical CAD system
* emacs23 -> The GNU Emacs editor (with GTK+ user interface)
* emacs23-bin-common -> The GNU Emacs editor's shared, architecture dependent files
* emacs23-common -> The GNU Emacs editor's shared, architecture independent infrastructure
* emacs23-common-non-dfsg -> GNU Emacs shared, architecture independent, non-DFSG items
* emacsen-common -> instalación habitual para todos los emacsen
* emesene -> instant messaging client
* emma -> extendable MySQL managing assistant
* empathy -> Cliente de telefonía y chat multiprotocolo de GNOME
* empathy-common -> Cliente de llamadas y de charla multiprotocolo para GNOME (archivos comunes)
* empty-expect -> Run processes and applications under pseudo-terminal
* enblend -> image blending tool
* enchant -> Wrapper for various spell checker engines (binary programs)
* enfuse -> image exposure blending tool
* entangle -> Tethered Camera Control & Capture
* eog -> Visor de imágenes El Ojo de GNOME
* epigrass -> scientific tool for simulations and scenario analysis in network epidemiology
* epiphany -> clone of Boulder Dash game
* epiphany-browser -> Intuitive GNOME web browser
* epiphany-browser-data -> Data files for the GNOME web browser
* epiphany-data -> required data files for epiphany game
* epiphany-extensions -> Transitional package, to satisfy the GNOME meta package dependency
* eq10q -> LV2 equalizer
* eqonomize -> personal accounting software for the small household economy
* eqonomize-doc -> documentation for the Eqonomize! accounting software
* esound-common -> Demonio de sonido «Enlightened», archivos comunes
* espeak -> Software sintetizador de voz multi-idioma
* espeak-data -> Software sintetizador de voz multiidioma: archivos de datos de voz
* espeak-dbg -> Multi-lingual software speech synthesizer: debugging symbols
* espeak-gui -> graphical user interface for eSpeak
* etherape -> graphical network monitor
* etherpuppet -> create a virtual interface from a remote Ethernet interface
* ethtool -> Muestra o cambia la configuración del dispositivo Ethernet
* ettercap-common -> Multipurpose sniffer/interceptor/logger for switched LAN
* ettercap-dbg -> Debug symbols for Ettercap.
* ettercap-graphical -> Ettercap GUI-enabled executable
* euler -> interactive mathematical programming environment
* evince -> Visor de documentos (PostScript, PDF)
* evince-common -> Visor de documentos (PostScript, PDF) - archivos comunes
* evolution -> suite groupware con cliente de e-mail y organizador
* evolution-common -> Archivos de Evolution independientes de la arquitectura
* evolution-data-server -> servidor subyacente de bases de datos de evolution
* evolution-data-server-common -> Archivos independientes de la arquitectura del servidor de datos de Evolution
* evolution-data-server-online-accounts -> evolution data server integration with Ubuntu Online Accounts
* evolution-indicator -> Miniaplicación de indicador de panel para Evolution
* evolution-plugins -> complementos estándar para Evolution
* evtest -> utility to monitor Linux input device events
* exaile -> flexible, full-featured audio player
* example-content -> Contenido de ejemplo de Ubuntu
* exfalso -> audio tag editor for GTK+
* exfat-fuse -> read and write exFAT driver for FUSE
* exfat-utils -> utilities to create, check, label and dump exFAT filesystem
* exif -> command-line utility to show EXIF information in JPEG files
* exiftran -> transform digital camera jpeg images
* exiv2 -> EXIF/IPTC metadata manipulation tool
* exo-utils -> Utility files for libexo
* expeyes -> hardware & software framework for developing science experiments
* expeyes-doc-common -> Common files related to the User manual for expeyes library
* expeyes-doc-en -> User manual for expeyes library, in English language
* extra-xdg-menus -> Extra menu categories for applications under GNOME and KDE
* f-spot -> personal photo management application
* faac -> AAC audio encoder (frontend)
* faenza-icon-theme -> Faenza Icon Theme
* fairymax -> xboard compatible chess and chess-variant engine
* fakeroot -> herramienta para simular privilegios de superusuario
* fastjar -> Herramienta de creación de archivos Jar
* fatrat -> multi-protocol download manager, feature rich and extensible via plugin
* fatrat-data -> data files for fatrat
* fbi -> Linux frame buffer image viewer
* fbpanel -> lightweight X11 desktop panel
* fbreader -> e-book reader
* fbset -> programa de configuración de dispositivos del entorno del búfer
* fccexam -> Study tool for USA FCC commercial radio license exams.
* fceu -> FCE Ultra - a nintendo (8-bit) emulator
* fceux -> all-in-one NES/Famicom Emulator
* festival -> General multi-lingual speech synthesis system
* festival-freebsoft-utils -> Festival extensions and utilities
* festlex-cmu -> CMU dictionary for Festival
* festlex-ifd -> Italian support for Festival
* festlex-oald -> Festival lexicon from Oxford Advanced Learners' Dictionary
* festlex-poslex -> Part of speech lexicons and ngram from English
* festvox-don -> minimal British English male speaker for festival
* festvox-ellpc11k -> Castilian Spanish male speaker for Festival
* festvox-italp16k -> Italian female speaker for Festival
* festvox-itapc16k -> Italian male speaker for Festival
* festvox-kallpc16k -> American English male speaker for festival, 16khz sample rate
* festvox-kdlpc16k -> American English male speaker for festival, 16khz sample rate
* festvox-rablpc16k -> British English male speaker for festival, 16khz sample rate
* festvox-sflpc16k -> Female Spanish voice for Festival
* ffado-dbus-server -> FFADO D-Bus server
* ffado-mixer-qt4 -> FFADO D-Bus mixer applets (QT4)
* ffado-tools -> FFADO debugging and firmware tools
* ffmpeg -> Multimedia player, server, encoder and transcoder
* ffmpeg2theora -> Theora video encoder using ffmpeg
* ffmpegthumbnailer -> fast and lightweight video thumbnailer
* ffmulticonverter -> File format converter (audio, video, image and documents)
* fgo -> simple graphical launcher for FlightGear
* fgrun -> graphical frontend for running FlightGear
* figlet -> Make large character ASCII banners out of ordinary text
* fil-plugins -> parametric equalizer LADSPA plugin
* file -> Determina el tipo de archivo usando números «mágicos»
* file-roller -> gestor de archivadores de GNOME
* filebot -> Ultimate tv renamer / subtitle downloader / sfv validator
* filezilla -> Full-featured graphical FTP/FTPS/SFTP client
* filezilla-common -> Architecture independent files for filezilla
* findutils -> Utilidades para encontrar archivos: find y xargs
* finger -> user information lookup program
* firebird2.5-common -> common files for firebird 2.5 servers and clients
* firebird2.5-common-doc -> copyright, licensing and changelogs of firebird2.5
* firefox -> Navegador seguro y sencillo de Mozilla
* firefox-locale-en -> Paquete de idioma inglés para Firefox
* firefox-locale-es -> Paquete de idioma español, castellano para Firefox
* five-or-more -> make color lines of five or more length
* flac -> Códec libre de audio sin pérdida, herramientas de línea de órdenes
* flashplugin-nonfree-extrasound:i386 -> Adobe Flash Player platform support library for Esound and OSS
* fldiff -> A graphical diff program
* fluid-soundfont-gm -> Fluid (R3) General MIDI SoundFont (GM)
* fluidsynth -> Real-time MIDI software synthesizer
* fluidsynth-dssi -> DSSI wrapper for the FluidSynth SoundFont-playing synthesizer
* folder-color -> Folder Color for Nautilus
* folder-color-common -> Folder Color Library
* font-manager -> font management application for the GNOME desktop
* fontconfig -> biblioteca genérica de configuración de tipografías, binarios básicos
* fontforge-common -> font editor (common files)
* fontforge-extras -> Additional data and utilities for FontForge
* fontforge-nox -> editor de tipografía, versión no X
* fontmatrix -> featureful personal font manager
* fonts-beteckna -> geometric Futura-like sans-serif TrueType font
* fonts-bpg-georgian -> BPG Georgian fonts
* fonts-breip -> informal handwriting font
* fonts-cabin -> humanist sans serif font
* fonts-cantarell -> sans serif font family designed for on-screen readability
* fonts-comfortaa -> stylish, modern true type font
* fonts-dejavu -> metapackage to pull in fonts-dejavu-core and fonts-dejavu-extra
* fonts-dejavu-core -> Derivado de la familia tipográfica Vera con caracteres adicionales
* fonts-dejavu-extra -> Vera font family derivate with additional characters (extra variants)
* fonts-dkg-handwriting -> font that imitates Daniel Kahn Gillmor's handwriting
* fonts-droid -> handheld device font with extensive style and language support
* fonts-dustin -> various TrueType fonts from dustismo.com
* fonts-ecolier-court -> cursive roman font with small descenders
* fonts-ecolier-lignes-court -> cursive roman font (with réglure Seyès and small descenders)
* fonts-f500 -> Wipeout 3 Font
* fonts-font-awesome -> iconic font designed for use with Twitter Bootstrap
* fonts-freefont-otf -> Freefont Serif, Sans and Mono OpenType fonts
* fonts-freefont-ttf -> tipografías «Truetype» Freefont Serif, Sans y Mono
* fonts-gfs-artemisia -> greek font (Times Greek-like)
* fonts-gfs-complutum -> ancient Greek font revival from the University of Alcalá, Spain
* fonts-gfs-didot -> greek font family (Didot revival)
* fonts-gfs-neohellenic -> modern Greek font family with matching Latin
* fonts-gfs-olga -> ancient Greek oblique font revival (companion to GFS Didot)
* fonts-gfs-solomos -> ancient Greek oblique font
* fonts-horai-umefont -> Japanese TrueType font, Ume-font
* fonts-inconsolata -> monospace font for pretty code listings and for the terminal
* fonts-isabella -> Isabella free TrueType font
* fonts-jsmath -> TeX fonts to display jsMath pages
* fonts-junicode -> Unicode font for medievalists (Latin, IPA and Runic)
* fonts-jura -> monospaced, sans-serif font
* fonts-kacst -> tipografías libres TrueType de árabe de KACST
* fonts-kacst-one -> Tipografía TrueType diseñada para el idioma árabe
* fonts-khmeros-core -> tipografías Unicode de KhmerOS para la lengua jémer de Camboya
* fonts-lao -> Tipografía TrueType para el laosiano
* fonts-larabie-deco -> Decorative fonts from www.larabiefonts.com
* fonts-larabie-straight -> Straight fonts from www.larabiefonts.com
* fonts-larabie-uncommon -> Special decorative fonts from www.larabiefonts.com
* fonts-lato -> sans-serif typeface family font
* fonts-liberation -> Tipografías con las mismas medidas que Times, Arial y Courier
* fonts-linex -> Fonts suitable for education and institutional use
* fonts-linuxlibertine -> Linux Libertine family of fonts
* fonts-lklug-sinhala -> Unicode Sinhala font by Lanka Linux User Group
* fonts-lmodern -> OpenType fonts based on Computer Modern
* fonts-lobster -> bold condensed script with many ligatures and alternates
* fonts-lobstertwo -> updated and improved family version of the Lobster font
* fonts-lyx -> TrueType versions of some TeX fonts used by LyX
* fonts-manchufont -> Smart OpenType font for Manchu script
* fonts-mathjax -> JavaScript display engine for LaTeX and MathML (fonts)
* fonts-mgopen -> Magenta MgOpen TrueType fonts
* fonts-nanum -> Nanum Korean fonts
* fonts-ocr-a -> ANSI font readable by the computers of the 1960s
* fonts-oflb-asana-math -> extended smart Unicode Math font
* fonts-oflb-euterpe -> unicode musical font
* fonts-okolaks -> decorative, sans serif font
* fonts-opensymbol -> Tipografía TrueType OpenSymbol
* fonts-sil-abyssinica -> tipografía Unicode elegante para escritura etíope y eritrea (amhárico y otros)
* fonts-sil-andika -> extended smart Unicode Latin/Greek font family for literacy
* fonts-sil-charis -> smart Unicode font family for Roman or Cyrillic-based writing systems
* fonts-sil-doulos -> smart Unicode font for Latin and Cyrillic scripts
* fonts-sil-gentium -> extended Unicode Latin font ("a typeface for the nations")
* fonts-sil-gentium-basic -> smart Unicode font families (Basic and Book Basic) based on Gentium
* fonts-sil-padauk -> smart Unicode font for languages in Myanmar
* fonts-stix -> Scientific and Technical Information eXchange fonts
* fonts-takao-pgothic -> Japanese TrueType font set, Takao P Gothic Fonts
* fonts-texgyre -> OpenType fonts based on URW Fonts
* fonts-thai-tlwg -> Thai fonts maintained by TLWG (meta package)
* fonts-tibetan-machine -> font for Tibetan, Dzongkha and Ladakhi (OpenType Unicode)
* fonts-tlwg-garuda -> Thai Garuda font
* fonts-tlwg-kinnari -> Thai Kinnari font
* fonts-tlwg-loma -> Thai Loma font
* fonts-tlwg-mono -> Thai TlwgMono font
* fonts-tlwg-norasi -> Thai Norasi font
* fonts-tlwg-purisa -> Thai Purisa font
* fonts-tlwg-sawasdee -> Thai Sawasdee font
* fonts-tlwg-typewriter -> Thai TlwgTypewriter font
* fonts-tlwg-typist -> Thai TlwgTypist font
* fonts-tlwg-typo -> Thai TlwgTypo font
* fonts-tlwg-umpush -> Thai Umpush font
* fonts-tlwg-waree -> Thai Waree font
* fonts-tomsontalks -> comic lettering font
* fonts-tuffy -> The Tuffy Truetype Font Family
* fonts-ubuntu-title -> font used to create the Ubuntu logo (2004‒2010)
* fonts-unfonts-core -> Un series Korean TrueType fonts
* fonts-wqy-microhei -> Sans-serif style CJK font derived from Droid
* fonts-wqy-zenhei -> "WenQuanYi Zen Hei" A Hei-Ti Style (sans-serif) Chinese font
* fonttools -> Converts OpenType and TrueType fonts to and from XML
* fonttools-eexecop -> python extension to speed up fonttools
* foo-yc20 -> YC-20 organ emulation
* foomatic-db-compressed-ppds -> Soporte de impresora OpenPrinting - PPD comprimidos derivados de la base de datos
* foomatic-db-engine -> Sistema de impresión OpenPrinting, programas
* fop -> XML formatter driven by XSL Formatting Objects (XSL-FO.)
* fortune-mod -> provides fortune cookies on demand
* fortune-zh -> Chinese Data files for fortune
* fortunes -> Data files containing fortune cookies
* fortunes-bg -> Bulgarian data files for fortune
* fortunes-bofh-excuses -> BOFH excuses for fortune
* fortunes-br -> Data files with fortune cookies in Portuguese
* fortunes-cs -> Czech and Slovak data files for fortune
* fortunes-de -> German data files for fortune
* fortunes-debian-hints -> Debian Hints for fortune
* fortunes-eo -> Collection of esperanto fortunes.
* fortunes-eo-ascii -> Collection of esperanto fortunes (ascii encoding).
* fortunes-eo-iso3 -> Collection of esperanto fortunes (ISO3 encoding).
* fortunes-es -> Spanish fortune database
* fortunes-es-off -> Spanish fortune cookies (Offensive section)
* fortunes-fr -> French fortunes cookies
* fortunes-ga -> Irish (Gaelige) data files for fortune
* fortunes-it -> Data files containing Italian fortune cookies
* fortunes-it-off -> Data files containing Italian fortune cookies, offensive section
* fortunes-mario -> Fortunes files from Mario
* fortunes-min -> Data files containing selected fortune cookies
* fortunes-off -> Data files containing offensive fortune cookies
* fortunes-pl -> Polish data files for fortune
* fortunes-ru -> Russian data files for fortune
* fortunes-spam -> fortunes taken from SPAM messages
* fortunes-ubuntu-server -> Ubuntu server tips for fortune
* fotowall -> simple application for creating collages and compositions
* four-in-a-row -> four-in-a-row game for GNOME
* fping -> sends ICMP ECHO_REQUEST packets to network hosts
* fraqtive -> draws Mandelbrot and Julia fractals
* freecad -> Extensible Open Source CAx program (alpha)
* freediams -> pharmaceutical drug prescription and interaction manager
* freedomotic -> Distributed Building and Home Automation Framework
* freegish -> physics based arcade game
* freegish-data -> data for the FreeGish arcade game
* freeguide -> offline TV programme guide
* freemat -> mathematics framework (mostly matlab compatible)
* freemat-data -> freemat data files
* freemat-help -> freemat help files
* freemedforms-common-resources -> common data for the FreeMedForms project applications
* freemedforms-freedata -> free extra-data for the FreeMedForms project
* freemedforms-i18n -> translations of the FreeMedForms project
* freemedforms-libs -> common libs for the FreeMedForms project
* freemedforms-theme -> theme for the FreeMedForms project
* freemind -> Java Program for creating and viewing Mindmaps
* freemind-doc -> Documentation for FreeMind
* freepats -> Free patch set for MIDI audio synthesis
* freeplane -> Java program for working with Mind Maps
* freerdp-x11 -> RDP client for Windows Terminal Services
* freespacenotifier -> free space notification module for KDE
* freetts -> speech synthesis system
* frei0r-plugins -> minimalistic plugin API for video effects, plugins collection
* fretsonfire -> game of musical skill and fast fingers
* fretsonfire-game -> game of musical skill and fast fingers - Game files
* fretsonfire-songs-muldjord -> game of musical skill and fast fingers - Songs Package
* fretsonfire-songs-sectoid -> game of musical skill and fast fingers - Songs Package
* friendly-recovery -> Hace la restauración más sencilla para el usuario
* friends -> Social integration with the desktop
* friends-dispatcher -> Social integration with the desktop
* friends-facebook -> Social integration with the desktop - Facebook
* friends-identica -> Social integration with the desktop - Identi.ca
* friends-twitter -> Social integration with the desktop - Twitter
* fritzing -> Easy-to-use electronic design software
* fritzing-data -> Easy-to-use electronic design software (data files)
* frozen-bubble -> cool game where you pop out the bubbles!
* frozen-bubble-data -> Data files for Frozen-Bubble game
* ftp -> cliente clásico de transferencia de archivos
* fullcircle-issue-60 -> Full Circle is a free, independent, monthly magazine
* fullcircle-issue-62 -> Free independent magazine for the Ubuntu community.
* fullcircle-issue-65 -> Full Circle Magazine Issue #65
* fullcircle-issue-66 -> Full Circle Magazine #66
* furiusisomount -> ISO, IMG, BIN, MDF and NRG image management utility
* fuse -> Filesystem in Userspace
* fuseiso -> FUSE module to mount ISO filesystem images
* fuseiso9660 -> File System in User Space - Module for ISO9660
* g3data -> extract data from scanned graphs
* galculator -> scientific calculator
* gally -> teaches sign languages
* galternatives -> graphical setup tool for the alternatives system
* games-thumbnails -> thumbnails of games in Debian
* gammu-doc -> Gammu Manual
* gammu-smsd -> SMS message daemon
* ganeti-htools -> Cluster allocation tools for Ganeti
* gap -> Groups, Algorithms and Programming computer algebra system
* gap-core -> GAP computer algebra system, core components
* gap-doc -> GAP computer algebra system, documentation
* gap-gapdoc -> GAPDoc meta package for GAP documentation
* gap-libs -> GAP computer algebra system, essential GAP libraries
* gap-online-help -> GAP computer algebra system, online help
* gap-prim-groups -> Database of primitive groups for GAP
* gap-small-groups -> Database of small groups for GAP
* gap-trans-groups -> Database of transitive groups for GAP
* gaupol -> subtitle editor for text-based subtitle files
* gawk -> Awk de GNU, un lenguaje de escaneado y procesado de patrones
* gbrainy -> brain teaser game and trainer to have fun and to keep your brain trained
* gbsplay -> A Gameboy sound player
* gcj-4.8-jre-lib -> Biblioteca de ejecución de Java para utilizar con gcj (archivos jar)
* gcompris -> Educational games for small children
* gcompris-data -> Data files for GCompris
* gcompris-sound-en -> English sound files for GCompris
* gcompris-sound-es -> Spanish sound files for GCompris
* gconf-editor -> editor for the GConf configuration system
* gcr -> Servicios criptográficos de GNOME (demonio y herramientas)
* gcstar -> Manage your collections of movies, games, books, music and more
* gcu-bin -> GNOME chemistry utils (helper applications)
* gdal-bin -> Geospatial Data Abstraction Library - Utility programs
* gdebi -> simple tool to install deb files - GNOME GUI
* gdebi-core -> simple tool to install deb files
* gdesklets -> Architecture for desktop applets
* gdisk -> GPT fdisk text-mode partitioning tool
* gdm -> Next generation GNOME Display Manager
* geary -> lightweight email client designed for the GNOME desktop
* gecko-mediaplayer -> Multimedia plug-in for Gecko browsers
* geda -> GPL EDA -- Electronics design software (metapackage)
* geda-doc -> GPL EDA -- Electronics design software (documentation)
* geda-examples -> GPL EDA -- Electronics design software (example designs)
* geda-gattrib -> GPL EDA -- Electronics design software (attribute editor)
* geda-gnetlist -> GPL EDA -- Electronics design software (netlister)
* geda-gschem -> GPL EDA -- Electronics design software (schematic editor)
* geda-gsymcheck -> GPL EDA -- Electronics design software (symbol checker)
* geda-symbols -> GPL EDA -- Electronics design software (symbols library)
* geda-utils -> GPL EDA -- Electronics design software (utilities)
* geda-xgsch2pcb -> GPL EDA -- Electronics design software -- gschem -> PCB workflow GUI
* gedit -> Editor de texto oficial del entorno de escritorio GNOME
* gedit-common -> Editor de texto oficial del entorno de escritorio GNOME (archivos comunes)
* gedit-plugins -> set of plugins for gedit
* gelemental -> Periodic Table viewer
* gem -> Graphics Environment for Multimedia - Pure Data library
* gem-doc -> Graphics Environment for Multimedia (documentation)
* gem-extra -> Graphics Environment for Multimedia - extra objects
* gem-plugin-gmerlin -> Graphics Environment for Multimedia - GMERLIN support
* gem-plugin-lqt -> Graphics Environment for Multimedia - LQT support
* gem-plugin-magick -> Graphics Environment for Multimedia - ImageMagick support
* gem-plugin-v4l2 -> Graphics Environment for Multimedia - V4L2 output support
* genisoimage -> Crea imágenes de sistemas de archivos ISO-9660 para CD-ROM
* genius-common -> advanced general purpose calculator program (common files)
* geoclue -> Entorno de trabajo de información geográfica
* geoclue-2.0 -> geoinformation service
* geoclue-gypsy -> Position server for GeoClue (GYPSY)
* geoclue-ubuntu-geoip -> Incluye posicionamiento para GeoClue desde servicios GeoIP Ubuntu
* geogebra -> Dynamic mathematics software for education
* geoip-database -> IP lookup es una herramienta de línea de órdenes que usa la biblioteca GeoIP (base de datos del país)
* gespeaker -> GTK+ front-end for eSpeak and mbrola
* getdeb-repository -> GetDeb repository configuration package
* gettext-base -> utilidades de internacionalización de GNU para el sistema base
* gfceu -> Graphical front-end using GTK2 for the FCE Ultra NES emulator
* ghc -> The Glasgow Haskell Compilation system
* ghc-doc -> Documentation for the Glasgow Haskell Compilation system
* ghc-haddock -> Documentation tool for annotated Haskell source code
* ghostess -> A graphical DSSI plugin host
* ghostscript -> intérprete para el lenguaje PostScript y para PDF
* ghostscript-x -> Intérprete para el lenguaje PostScript y PDF - soporte para X11
* giggle -> GTK+ frontend for the git directory tracker
* gigolo -> frontend to manage connections to remote filesystems using GIO/GVfs
* gimp -> El programa de manipulación de imágenes de GNU
* gimp-data -> Archivos de datos de GIMP
* gimp-data-extras -> An extra set of brushes, palettes, and gradients for The GIMP
* gimp-gap -> animation package for the GIMP
* gimp-gmic -> GREYC's Magic for Image Computing - GIMP Plugin
* gimp-help-common -> Archivos de datos de la documentación de GIMP
* gimp-help-en -> Documentación para GIMP (inglés)
* gimp-help-es -> Documentación para GIMP (español)
* gimp-plugin-registry -> repository of optional extensions for GIMP
* gimp-ufraw -> gimp importer for raw camera images
* ginn -> Gesture Injector: No-GEIS, No-Toolkits
* gir1.2-atspi-2.0 -> Proveedor de Servicios de Tecnología de Apoyo (introspección GObject)
* gir1.2-caribou-1.0 -> GObject introspection for the Caribou library
* gir1.2-champlain-0.12 -> C library providing ClutterActor to display maps (GObject introspection)
* gir1.2-click-0.4 -> GIR bindings for Click package management library
* gir1.2-clutter-gst-2.0 -> Gobject introspection data for Clutter GStreamer elements
* gir1.2-ebookcontacts-1.2 -> GObject introspection for the EBook Contacts library
* gir1.2-ecalendar-1.2 -> GObject introspection for the ECalendar library
* gir1.2-gck-1 -> GObject introspection data for the GCK library
* gir1.2-gcr-3 -> GObject introspection data for the GCR library
* gir1.2-gdesktopenums-3.0 -> GObject introspection for GSettings desktop-wide schemas
* gir1.2-gdm-1.0 -> GObject introspection data for the GNOME Display Manager
* gir1.2-gee-0.8 -> biblioteca de configuración de conexión de Telepathy GLib (Introspección - GObject)
* gir1.2-ges-1.0 -> GObject introspection data for the GES library
* gir1.2-git2-glib-1.0 -> GObject introspection data for the git2-glib-1.0 library
* gir1.2-gitg-1.0 -> GObject introspection data for gitg
* gir1.2-gnomebluetooth-1.0 -> Datos de introspección para GnomeBluetooth
* gir1.2-gnomedesktop-3.0 -> Datos de introspección para GnomeDesktop
* gir1.2-gnomekeyring-1.0 -> GNOME keyring services library - introspection data
* gir1.2-goa-1.0 -> Introspection data for GNOME Online Accounts
* gir1.2-gst-plugins-base-1.0 -> Descripción: Datos de introspección GObject para la biblioteca base de complementos GStreamer
* gir1.2-gstreamer-1.0 -> Descripción: Datos de introspección GObject para la biblioteca GStreamer
* gir1.2-gtkchamplain-0.12 -> Gtk+ widget to display maps (GObject introspection)
* gir1.2-ibus-1.0 -> Intelligent Input Bus - introspection data
* gir1.2-indicate-0.7 -> Typelib file for libindicate5
* gir1.2-muffin-3.0 -> GObject introspection data for Muffin
* gir1.2-mutter-3.0 -> GObject introspection data for Mutter
* gir1.2-panelapplet-4.0 -> GObject introspection for the GNOME Panel Applet library
* gir1.2-secret-1 -> Secret store (GObject-Introspection)
* gir1.2-syncmenu-0.1 -> indicator for synchronisation processes status - bindings
* gir1.2-tracker-0.16 -> GObject introspection data for Tracker
* gir1.2-tracker-1.0 -> GObject introspection data for Tracker
* gir1.2-udisks-2.0 -> GObject based library to access udisks2 - introspection data
* gir1.2-webkit2-3.0 -> WebKit2 API layer for WebKitGTK+ - GObject introspection data
* gir1.2-xkl-1.0 -> X Keyboard Extension high-level API - introspection data
* gir1.2-zeitgeist-2.0 -> library to access Zeitgeist - GObject introspection data
* gir1.2-zpj-0.0 -> GObject introspection data for the libzapojit library
* gisomount -> A utility for mounting and managing .iso images
* git -> sistema de control de revisiones distribuido, escalable y rápido
* git-cola -> highly caffeinated git GUI
* git-gui -> fast, scalable, distributed revision control system (GUI)
* git-man -> sistema de control de revisiones distribuido, escalable y rápido (páginas del manual)
* gitg -> git repository viewer
* gjs -> Mozilla-based javascript bindings for the GNOME platform
* gksu -> graphical frontend to su
* gl-117 -> An action flight simulator
* gl-117-data -> Data files for gl-117
* glabels -> label, business card and media cover creation program for GNOME
* glabels-data -> data files for gLabels
* gladish -> graphical interface for LADI Session Handler
* glide2-bin:i386 -> graphics library for 3Dfx Voodoo based cards - support programs
* glogic -> graphical logic circuit simulator
* gltron -> 3D lightcycle game
* gmidimonitor -> GTK+ application that shows MIDI events
* gmountiso -> This is Gmountiso, a PyGTK GUI to mount your cd images
* gmrun -> Featureful CLI-like GTK+ application launcher
* gmtp -> simple MP3 player client for MTP based devices
* gnash -> GNU Shockwave Flash (SWF) player
* gnash-common -> GNU Shockwave Flash (SWF) player - Common files/libraries
* gngb -> a Color Gameboy emulator
* gnokii-common -> Datasuite for mobile phone management (base files)
* gnome -> Full GNOME Desktop Environment, with extra components
* gnome-accessibility-themes -> Accessibility themes for the GNOME desktop
* gnome-applets -> Various applets for the GNOME panel - binary files
* gnome-applets-data -> Various applets for the GNOME panel - data files
* gnome-backgrounds -> Set of backgrounds packaged with the GNOME desktop
* gnome-bluetooth -> Herramientas de Bluetooth de GNOME
* gnome-calculator -> Calculadora del escritorio GNOME
* gnome-chess -> chess game with 3D graphics
* gnome-color-chooser -> GTK+/GNOME desktop appearance customization tool
* gnome-color-manager -> Color management integration for the GNOME desktop environment
* gnome-common -> Scripts y macros comunes para el desarrollo en GNOME
* gnome-contacts -> Gestor de contactos para GNOME
* gnome-control-center -> Utilidades para configurar el escritorio GNOME
* gnome-control-center-data -> Configuración de miniaplicaciones para GNOME - Archivos de datos
* gnome-control-center-shared-data -> configuration applets for GNOME - shared data
* gnome-core -> GNOME Desktop Environment -- essential components
* gnome-desktop3-data -> Archivos comunes para aplicaciones del escritorio GNOME
* gnome-dictionary -> GNOME dictionary application
* gnome-disk-utility -> gestiona y configura discos y medios
* gnome-documents -> Document manager for GNOME
* gnome-exe-thumbnailer -> Wine .exe and other executable thumbnailer for Gnome
* gnome-font-viewer -> visor de tipografía para GNOME
* gnome-games -> games for the GNOME desktop
* gnome-genius -> advanced general purpose calculator program (Gnome frontend)
* gnome-icon-theme -> Tema de iconos del escritorio de GNOME (subconjunto pequeño)
* gnome-icon-theme-extras -> GNOME Desktop icon theme (additional icons)
* gnome-icon-theme-full -> GNOME Desktop icon theme
* gnome-icon-theme-symbolic -> GNOME desktop icon theme (symbolic icons)
* gnome-keyring -> Servicios de claves de GNOME (demonio y herramientas)
* gnome-klotski -> Klotski puzzle game for GNOME
* gnome-mahjongg -> classic Eastern tile game for GNOME
* gnome-media -> GNOME media utilities
* gnome-menus -> GNOME implementation of the freedesktop menu specification
* gnome-mines -> popular minesweeper puzzle game for GNOME
* gnome-mousetrap -> Head tracked mouse control
* gnome-mplayer -> GTK+ interface for MPlayer
* gnome-nds-thumbnailer -> Nintendo DS roms thumbnailer for GNOME
* gnome-nettool -> network information tool for GNOME
* gnome-nibbles -> snake game, up to four players
* gnome-online-accounts -> GNOME Online Accounts
* gnome-online-miners -> Crawls through your online content
* gnome-orca -> Scriptable screen reader
* gnome-packagekit -> Graphical distribution neutral software manager
* gnome-packagekit-data -> Data files for graphical distribution neutral software management tools
* gnome-packagekit-session -> Provides PackageKit session API to install software
* gnome-panel -> launcher and docking facility for GNOME
* gnome-panel-data -> common files for the GNOME Panel
* gnome-phone-manager -> control aspects of your mobile phone from your GNOME 2 desktop
* gnome-pie -> visual application launcher for GNOME
* gnome-power-manager -> Herramienta para la gestión de energía del escritorio GNOME
* gnome-robots -> improved old BSD robots game
* gnome-screensaver -> Salvapantallas y bloqueador de pantalla de GNOME
* gnome-screenshot -> aplicación de captura de pantalla para GNOME
* gnome-search-tool -> GNOME tool to search files
* gnome-session -> Gestor de sesión GNOME - sesión GNOME 3
* gnome-session-bin -> Gestor de sesión GNOME - Tiempo de ejecución mínimo
* gnome-session-common -> Gestor de sesión - archivos comunes
* gnome-settings-daemon -> Demonio que gestiona la configuración de la sesión de GNOME
* gnome-settings-daemon-schemas -> gnome-settings-daemon schemas
* gnome-shell -> graphical shell for the GNOME desktop
* gnome-shell-common -> common files for the GNOME graphical shell
* gnome-shell-extensions -> Extensions to extend functionality of GNOME Shell
* gnome-sudoku -> Juego de sudoku para GNOME
* gnome-sushi -> sushi is a quick previewer for nautilus
* gnome-system-log -> Visor de registros del sistema para GNOME
* gnome-system-monitor -> Visor de procesos y monitor de los recursos del sistema para GNOME
* gnome-system-tools -> Cross-platform configuration utilities for GNOME
* gnome-terminal -> Aplicación del emulador de consola de GNOME
* gnome-terminal-data -> Archivos de datos del emulador de consola de GNOME
* gnome-tetravex -> put tiles on a board and match their edges together
* gnome-themes-standard -> Standard GNOME themes
* gnome-themes-standard-data -> Data files for GNOME standard themes
* gnome-tweak-tool -> tool to adjust advanced configuration settings for GNOME
* gnome-user-guide -> Guía de usuario de GNOME