[HowTo] Incorporar colores, estilos y efectos en scripts de bash

Las ‘secuencias de escape’ son una especie de códigos que indican al sistema que allí donde se encuentra la secuencia de escape hay, por ejemplo, un salto de línea, o una negrita.
En bash se puede emplear unos códigos que sirven para que, en la ejecución del script, el texto se muestre de una determinada forma, con estilos, colores y efectos.


Esos códigos o secuencias de escape son:


  • Sin formato / anular formato \033[00m ô \x1b[2m p.ej…
    echo -e '\x1b[2mnormal'
    

    … anularía todos los efectos anteriormente aplicados, con lo que la palabra ‘normal’ se mostraría por pantalla sin ningún tipo de formato especial.


  • Rojo ô p.ej. ~~~

<br>
* Verde
`` ô ``
p.ej.

<br>
* Amarillo
`` ô ``
p.ej.

<br>
* Púrpura
`` ô ``
p.ej.

<br>
* Cyan
`` ô ``
p.ej.

~~~

NONE=’\033[00m’ RED=’\033[01;31m’ GREEN=’\033[01;32m’ YELLOW=’\033[01;33m’ PURPLE=’\033[01;35m’ CYAN=’\033[01;36m’ WHITE=’\033[01;37m’ BOLD=’\033[1m’ UNDERLINE=’\033[4m’

echo -e “\x1b[1m bold” echo -e “\x1b[30m black” echo -e “\x1b[31m red” echo -e “\x1b[32m green” echo -e “\x1b[33m yellow” echo -e “\x1b[34m blue” echo -e “\x1b[35m mag” echo -e “\x1b[36m cyan” echo -e “\x1b[37m white”

echo -e “\x1b[0m io-std” echo -e “\x1b[1m bold” echo -e “\x1b[2m normal”

echo -e “\x1b[3m italic” echo -e “\x1b[4m underlined” echo -e “\x1b[5m blinking” echo -e “\x1b[7m inverted”



Modo de empleo

echo -e “This text is ${RED}red${NONE} and ${GREEN}green${NONE} and ${BOLD}bold${NONE} and ${UNDERLINE}underlined${NONE}.”

#Unix & Linux Stack Exchange Feed for question ‘Change font in echo command’

Stack Exchange Network

Stack Exchange network consists of 176 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share their knowledge, and build their careers. Visit Stack Exchange (BUTTON) ________ Loading… 1. 2. 0 3. +0 4. + Tour Start here for a quick overview of the site + Help Center Detailed answers to any questions you might have + Meta Discuss the workings and policies of this site + About Us Learn more about Stack Overflow the company + Business Learn more about hiring developers or posting ads with us 5. 6. Log in Sign up 7.

current community + Unix & Linux help chat + Unix & Linux Meta

your communities Sign up or log in to customize your list.

more stack exchange communities company blog

Unix & Linux Stack Exchange is a question and answer site for users of Linux, FreeBSD and other Un*x-like operating systems. It only takes a minute to sign up. Sign up to join this community [anonymousHeroQuestions.svg?v=748bfb046b78] Anybody can ask a question [anonymousHeroAnswers.svg?v=d5348b00eddc] Anybody can answer [anonymousHeroUpvote.svg?v=af2bb70d5d1b] The best answers are voted up and rise to the top (BUTTON)

Unix & Linux Sponsored by Sponsored logo [B25058705.294197466;dc_trk_aid=487473321;dc_trk_cid=142595284;ord=[timestamp];dc_lat=;dc_rdid=;tag_for_child_directed_treatment=;tfua=;gdpr=${GDPR};gdpr_consent=${GDPR_CONSENT_755}?]

1. Home
2.
     1. Questions
     2. Tags
     3. Users
     4. Unanswered
     5. Jobs

Change font in echo command

Ask Question Asked 8 years, 10 months ago Active 18 days ago Viewed 94k times (BUTTON) 20 (BUTTON) (BUTTON) 12

Is it possible to change the font attributes of the output of echo in either zsh or bash?

What I would like is something akin to: echo -n “This is the font: normal “ echo -n $font=italic “italic,” echo -n $font=bold “bold,” echo -n “and” echo -n $font=small “small”.

so that it print: “This is the font: normal, italic, bold, [^small]” within a line of text. bash shell zsh fonts Share Improve this question (BUTTON) Follow edited May 26 ‘15 at 12:24 Sardathrion - against SE abuse asked Apr 25 ‘12 at 8:15 Sardathrion - against SE abuseSardathrion - against SE abuse 4,18155 gold badges2626 silver badges6060 bronze badges 2 * This has more to do with the terminal emulator in question than with the used shell. This question thread contains some valuable pointers, I think – sr_ Apr 25 ‘12 at 8:33 * Normally, you cannot change the font size. The only thing, you usually can do, is changing color and sometimes the bold/underlined attribute. For this, you can use ANSI escape sequences. See e.g. bashguru.com/2010/01/shell-colors-colorizing-shell-scripts.html for some examples. – jofel Apr 25 ‘12 at 8:35

Add a comment

4 Answers 4

Active Oldest Votes (BUTTON) 20 (BUTTON)

On most if not all terminal emulators, you can’t set different font sizes or different fonts, only colors and a few attributes (bold, underlined, standout).

In bash (or in zsh or any other shell), you can use the terminal escape sequences directly (apart from a few exotic ones, all terminals follow xterm’s lead these days). CSI is ESC [, written $’\e[’ in bash. The escape sequence to change attributes is CSI Ps m. echo $’\e[32;1mbold red\e[0mplain\e[4munderlined’

Zsh has a convenient function for that. autoload -U colors colors echo $bold_color$fg[red]bold red${reset_color}plain$’\e’$color[underline]munderlined

Or can do it as part of prompt expansion, also done with print -P, or the % parameter expansion flag: print -P ‘%F{red}%Bbold%b red%f %Uunderline%u’

Share Improve this answer (BUTTON) Follow edited Jun 21 ‘20 at 17:29 Stéphane Chazelas 411k7272 gold badges808808 silver badges12221222 bronze badges answered Apr 27 ‘12 at 0:33 Gilles ‘SO- stop being evil’Gilles ‘SO- stop being evil’ 677k166166 gold badges14161416 silver badges19151915 bronze badges

Add a comment | (BUTTON) 19 (BUTTON)

You could include these color definitions in a script or source file. Could look something like this. #!/bin/bash PATH=/bin:/usr/bin:

NONE=’\033[00m’ RED=’\033[01;31m’ GREEN=’\033[01;32m’ YELLOW=’\033[01;33m’ PURPLE=’\033[01;35m’ CYAN=’\033[01;36m’ WHITE=’\033[01;37m’ BOLD=’\033[1m’ UNDERLINE=’\033[4m’

echo -e “This text is ${RED}red${NONE} and ${GREEN}green${NONE} and ${BOLD}bold${NONE} and ${UNDERLINE}underlined${NONE}.”

tput sgr0

Notice that you should reset the ANSI color codes after each instance you invoke a change. The tput sgr0 resets all changes you have made in the terminal.

I believe changing the font size or italics would be specific to the terminal you are using.

While this guide is specific to customizing your bash prompt, it is a good reference for color codes and generates some ideas of what you can do. Share Improve this answer (BUTTON) Follow edited Apr 25 ‘12 at 12:23 answered Apr 25 ‘12 at 12:17 George MGeorge M 11.6k33 gold badges3535 silver badges4949 bronze badges 0

Add a comment | (BUTTON) 6 (BUTTON)

Seems as if the layout can’t handle the [0x1b]-character in front of the [.

The first line makes bold: echo -e “\x1b[1m bold” echo -e “\x1b[30m black” echo -e “\x1b[31m red” echo -e “\x1b[32m green” echo -e “\x1b[33m yellow” echo -e “\x1b[34m blue” echo -e “\x1b[35m mag” echo -e “\x1b[36m cyan” echo -e “\x1b[37m white”

For the general type, I only know echo -e “\x1b[0m io-std” echo -e “\x1b[1m bold” echo -e “\x1b[2m normal”

and from the comments, thanks manatwork and GypsyCosmonaut: echo -e “\x1b[3m italic” echo -e “\x1b[4m underlined” echo -e “\x1b[5m blinking” echo -e “\x1b[7m inverted”

and don’t know the difference between io-std and normal.

I haven’t seen italic or small in the shell.

You can enter them (thanks to manatwork too) by Ctrl + v ESC in the Bash, where it will be displayed as ^[. This mean the whole ANSI sequence will look like ^[[1m bold or ^[[1mbold (to avoid the blank before ‘bold’).

Many editors have problems with (char)0x1b. Alternatives: copy/paste it from somewhere, or use echo -e “\x1b[1m bold”

in bash, or a hex editor.

Or, even simpler: echo -e “\e[1m bold”

The \e is an escape sequence for the ascii code 27, for the bash internal command echo as well as for the external program GNU-echo. Share Improve this answer (BUTTON) Follow edited Feb 17 at 12:47 answered Apr 25 ‘12 at 11:37 user unknownuser unknown 9,31922 gold badges2929 silver badges5454 bronze badges 4 * 1 Escape characters can be typed: Ctrl+V, Esc. (Will be displayed as “^[”. This mean the whole ANSI sequence will look like “^[[1mbold”.) – manatwork Apr 25 ‘12 at 11:49 * 1 There are more attributes to mention: \e[4m underlined, \e[5m blinking, \e[7m inverted. – manatwork Apr 25 ‘12 at 11:52 * @manatwork: added them. – user unknown Apr 25 ‘12 at 12:04 * @userunknown Thanks for helping, tinkering with your code, I found italic is echo -e “\x1b[3m italic” – GypsyCosmonaut Jul 16 ‘17 at 11:13

Add a comment | (BUTTON) 0 (BUTTON)

Here:

http://en.wikipedia.org/wiki/ANSI_escape_code

(note: a lot of them usually don’t work, but most of these are marked thus.)

I’m making a game in the terminal and have been relying heavily on the above link. It even tells you how to hide/unhide the cursor, make color (30’s), “bold” (lighter), darker, underlined, italic, background color (40’s instead of 30’s), etc. You can also change the cursor’s location (which is very helpful - for example, “\x1B[1A” moves the cursor up one line; “\x1B[0;0H” moves the cursor to row 0, col 0; “\x1B[2J” clears the screen; “\x1B[2K” clears the line.

For your purposes as people have said: echo -e “\x1b[30;44m black with blue background \x1b[m”

echo -e “\x1b[31;42m red with green background \x1b[m”

echo -e “\x1b[32;40m green with black background \x1b[m”

echo -e “\x1b[8m Invisible; na na na na boo boo \x1b[m”

Note: You need the -e in echo -e “\x1b[35;1m Light purple \x1b[m”

or you need to use single quotes. Type man echo to see why (double quotes are usually a pain when printing; when I need stuff to not expand or I need ANSI escape sequences, I use single quotes because it is easy - even though I gotten used to it from doing it so many times - to forget the -e in which case you get “box with numbers and letters[35;1m”).

Every time you see CSI replace it with “\x1b[” (or “\e[” or “\u1b[”). “\x1b[” I think is more standard, but I don’t really know what the difference is between them is. Share Improve this answer (BUTTON) Follow edited Jun 21 ‘16 at 8:09 Pierre.Vriens 1,1062121 gold badges1313 silver badges1616 bronze badges answered Oct 26 ‘14 at 20:21 DylanDylan 36533 silver badges1010 bronze badges 3 * If you like cluttering your strings with extra characters, don’t use \e :-) – clearlight Jan 15 ‘17 at 21:01 * @clearlight I am not sure what you mean. I think you might have meant to say “use \e”. However, \e is less supported than \x1b I have found. The optimal thing to do would be either esc=$’\e’ or esc=$’\x1b’ (this is in bash) and then use “${esc}[34;1m” (for, e.g., bright blue). I have a semi-complex example here (github.com/dylnmc/ps1porn/blob/master/powerline.sh) for a real bash prompt string ;) Please forgive the name of the repo – you can thank people in freenode’s channel #archlinux-offtopic for that. – Dylan Feb 3 ‘17 at 17:37 * Reason for doing esc=$’\e’ is that this allows bash to create the ansi-escape character on the spot, and you benefit from it in a couple of ways. Sometimes, in fact, (as is demonstrated in the github link), you have to use this method in order to get color to show up properly. For older versions of bash as well as the sh shell, you should (but don’t need to) use this method to get color to show up … granted that the terminal uses the escape sequences that most modern terminals do. – Dylan Feb 3 ‘17 at 18:05

Add a comment

Your Answer
















Thanks for contributing an answer to Unix & Linux Stack Exchange! * Please be sure to answer the question. Provide details and share your research!

But avoid … * Asking for help, clarification, or responding to other answers. * Making statements based on opinion; back them up with references or personal experience.

To learn more, see our tips on writing great answers. (BUTTON) Draft saved Draft discarded ________

Sign up or log in

Sign up using Google Sign up using Facebook Sign up using Email and Password (BUTTON) Submit

Post as a guest

Name ________ Email

Required, but never shown ______________

Post as a guest

Name ________ Email

Required, but never shown ______________ (BUTTON) Post Your Answer (BUTTON) Discard

By clicking “Post Your Answer”, you agree to our terms of service, privacy policy and cookie policy

Not the answer you’re looking for? Browse other questions tagged bash shell zsh fonts or ask your own question.

   The Overflow Blog
 * Podcast 318: What’s the half-life of your code?
 * Best practices can slow your application down
   Featured on Meta
 * IBM will soon be sponsoring Unix & Linux!

Linked

15 Italics in Emacs on a text terminal (rxvt-unicode) 6 Xterm does not display one uni-code character

Related

40 Is there a unix command line tool that can analyze font files? 54 Can I change the font of the text-mode console? 6 Changing TTY font to a non-default font 20 How can I make commands appear bold in zsh? 6 How do I alias the bold weight of a font family to the bold weight of another font family? 0 How to remove bold font for file path in modified .bash_profile? 1 Change Shell Font via Command

Hot Network Questions

 * Why can the effective number of bits be a non-integer? What does this physically represent?
 * How to stop bike renters overextending seatposts?
 * Which endian was the Intel 4004?
 * Proofs of theorems that proved more or deeper results than what was first supposed or stated as the corresponding theorem
 * Ball thrown faster than terminal velocity
 * Pipetting: do human experimenters need liquid class information?
 * Warning: DocumentRoot does not exist... But it does
 * Slurs within slurs
 * "Outside there is a money receiver which only accepts coins" - or "that only accepts coins"? Which relative pronoun is better?
 * Where does -ι- come from in derivatives of ἅλς (ἁλιάετος, ἁλιαής, ἁλιανθής)?
 * Can one still be a Muslim if he/she denies some verses that he/she found outdated or illogical?
 * Can a Circle of the Stars Druid roll a natural d3 (or other odd-sided die) to bias their Cosmic Omen roll?
 * What does the little-endian notation improve for Bitcoin?
 * How much damage is dealt/taken when that damage also reduces a creature to 0 hit points?
 * What is this nut called and can it be removed and reused/replaced?
 * Has any European country recently scrapped a bank/public holiday?
 * How to store the current value of a macro?
 * LWE: Round a continuous Gaussian to a true Discrete Gaussian
 * House of Commons clarification on clapping
 * What's the ordering of 6 realms of rebirth?
 * What would it take to make a PS/2 keyboard interface hot-swap?
 * Does the Rubik's Cube in this painting have a solved state?
 * Safety of taking a bicycle to a country where they drive on the other side of the road?
 * Sleet Storm: do crampons stop you from falling prone?

more hot questions Question feed

Subscribe to RSS

Question feed

To subscribe to this RSS feed, copy and paste this URL into your RSS reader. https://unix.stackex lang-bsh

Unix & Linux

 * Tour
 * Help
 * Chat
 * Contact
 * Feedback
 * Mobile

Company

 * Stack Overflow
 * For Teams
 * Advertise With Us
 * Hire a Developer
 * Developer Jobs
 * About
 * Press
 * Legal
 * Privacy Policy
 * Terms of Service

Stack Exchange Network

 * Technology
 * Life / Arts
 * Culture / Recreation
 * Science
 * Other

 * Stack Overflow
 * Server Fault
 * Super User
 * Web Applications
 * Ask Ubuntu
 * Webmasters
 * Game Development

 * TeX - LaTeX
 * Software Engineering
 * Unix & Linux
 * Ask Different (Apple)
 * WordPress Development
 * Geographic Information Systems
 * Electrical Engineering

 * Android Enthusiasts
 * Information Security
 * Database Administrators
 * Drupal Answers
 * SharePoint
 * User Experience
 * Mathematica

 * Salesforce
 * ExpressionEngine® Answers
 * Stack Overflow em Português
 * Blender
 * Network Engineering
 * Cryptography
 * Code Review

 * Magento
 * Software Recommendations
 * Signal Processing
 * Emacs
 * Raspberry Pi
 * Stack Overflow на русском
 * Code Golf

 * Stack Overflow en español
 * Ethereum
 * Data Science
 * Arduino
 * Bitcoin
 * Software Quality Assurance & Testing
 * Sound Design

 * Windows Phone
 * more (28)

 * Photography
 * Science Fiction & Fantasy
 * Graphic Design
 * Movies & TV
 * Music: Practice & Theory
 * Worldbuilding
 * Video Production

 * Seasoned Advice (cooking)
 * Home Improvement
 * Personal Finance & Money
 * Academia
 * Law
 * Physical Fitness
 * Gardening & Landscaping

 * Parenting
 * more (10)

 * English Language & Usage
 * Skeptics
 * Mi Yodeya (Judaism)
 * Travel
 * Christianity
 * English Language Learners
 * Japanese Language

 * Chinese Language
 * French Language
 * German Language
 * Biblical Hermeneutics
 * History
 * Spanish Language
 * Islam

 * Русский язык
 * Russian Language
 * Arqade (gaming)
 * Bicycles
 * Role-playing Games
 * Anime & Manga
 * Puzzling

 * Motor Vehicle Maintenance & Repair
 * Board & Card Games
 * Bricks
 * Homebrewing
 * Martial Arts
 * The Great Outdoors
 * Poker

 * Chess
 * Sports
 * more (16)

 * MathOverflow
 * Mathematics
 * Cross Validated (stats)
 * Theoretical Computer Science
 * Physics
 * Chemistry
 * Biology

 * Computer Science
 * Philosophy
 * Linguistics
 * Psychology & Neuroscience
 * Computational Science
 * more (10)

 * Meta Stack Exchange
 * Stack Apps
 * API
 * Data

 * Blog
 * Facebook
 * Twitter
 * LinkedIn
 * Instagram

site design / logo © 2021 Stack Exchange Inc; user contributions licensed under cc by-sa. rev 2021.3.5.38726

Linux is a registered trademark of Linus Torvalds. UNIX is a registered trademark of The Open Group. This site is not affiliated with Linus Torvalds or The Open Group in any way.

Unix & Linux Stack Exchange works best with JavaScript enabled




— — —
Fuentes:
trac.transmissionbt.com
trac.transmissionbt.com - debian









H i j o s D e I n i t


--- --- ---
COMENTARIOS
Este blog no cuantifica ni monetiza al visitante. Sean muchos, sean pocos, no me importan esos detalles, de dónde vienen o a dónde van; lo que aquí se expone está escrito por puro placer. Este blog prefiere sacrificar un sistema de comentarios cómodo en pro de la privacidad del visitante. Incorporar sistemas de comentarios como 'Disqus' u otros suministra telemetría a terceros, es contrario a la privacidad y una falta de respeto al lector.

Siéntanse libres de comentar, corregir o comunicar. Para ello pueden dirigirme un correo electrónico a hijosdeinit@protonmail.com. Pronto o tarde, siempre respondo.
hijosdeinit - Canal de video en Odysee/lbry
hijosdeinit - Podcast (en construcción)



Lista de Entradas, ordenadas por fecha

TÍTULO FECHA CATEGORÍA
[HowTo] Corregir error en Jekyll (Gitlab): mis incompatibilidades con la útima versión de ruby disponible Jan 28, 24 programación
[HowTo] Purgado del enorme archivo '.log' de 'NextCloud' Dec 07, 23 sistemas operativos
Elucubraciones en torno a una computadora moderna rota Nov 04, 23 hardware
[HowTo] Incorporar el comando 'lsusb' al sistema May 24, 23 sistemas operativos
[HowTo] Extracción de los subtitulos de videos 'matroska' ('.mkv') mediante 'mkvextract' Feb 28, 23 multimedia
[HowTo] respaldo mediante rsync a almacenamiento remoto por ssh Feb 27, 23 sistemas operativos
[HowTo] 'pigz', un compresor multiprocesador / multinúcleo Feb 14, 23 sistemas operativos
Loco por PRESCINDIR: una guía de supervivencia lonchafinista (vol.02) Nov 24, 22 internet 4.0
Recomendaciones de Mhyst (noviembre de 2022): predicando en el desierto. vol. 02 Nov 06, 22 productividad
[HowTo] Internet del 2022 a velocidades de 256k: una guía de supervivencia lonchafinista (vol.01) Jul 24, 22 redes
[HowTo] Listar el contenido de un archivo '.iso' desde la línea de comandos de GNU Linux Jul 06, 22 sistemas operativos
[HowTo] Instalar el comando 'cal' en Debian y derivados Jun 30, 22 sistemas operativos
ThinkPad T470 Jun 22, 22 hardware
[HowTo] Arrancar ThinkPad desde USB (peleándome con un ThinkPad, vol.01) Jun 22, 22 hardware
'vi' es prioritario Jun 14, 22 sistemas operativos
[HowTo] Instalación de 'i3wm' en 'RaspBian' o 'RaspBerry Pi OS' vía repositorio oficial May 07, 22 sistemas operativos
Postinstalación de Open Media Vault 6: usuario y contraseña por defecto May 05, 22 redes
[HowTo] Solución error '.ovpn could not be read or does not contain recognized VPN connection information' en cliente openvpn en Debian 10 (*netinstalled*) y derivados Apr 17, 22 redes
[HowTo] 'QWant': otro buscador respetuoso con la privacidad Apr 17, 22 internet 4.0
'DuckDuckGo' NO es de fiar Apr 17, 22 internet 4.0
[HowTo] Buscadores web respetuosos con el internauta Apr 17, 22 internet 4.0
[HowTo] Extracción de las contraseñas de las redes inalámbricas almacenadas en Windows 10 Apr 12, 22 seguridad
[HowTo] Temas visuales en 'Kanboard' Mar 22, 22 productividad
[HowTo] Configurando y añadiendo extensiones a 'vim'. (Comienzo con vim. III) Mar 17, 22 sistemas operativos
[HowTo] telegram-cli en Debian 10 y derivados Mar 04, 22 sistemas operativos
Cuando se mezcla software libre con propaganda política Feb 20, 22 internet 4.0
[HowTo] 'git': 'progit2', el mejor manual probablemente Feb 17, 22 programación
[HowTo] El editor (IDE) 'pycharm' en Debian y derivados Feb 14, 22 sistemas operativos
[HowTo] Amule como servicio / demonio. vol.02: compartir directorios con el demonio de 'amule' Feb 13, 22 sistemas operativos
'Midnight-Green', mi tema visual favorito para i3wm en Debian y derivados Feb 12, 22 sistemas operativos
[HowTo] Incorporación de temas visuales a i3wm en Debian 10 y derivados Feb 12, 22 sistemas operativos
Cuando el ESTADO "regala" ordenadores Feb 11, 22 liberticidio
'reto python' de atareao Feb 11, 22 programacion
[HowTo] 'newsbeuter' y/o 'newsboat', agregadores rss desde el terminal Feb 10, 22 sistemas operativos
[HowTo] El editor (IDE) 'geany' en Debian y derivados Feb 08, 22 sistemas operativos
[HowTo] Resucitando la batería de un viejo teléfono móvil Motorola v980 (El poder del lonchafinismo con un teléfono móvil viejo, vol02) Feb 04, 22 hardware
Teclados mecánicos de hoy. La herencia del '*Buckling Spring*' Feb 02, 22 hardware
La privacidad hoy (enero 2022) en 'Audacity'. Tras la tempestad Jan 29, 22 sistemas operativos
[HowTo] Aligerar, reducir y/o recomprimir audio mediante 'ffmpeg' Jan 29, 22 multimedia
'GAFAM', 'FAANG', 'MAMAA', 'G-Mafia', 'BATX' y otros palabros de esta internet cuatropuntocero Jan 29, 22 internet 4.0
[HowTo] 'WhaleBird', un cliente de escritorio para el 'fediverso' ('Mastodon', 'Misskey' y 'Pleroma') en Debian y derivados Jan 24, 22 sistemas operativos
[HowTo] 'bombadillo', navegador gemini para línea de comandos, en Debian y derivados: instalación y primeros pasos Jan 24, 22 sistemas operativos
[HowTo] Agregar repositorio 'debian unstable' a Debian 10 y similares Jan 24, 22 sistemas operativos
Mirando cara a cara al abismo de la incoherencia posmoderna: un vistazo a la Tecnofilia creditofágica Jan 22, 22 internet 4.0
El poder del lonchafinismo con un teléfono móvil viejo, vol01: Kazam Trooper 450 del año 2015) Jan 22, 22 hardware
'Fediverso' de redes descentralizadas Jan 20, 22 internet 4.0
[HowTo] Purgado en masa de todas las fotografías en 'google photos' Jan 19, 22 internet 4.0
[HowTo] 'ntpdate': sincronización de fecha y hora sin demonio 'ntp' en Debian y derivados Jan 18, 22 sistemas operativos
[HowTo] Incorporar un tema visual más atractivo al interfaz web de 'amule-daemon' Jan 15, 22 sistemas operativos
[HowTo] Gestores de descarga, vol.02: 'Get'emAll' Jan 14, 22 descargas
[HowTo] Expandir (*unshorten*) URLs acortadas (*shortened*) Jan 14, 22 internet 4.0
[HowTo] Amule como servicio / demonio. vol.01 Jan 14, 22 sistemas operativos
Firefox ESR Jan 14, 22 sistemas operativos
[HowTo] Torrent *headless* desde terminal (CLI), vol. 01: manejando remotamente 'transmission-daemon' mediante 'transmission-remote-client' y derivados Jan 12, 22 sistemas operativos
[HowTo] 'Kakoune', un editor de texto alternativo a 'Vi' / 'Vim' en Debian y derivados Jan 09, 22 sistemas operativos
[HowTo] Averiguar si una tarjeta de red está trabajando en modo 'full duplex' en Debian y derivados Jan 08, 22 sistemas operativos
[HowTo] Metrónomos en GNU Linux Jan 05, 22 Guitarra
[HowTo] Incorporar el navegador web 'basilisk' en Ubuntu 18 'bionic' Jan 04, 22 sistemas operativos
[HowTo] Actualización del firmware de un SSD Toshiba / Kioxia Jan 01, 22 hardware
[HowTo] 'LibreWolf' (*appimage*) en Ubuntu 18 'bionic' Dec 31, 21 sistemas operativos
[HowTo] Cambiar el audio a un video mediante 'ffmpeg' Dec 31, 21 multimedia
Mapa de los puertos usb de RaspBerry Pi 4b Dec 27, 21 hardware
[HowTo] Seleccionar el tipo de arranque en Debian y derivados: alternando entre arranque en entorno gráfico y arranque en terminal pura (tty) Dec 27, 21 sistemas operativos
[HowTo] Parámetros de las máquinas virtuales Debian para minar crypton (utopia) Dec 13, 21 redes
[HowTo] Dar formato ext4 a un disco o partición linux desde línea de comandos (CLI) Dec 07, 21 sistemas operativos
[HowTo] Formas de ejecución del bot de minado 'crypton' (ecosistema 'Utopia') Dec 07, 21 redes
[HowTo] Desplegar 'Slax' en un disco o en una unidad de almacenamiento usb Dec 07, 21 sistemas operativos
[HowTo] 'Minetest', el clon libre de 'Minecraft'. vol. 01 Dec 05, 21 sistemas operativos
[HowTo] Instalación de una versión más actualizada de un paquete desde los repositorios oficiales de Debian: 'backports' Dec 05, 21 sistemas operativos
'Degoogled', vol.01: lista de sistemas operativos para dispositivos móviles respetuosos con la privacidad Dec 05, 21 sistemas operativos
Nueva paquetería, vol. 03: cosas MOLESTAS de 'flatpak' Nov 28, 21 sistemas operativos
[HowTo] Obtener unos céntimos de 'CRP' ('crypton') gratis Nov 28, 21 criptodivisas
[HowTo] Instalación de tarjeta de red inalámbricas Realtek 'RTL8822BE' en Debian 11 y derivados Nov 28, 21 sistemas operativos
[HowTo] 'angband', juego *roguelike* para la terminal ('CLI'), padre de 'zangband' Nov 27, 21 sistemas operativos
[HowTo] 'Tron' multijugador via SSH (línea de comandos) Nov 27, 21 sistemas operativos
[HowTo] 'zangband', juego *roguelike* para la terminal ('CLI') Nov 27, 21 sistemas operativos
Listado oficial de juegos para línea de comandos de Debian Nov 26, 21 sistemas operativos
[HowTo] 'jackett', el buscador de torrents, vol.01 Nov 26, 21 descargas
[HowTo] Una forma ortodoxa de crear '.iso' a partir de un DVD o CD mediante 'dd' Nov 17, 21 sistemas operativos
[HowTo] Modificación remota ('webdav') de archivos de 'LibreOffice' Nov 16, 21 redes
[HowTo] Recomprimir videos para 'Odysee' Nov 15, 21 internet 4.0
[HowTo] Solución al error 'VCRUNTIME140_1' al ejecutar GhostWriter en Windows 10 Home Nov 14, 21 sistemas operativos
[HowTo] Corregir la manía de Windows 10 por borrar archivos y/o directorios creados/modificados desde GNU Linux en particiones ntfs Nov 14, 21 sistemas operativos
[HowTo] aligerar respaldos hechos con 'dd' Nov 13, 21 sistemas operativos
[HowTo] Instalación de 'SqliteStudio' en Debian 10 y derivados Nov 12, 21 sistemas operativos
[HowTo] Instalación de 'sqlite' en Debian 10 y derivados Nov 12, 21 sistemas operativos
[HowTo] Cronómetro en la terminal mediante 'time' y 'cat' Nov 11, 21 sistemas operativos
[HowTo] 'Ryzen Controller' en Debian y derivados Nov 10, 21 sistemas operativos
[HowTo] Instalación de 'unrar-nonfree' en Ubuntu 20.04 *focal* 64bits Nov 07, 21 sistemas operativos
[HowTo] Instalación de 'scummvm' en Debian y derivados Nov 07, 21 sistemas operativos
[HowTo] bot de minado 'crypton' (ecosistema 'Utopia') SIN activar 'upnp' Nov 01, 21 redes
[HowTo] Una solución al error 'Permission denied (publickey)' en servidor SSH ('openssh-server') [Debian 11 y derivados] Oct 31, 21 sistemas operativos
[HowTo] borrar 'archivo inmutable' en GNU Linux Oct 31, 21 sistemas operativos
[HowTo] Instalación de 'Oracle VirtualBox' 6.1 64bits en Debian 10 y derivados Oct 21, 21 sistemas operativos
[HowTo] Instalación nativa del cliente oficial NextCloud en Debian 10 y derivados Oct 21, 21 redes
[HowTo] Averiguar el 'gid' y el 'uid' de un usuario en Debian y derivados Oct 21, 21 sistemas operativos
[HowTo] vaciar *caché* de 'apt' en Debian (y derivados) Oct 21, 21 redes
'msdos.club' (web y podcast): obsoletos pero orgullosos Oct 20, 21 sistemas operativos
[HowTo] nueva paquetería vol.02: incorporación de soporte 'flatpak' a Debian 10 y derivados Oct 20, 21 sistemas operativos
[HowTo] Instalación (y desinstalación) de Google Chrome en Debian 64bits y derivados Oct 20, 21 sistemas operativos
[HowTo] búsqueda de páginas web 'desaparecidas', directamente en la caché de Google Oct 20, 21 internet 4.0
[HowTo] Gestores de descarga, vol.01: 'DownThemAll' Oct 19, 21 descargas
[HowTo] '/etc/apt/sources.list': repositorios en Debian y derivados Sep 30, 21 sistemas operativos
¿gérmenes de Mendicidad 2.0 en la comunidad Linux? Aguánteme el cubata... Sep 21, 21 internet 4.0
[HowTo] El editor (IDE) 'Brackets' y su instalación en Debian y derivados Sep 21, 21 sistemas operativos
Atajos de teclado del frontend 'smplayer' para el reproductor multimedia 'mplayer' Sep 20, 21 sistemas operativos
[HowTo] Configuración de 'i3wm', vol.02: los nombres de las teclas Sep 20, 21 sistemas operativos
[HowTo] Backups en RaspBerryPi, vol.01: 'TimeShift' Sep 18, 21 sistemas operativos
Fuentes (tipografías) interesantes para línea de comandos (CLI) y para programación Sep 17, 21 productividad
[HowTo] Obtención de un registro ('log') de errores y de actividad del comando 'tar' Sep 14, 21 sistemas operativos
[HowTo] 'vnc viewer' ('realvnc') en Debian 10. Visor vnc para controlar RaspBerry Pi Sep 12, 21 sistemas operativos
[HowTo] 'invidious', 'Youtube' desde el navegador sin publicidad ni rastreo Sep 12, 21 internet 4.0
[HowTo] creación de SD ô dispositivo de almacenamiento USB de arranque para RaspBerry Pi mediante 'Raspberry Pi Imager' Sep 10, 21 sistemas operativos
[HowTo] creación de gif animado a partir de un video (ffmpeg) Sep 10, 21 multimedia
[HowTo] 5 comandos para monitorizar la memoria RAM (Debian y derivados) Sep 09, 21 sistemas operativos
[HowTo] Formas diversas de creación de SD ô dispositivo de almacenamiento USB de arranque para RaspBerry Pi Sep 09, 21 sistemas operativos
[HowTo] Creación de liveUSB persistente FreeDOS Sep 09, 21 sistemas operativos
[HowTo] Conexión a vpn desde CLI (línea de comandos) en Debian y derivados Sep 09, 21 redes
'Altavista' y su era. Internet 1.0 Sep 03, 21 internet 4.0
[HowTo] 'searX', un metabuscador *hackable* que busca la privacidad Sep 03, 21 internet 4.0
[HowTo] el metabuscador 'FuckOffGoogle' y su proyecto de libertad Sep 03, 21 internet 4.0
[HowTo] Descargar videos de 'documania.tv' Sep 01, 21 descargas
[HowTo] 'dosbox' en Debian y derivados Aug 25, 21 sistemas operativos
[HowTo] 'micro', editor de texto CLI alternativo a 'nano', en Debian y derivados Aug 13, 21 sistemas operativos
[HowTo] Instalación de 'GO' en Debian 10 32bits (y derivados) Aug 13, 21 sistemas operativos
[HowTo] Modificación del 'prompt' de la línea de comandos (CLI) 'bash' en GNU Linux Jul 11, 21 sistemas operativos
[HowTo] 'LibreWolf' (*appimage*) en Debian 10 y derivados Jul 11, 21 sistemas operativos
[HowTo] Extracción de imagenes de un video mediante ffmpeg (GNU Linux) Jul 11, 21 sistemas operativos
Incorporación de plugins 'nyquist' a 'Audacity' (Debian y derivados) Jul 10, 21 sistemas operativos
[HowTo] Mejor forma de formatear un dispositivo de almacenamiento USB (*pendrive*) desde Windows Jul 09, 21 sistemas operativos
[HowTo] Mejor forma de formatear SD desde Windows ô MacOS Jul 09, 21 sistemas operativos
Pruebo 'min' browser (v.1.20) Jun 30, 21 sistemas operativos
[HowTo] Eliminar clave 'gpg' cuyo 'id' desconocemos. (Debian y derivados) Jun 28, 21 sistemas operativos
[HowTo] 'EDuke32': un renovado 'Duke Nukem 3D' para GNU Linux Jun 28, 21 juegos
[HowTo] concatenar 2 ó más documentos '.pdf' desde línea de comandos sin instalar nada Jun 27, 21 sistemas operativos
[HowTo] Visualización de 'markdown' en la línea de comandos (CLI): 'MDLESS' Jun 25, 21 sistemas operativos
[HowTo] Instalación de los controladores de la tarjeta wireless Realtek RTL8822CE. (Debian 10 y derivados) Jun 25, 21 sistemas operativos
[HowTo] Reactivación de tarjeta wireless ac 'Realtek RTL8812AU' tras actualización del kernel en Debian y derivados Jun 23, 21 sistemas operativos
[HowTo] Instalación del 'MICROCODE' del Procesador (CPU) en Debian y derivados Jun 23, 21 sistemas operativos
Contraseña de 'sudo'. (retocando Debian 10 liveusb persistente, vol.01) Jun 20, 21 sistemas operativos
Ciberpunkfilia y atracción por la sociedad del sometimiento 4.0 Jun 17, 21 sociedad 4.0
[HowTo] Obtención de 'ID' (embed) de un video de 'Rumble.com' y descargarlo mediante 'youtube-dl' Jun 15, 21 descargas
[HowTo] Creación de liveUSB persistente de Debian 10 Jun 15, 21 sistemas operativos
[HowTo] Incorporando una unidad de diskette en 2021. vol. II: bregando con diskettes en GNU Linux Jun 14, 21 hardware
[HowTo] Solucionar error en 'imagemagick' (comando 'convert') y 'ghostscript' al convertir imagenes a '.pdf' en Debian 10 y derivados Jun 13, 21 sistemas operativos
[HowTo] Capturar la pantalla mediante 'ffmpeg' Jun 13, 21 sistemas operativos
Alternativas a 'Youtube' menos tóxicas Jun 13, 21 internet 4.0
[HowTo] Incorporando una unidad de diskette en 2021. vol. I Jun 12, 21 hardware
La importancia de respaldar tu sesión de 'Firefox ESR' antes de actualizar el sistema Jun 06, 21 sistemas operativos
[HowTo] Purgado y rotación de 'logs' de 'docker' para evitar su desmesurado aumento de tamaño Jun 05, 21 sistemas operativos
[HowTo] Instalación de 'amfora', navegador gemini para línea de comandos, en Debian y derivados Jun 01, 21 sistemas operativos
Protocolo 'GEMINI': retornando a la senda de 'Gopher' en pro de una navegación sin aditivos May 31, 21 internet 4.0
Hay que establecer un 'esquema de colores' activo en 'mousepad' para visualizar el 'resaltado de sintaxis' May 30, 21 sistemas operativos
[HowTo] Búsqueda de archivos grandes desde línea de comandos en GNU Linux May 30, 21 sistemas operativos
El repositorio de firmware / drivers para GNU Linux May 25, 21 sistemas operativos
[HowTo] Solucionar error de GPG cuando la clave pública de un repositorio no está disponible. (Debian y derivados) May 24, 21 sistemas operativos
[HowTo] Instalación del navegador web 'Brave' en Debian 10 (64 bits) y derivados May 24, 21 sistemas operativos
[HowTo] Reproducción de audio local o remoto desde línea de comandos mediante 'mplayer' May 23, 21 sistemas operativos
[HowTo] Eliminar repositorio agregado a mano ('add-apt-repository') en Debian y derivados May 23, 21 sistemas operativos
'sudo', algunos parámetros útiles May 20, 21 sistemas operativos
[HowTo] Incorporar barra de ventanas en Gnome. (Debian 10 y derivados) May 20, 21 sistemas operativos
[HowTo] Incorporar los botones de 'maximizar'/'minimizar' a las ventanas en Debian 10 (Gnome) May 20, 21 sistemas operativos
[HowTo] nueva paquetería, vol.01: 'snap' en Debian 10 Buster (y derivados) May 19, 21 sistemas operativos
[HowTo] Instalación NATIVA de 'epiphany' ('gnome-web') en Ubuntu y familia Apr 18, 21 sistemas operativos
[HowTo] Instalación de tarjetas de red inalámbricas con chip Realtek 'RTL8812AU' en Debian y derivados Apr 18, 21 sistemas operativos
[HowTo] Desinstalación completa de 'Libreoffice' en Debian y derivados Apr 04, 21 sistemas operativos
[HowTo] Instalación de 'timeshift' en Debian y derivados Apr 04, 21 sistemas operativos
[HowTo] Mejor forma de incorporar la última versión de 'youtube-dl' en Debian y derivados. II Apr 03, 21 sistemas operativos
[HowTo] Activación del área de notificaciones de las aplicaciones ('system tray') en Debian 10 Apr 03, 21 sistemas operativos
[HowTo] 'sudo' en Debian y derivados: agregar usuario a 'sudoers' Apr 03, 21 sistemas operativos
[HowTo] Preparar Debian y derivados para compilar software Apr 02, 21 sistemas operativos
[HowTo] Compilar 'bucklespring' en Debian y derivados Apr 02, 21 sistemas operativos
[HowTo] Incorporar temas oscuros a Ubuntu 16.04.7 LTS Mar 29, 21 sistemas operativos
[HowTo] Agregar idiomas al editor (IDE) atom. Ponerlo en español Mar 13, 21 sistemas operativos
[HowTo] El editor (IDE) 'atom' y su instalacion en Debian y derivados Mar 13, 21 sistemas operativos
[HowTo] Configurar 'atom' para que muestre los espacios en blanco, saltos de linea y otros caracteres invisibles Mar 13, 21 sistemas operativos
[HowTo] Evitar que 'atom' elimine espacios en blanco al final de línea Mar 13, 21 sistemas operativos
[HowTo] Instalar el comando 'add-apt-repository' en Debian Mar 13, 21 sistemas operativos
[HowTo] Incorporar colores, estilos y efectos en scripts de bash Mar 07, 21 sistemas operativos
[HowTo] directorios y archivos de transmission-daemon en Debian y derivados Mar 01, 21 sistemas operativos
[HowTo] Utilización del bucle bash 'for' para realizar trabajos por lotes Mar 01, 21 sistemas operativos
[HowTo] Identificar los diferentes modelos de Nintendo Wii Feb 21, 21 hardware
[HowTo] Emulación PlayStation2. vol.I Feb 18, 21 sistemas operativos
[HowTo] Convertir vídeo '.ogv' a otros formatos Feb 15, 21 multimedia
Expresiones regulares no aceptadas por el editor de texto 'nano' Feb 15, 21 sistemas operativos
[HowTo] Reproducir un sonido de aviso cuando un trabajo termina (línea de comandos (CLI)) Feb 15, 21 sistemas operativos
[HowTo] Encadenar comandos en la línea de comandos (CLI) de GNU Linux Feb 15, 21 sistemas operativos
Software VPN y similares Feb 14, 21 sistemas operativos
[HowTo] Instalación de MicroSoft Edge (dev) en Debian y derivados Feb 14, 21 sistemas operativos
[HowTo] Respaldar juegos cd / dvd de PlayStation 2 (PS2) creando '.iso' Feb 14, 21 sistemas operativos
[HowTo] Crear fichero de relleno a base de ceros Feb 14, 21 sistemas operativos
[HowTo] Reparar el índice de un video dañado Feb 13, 21 multimedia
[HowTo] Mostrar el progreso de un backup con 'dd' Feb 13, 21 sistemas operativos
febrero 2021: Mirror de archivo 'iso' de Open Media Vault 4 para RaspBerry Pi Feb 13, 21 sistemas operativos
Software de virtualización (máquinas virtuales) Feb 10, 21 sistemas operativos
[HowTo] Aumentar el tamaño del disco duro virtual de una máquina virtual de Virtual Box Feb 09, 21 sistemas operativos
[HowTo] Instalación de VSCodium (MS VSCode sin telemetría) en Debian y derivados [desde repositorio] Feb 07, 21 sistemas operativos
[HowTo] Conversión a granel desde línea de comandos .flac a .mp3 manteniendo metadatos Feb 07, 21 multimedia
'RaspBian' / 'RaspBerry OS' incorpora furtivamente -sin aviso ni permiso- un repositorio de 'Microsoft'. Así no vamos bien Feb 05, 21 sistemas operativos
[HowTo] Extirpar todo rastro del repositorio de MicroSoft que Raspbian / RaspBerry Os instala furtivamente Feb 05, 21 sistemas operativos
[HowTo] Configuración de 'i3wm', vol.01b: Cambiar el fondo de pantalla (wallpaper) en OpenBox, i3wm, etc... sin software extra, bajo Debian y derivados Feb 01, 21 sistemas operativos
[HowTo] Configuración de 'i3wm', vol.01a: Cambiar el fondo de pantalla (wallpaper) en OpenBox, i3wm, etc... sin software extra, bajo Debian y derivados Feb 01, 21 sistemas operativos
[HowTo] 'diff'. Comparar directorios ô archivos Jan 30, 21 sistemas operativos
[HowTo] Transferir un backup completo de un sistema GNU Linux a un disco NTFS Jan 28, 21 sistemas operativos
Por qué Open Media Vault monta los discos por 'UUID' y no por 'label' Jan 28, 21 sistemas operativos
Listado de editores de código / IDE interesantes Jan 18, 21 sistemas operativos
[HowTo] guardar una página web en formato .pdf mediante wkhtmltopdf Jan 17, 21 sistemas operativos
[HowTo] guardar una página web en formato .pdf mediante pandoc Jan 17, 21 sistemas operativos
Releases de NextCloud Jan 15, 21 sistemas operativos
[HowTo] Instalación de i3wm en Debian 10 vía repositorio oficial Jan 14, 21 sistemas operativos
[HowTo] Mejor forma de instalar 'youtube-dl' en Debian y derivados. I Jan 13, 21 sistemas operativos
[HowTo] Incorporar pista de audio a una pista de video Jan 05, 21 multimedia
Juegos de submarinos Jan 02, 21 juegos
[HowTo] Corregir error de timeout cuando freshclam (clamav) actualiza la base de datos de malware Jan 02, 21 sistemas operativos
[HowTo] ClamAv antivirus en GNU Linux Ubuntu Jan 02, 21 seguridad
[HowTo] Antivirus en línea Jan 02, 21 seguridad
Qué pedirle a un 'pendrive' USB Jan 01, 21 hardware
Qué pedirle a un cable Jan 01, 21 hardware
[HowTo] Corregir error en Jekyll (Gitlab): versión listen vs versión ruby Jan 01, 21 programación
'terminal getty' vs. 'emulador de terminal' Jan 01, 21 sistemas operativos
Recomendaciones de software de Mhyst (2020): predicando en el desierto Dec 31, 20 productividad
[HowTo] Trocear un video Dec 29, 20 multimedia
[HowTo] Cálculo aritmético desde línea de comandos (con decimales incluso) Dec 29, 20 sistemas operativos
Juegos para aprender 'vi': 'vimadventures', 'vimtutor', 'pacvim', 'openvim tutorial' Dec 26, 20 productividad
En nano no existe overtyping Dec 26, 20 productividad
[HowTo] editor 'nano': parámetros de arranque útiles Dec 26, 20 productividad
[HowTo] Cambiar el propietario de un archivo/directorio en GNU Linux Dec 25, 20 sistemas operativos
[HowTo] Cambiar los permisos de un archivo/directorio en GNU Linux Dec 25, 20 sistemas operativos
[HowTo] Activar/Desactivar 'modo de mantenimiento' ('maintenance mode') en NextCloud/NextCloudPi Dec 23, 20 sistemas operativos
[HowTo] Apps de NextCloud20 'Text', 'Plain Text Editor' y 'MarkDown Editor'. Funcionamiento independiente vs. funcionamiento en conjunto (suite) Dec 23, 20 productividad
[HowTo] Solucionando errores en la base de datos de NextCloud mediante el comando 'occ' Dec 22, 20 sistemas operativos
[HowTo] Acceder a la línea de comandos de un contenedor docker Dec 22, 20 sistemas operativos
[HowTo] Deshabilitar 'theming' en NextCloud mediante el comando 'occ' Dec 22, 20 sistemas operativos
[HowTo] Edición MarkDown a 2 columnas (código y previsualización) en NextCloud 20 con 'MarkDown Editor' y 'Plain Text Editor' Dec 21, 20 sistemas operativos
[HowTo] Descargar subtítulos de Youtube, nativos y/o autogenerados en el idioma que queramos Oct 09, 20 descargas
Bloqueadores de publicidad, filtros de contenido. [vol. I]: un listado Oct 06, 20 seguridad
En la comunidad RaspBerry Pi los términos "firmware" y "kernel" aparecen confusos Oct 06, 20 sistemas operativos
[HowTo] "cmdline.txt": la línea de comandos del kernel de RaspBian Oct 06, 20 sistemas operativos
[HowTo] Apagado y Reinicio correctos en RaspBerry Pi Oct 06, 20 sistemas operativos
[HowTo] Suscribirse y reproducir podcasts desde la terminal (CLI): castero Oct 05, 20 sistemas operativos
[HowTo] Conocer si un programa está instalado en nuestro sistema GNU Linux Oct 05, 20 sistemas operativos
[HowTo] Conocer el estado de carga de la bateria desde línea de comandos (CLI) Sep 29, 20 sistemas operativos
[HowTo] Averiguar el fabricante de un dispositivo de red mediante su dirección MAC (online y offline) Sep 29, 20 redes
¿Cuánta memoria RAM consumen los escritorios de GNU Linux Sep 29, 20 sistemas operativos
[HowTo] Instalación netinstall de Debian en netbook Compaq Mini Sep 28, 20 sistemas operativos
Gérmen de rendición a la obsolescencia en GNU Linux Sep 28, 20 sistemas operativos
[HowTo] Provocar analisis disco del sistema en GNU Linux Sep 26, 20 sistemas operativos
[HowTo] UFW (Uncomplicated FireWall) básico Sep 26, 20 redes
[HowTo] Compilar "devilutionX" para jugar Diablo 1 en x86 Atom (Debian Buster) Sep 26, 20 sistemas operativos
¿Harto de Firefox? Alternativas: WaterFox, LibreFox, LibreWolf, min browser, Basilisk, epiphany, etc Sep 26, 20 sistemas operativos
[HowTo] Diablo 1 en GNU Linux mediante devilutionX Sep 21, 20 juegos
[HowTo] Búsquedas desde la línea de comandos GNU Linux Aug 31, 20 sistemas operativos
[HowTo] Comprobar si una conexión de acceso a internet está sometida a CG-NAT Aug 30, 20 redes
[HowTo] Varios métodos de acceso desde GNU Linux a cuenta NextCloud Aug 30, 20 redes
[HowTo] Acceso desde Nautilus mediante webdav a cuenta NextCloud Aug 30, 20 redes
CG-NAT Aug 30, 20 redes
Algunos servidores DNS de interés Aug 29, 20 redes
[HowTo] Colores en markdown Aug 23, 20 productividad
[HowTo] Cifrar sin interrupciones mediante gpg desde línea de comandos (CLI) Aug 23, 20 cifrado
[HowTo] Identificación de imagenes duplicadas Jun 24, 20 sistemas operativos
'Expresiones regulares' y 'Secuencias de escape' útiles en las búsquedas: BARRA INVERSA Jun 15, 20 sistemas operativos
[HowTo] Cálculo del bitrate de un video para su recompresión en 2 pasadas Jun 11, 20 multimedia
Películas de dominio público Jun 10, 20 multimedia
[HowTo] BuckleSpring (y otros): incorporación de sonido a las pulsaciones del teclado en GNU Linux Jun 06, 20 sistemas operativos
[HowTo] Incorporar monitor de sistema a CrunchBang++ y parientes similares Jun 05, 20 sistemas operativos
[HowTo] Monitorix: instalación, configuracion, uso básico Jun 05, 20 sistemas operativos
Atajos de teclado en Lynx Jun 05, 20 sistemas operativos
[HowTo] Montar webdav desde línea de comandos en cliente GNU Linux Jun 04, 20 sistemas operativos
[HowTo] Obtener toda la información sobre nuestro procesador desde línea de comandos en GNU Linux May 27, 20 sistemas operativos
[HowTo] Añadir resaltado de sintaxis al editor de textos NANO May 25, 20 sistemas operativos
Repositorio con todos los resaltados de sintaxis (.nanorc) para nano May 25, 20 sistemas operativos
Otra faceta de la vida útil de las memorias usb May 24, 20 almacenamiento
[HowTo] SeaHorse: integrar el cifrado gpg en el menú contextual del gestor de archivos en Gnome (nautilus, nemo, caja, etc) May 24, 20 cifrado
[HowTo] Instalación de Kleopatra en Ubuntu y derivados May 23, 20 cifrado
[HowTo] cygwin: GNU Linux en Windows May 23, 20 sistemas operativos
[HowTo] instalacion de HandBrake en Ubuntu y derivados May 14, 20 sistemas operativos
[HowTo] reparar mediante mencoder archivo de video dañado May 13, 20 multimedia
[HowTo] Extraer mediante ffmpeg el audio de un archivo de video May 13, 20 multimedia
Páginas útiles para todo aquel que descarga 'cosas' de internet May 13, 20 descargas
[HowTo] Generación automática de sitemap.xml para blog Jekyll en GitLab May 03, 20 programación
[HowTo] Acceder a la Terminal en Mac Os May 02, 20 sistemas operativos
[HowTo] youtube-dl: solución 'ERROR: unable to download video data: HTTP Error 403: Forbidden' May 01, 20 multimedia
[HowTo] Creación de un blog Jekyll en GitLab Apr 28, 20 programación
¿De Blogger a Gitlab/Jekyll + Disqus?: salir del fuego para meterse en las brasas Apr 26, 20 programación
Extirparle el DRM a un ebook .acsm Apr 25, 20 crack
Colores HTML, un par de enlaces Apr 25, 20 programación
NewPipe: contenidos de youtube con privacidad y con privilegios de cliente de pago (sin pagarles un céntimo) Apr 23, 20 Multimedia
[HowTo] 'FreeTube': 'YouTube' sin publicidad al más puro estilo 'NewPipe' Apr 23, 20 sistemas operativos
[HowTo] Cosas que hacer para mejorar PiHole tras instalarlo Apr 21, 20 privacidad
El tiempo da o quita razones. Una mirada atrás a la 'era de la descarga directa' Apr 20, 20 descargas
¿Cargadores (de teléfonos móviles) con 'premio'? Apr 20, 20 seguridad
"Gratis" Apr 19, 20 internet 4.0
[HowTo] Comienzo con 'vim', II: descendientes / variantes de 'vi' Apr 19, 20 sistemas operativos
[HowTo] Comienzo con vim. I Apr 19, 20 sistemas operativos
Saque todo lo que pueda de los soportes ópticos (cd/dvd), si no lo ha hecho ya Apr 16, 20 almacenamiento
[HowTo] Acetone ISO en GNU Linux Ubuntu Apr 13, 20 sistemas operativos
[HowTo] 'pdfjoin': concatenar 2 ó más documentos '.pdf' desde línea de comandos Apr 03, 20 sistemas operativos
[HowTo] split: Trocear archivos en linux Mar 22, 20 sistemas operativos
[HowTo] Proxies de acceso a 'ThePirateBay' Dec 09, 19 descargas
Listado de métodos / sistemas de backup en GNU Linux Dec 07, 19 sistemas operativos
[HowTo] Instalación del navegador web 'Brave' en Ubuntu 18 (y similares) Nov 28, 19 sistemas operativos
[HowTo] Generación de un listado de todos los ficheros y directorios de un dispositivo de almacenamiento Nov 04, 19 sistemas operativos
[HowTo] Crear desde el Terminal la ISO de un soporte de almacenamiento o de una carpeta Nov 03, 19 sistemas operativos
[HowTo] Instalación de 'openssh-server' (servidor SSH) en Debian y derivados Oct 31, 19 sistemas operativos
[HowTo] Mostrar el número de línea en el editor 'nano' cuando Alt+Shift+3 no funciona Jul 21, 19 productividad
[HowTo] Instalación de pandoc en Debian y/o derivados Jul 21, 19 sistemas operativos
[HowTo] Conversión básica de textos y/o web mediante pandoc Jul 21, 19 sistemas operativos
[HowTo] Atajos de teclado del editor 'nano' Jul 21, 19 productividad
[HowTo] Comparación de la suma de verificación md5 de varios directorios mediante 'tar' Jun 30, 19 sistemas operativos
[HowTo] `nohup`: para que un trabajo iniciado en segundo plano no se cancele "si nos vamos" Jun 25, 19 sistemas operativos
[HowTo] Monitorización de RaspBerry Pi [volumen 3]: temperaturas de CPU y GPU, frecuencia y voltaje desde línea de comandos (CLI) Jun 24, 19 sistemas operativos
[HowTo] Monitorización de RaspBerry Pi [volumen 2]: Monitorix, Raspberry-Pi-Status y Monitoriza-Tu-Raspberry Jun 24, 19 sistemas operativos
[HowTo] Monitorización de RaspBerry Pi [volumen 1]: rpi-monitor Jun 24, 19 sistemas operativos
[HowTo] Comandos de GNU Linux para identificar el hardware de RaspBerry Pi Jun 24, 19 sistemas operativos
[HowTo] Cálculo del número de archivos y subdirectorios que contiene un directorio mediante 'find' Jun 24, 19 sistemas operativos
[HowTo] Averiguar el tamaño de un directorio desde línea de comandos (CLI) mediante 'du' Jun 24, 19 sistemas operativos
[HowTo] Mantener vivo un iPad antiguo, vol.01: instalar aplicaciones 'no tenidas antes' Jun 23, 19 sistemas operativos
Directorios donde 'iTunes' almacena respaldos Jun 23, 19 sistemas operativos
[HowTo] Auditar la velocidad máxima de una red ethernet mediante 'iperf' en GNU Linux Jun 22, 19 sistemas operativos
[HowTo] Extirpación manual de componentes nativos de Windows 10 Jun 19, 19 sistemas operativos
[HowTo] Arrancar RaspBerry Pi 3b desde hdd usb mecánico May 04, 19 sistemas operativos
[HowTo] Comprobación de que un directorio y sus subdirectorios se han transferido correctamente a su destino Apr 18, 19 sistemas operativos
[HowTo] Añadir soporte de arranque usb a RaspBerry Pi 3b Feb 26, 19 hardware
[HowTo] Comparación de discos, directorios y archivos May 06, 14 sistemas operativos
TuxGuitar en Ubuntu Dec 01, 12 Guitarra
pRoJEct-NeGYa 使用说明 Jul 16, 91 Sample
Text Styles and Markdown Quick Reference May 25, 91 Sample
Búsqueda Apr 24, 91
Una herramienta de Encriptado y Desencriptado mediante sjcl.js Apr 16, 91 Sample
Welcome to Jekyll! Mar 24, 91 Sample
dummy sample post 1 Mar 09, 91 Dummy
Sample Code - Quick Sort in Python Feb 04, 91 Sample
Test Toc Level - TOC_LEVEL = 6 Jan 01, 91 Dummy
Features Jan 01, 91 Sample