Configuração de Implantação de Discurso Opinativo do MKJ

I have been running a Discourse forum with a substantial amount of content and plenty of images over the past few years. Maker Forums has over 100GB of images and over 400,000 posts, of which a substantial amount was imported, primarily from Google+, and the rest was created on the site. This post describes elements of how I eventually configured Maker Forums and, later, a few other Discourse instances. This is what I wish I knew when I got started, and which I’ve used to help others avoid some of the same pitfalls for their own Discourse instances.

Time for a wider audience.

:warning: Warning: If you are not comfortable working as a Linux systems administrator, this guide is probably not for you. I may not even be aware of all the ways that it presumes knowledge about Linux. If this feels enlightening to read, you may be the target audience. If it feels confusing to read, you are probably not the target audience. If this feels like work, please consider paying CDCK or @pfaffman to run Discourse for you; they know what they are doing. :warning:

:warning: As if that weren’t enough: I have more Linux expertise than Discourse expertise. My opinions come with no warranty. If trying to follow my advice causes anything of yours to break (your Discourse forum, your host system, or your heart) you get to keep both pieces, with all the sharp edges. I have no plans to provide any form of support for the content in this post. :warning:

I plan (but do not promise) to keep this document up to date with my practices covering the Discourse instances that I participate in maintaining. This is written in the form of advice, but I intend it primarily as advice to myself and to any administrators who inherit Discourse deployments that I have been responsible for. Otherwise, you should consider it as one jumping-off point for your own research to determine how you would like to deploy Discourse.

System Setup

Use a CentOS-derived or Ubuntu LTS OS. Anything that supports Docker can probably be made to work, but I’ve used those two.

Docker

I’m a Fedora user. I was the first Fedora Project Lead at Red Hat, and I’d much rather run Discourse on top of Podman because I opine that its security model is preferable to Docker’s. However, Discourse deployments are supported only on Docker, and you will be quite a pioneer if you try to run on top of anything else. (It may, someday, work with Podman using podman-compose if docker-compose is ever supported.)

Now that Docker supports cgroups v2, you can install the official Docker builds on a CentOS-derived system:

dnf config-manager --add-repo https://download.docker.com/linux/centos/docker-ce.repo
dnf install --allowerasing docker-ce docker-ce-cli

(Include --alloweraseing because of a conflict with podman, runc, and buildah that may already be installed; they need to be erased to install docker.)

systemctl enable --now docker

I have tested this with AlmaLinux 9.

Security

This section really has nothing to do with Discourse per se, but it’s part of my normal security practice. Don’t allow password-only shell access to any system on the network, including a VM running Discourse. Set up SSH-based access using a passphrase-encrypted SSH key, and configure the ssh server on your VM not to allow password access.

laptop$ ssh-keygen
Generating public/private rsa key pair.
Enter file in which to save the key (/.../.ssh/id_rsa):
Enter passphrase (empty for no passphrase): SOME LONG PHRASE
Enter same passphrase again: SOME LONG PHRASE
Your identification has been saved in .ssh/id_rsa
Your public key has been saved in .ssh/id_rsa.pub

Linux distributions are normally set up to remember the passphrase in memory, so you only have to type it once per boot. Windows is not as convenient; you might consider using Pageant with PuTTY to do the same.

First, validate that incoming SSH works without a password. Only after doing that, on the server, modify the file /etc/ssh/sshd_config and find the PasswordAuthentication line. Set it to no to disable incoming password access.

PasswordAuthentication no

Firewall

You will need to leave ports 80 and 443 generally open for letsencrypt to generate and renew your SSL certificates, even before your Discourse is open to the public.

If you are using firewalld, these commands will accomplish this:

firewall-cmd --add-service http --add-service https --zone public
firewall-cmd --runtime-to-permanent

Separate device and file system

Make /var/discourse/shared a separate device with its own file system, with 20GB of space plus at least twice as much room as you need for images; add more space if you will be using prometheus. If the device will be easy to expand later (such as LVM or any cloud block storage like AWS elastic block storage) you can monitor and grow it as you need to; otherwise be generous at the start. If you are using a network storage block device, do not put a partition table on it. Using it without a partition table will make it easier to expand; you will not have to modify a partition table. In many cases you will be able to expand without any system downtime.

On Maker Forums, this is a network storage block device attached to the VM on which Maker Forums is running. On another Discourse forum, it is a Digital Ocean Block Storage Volume. In Amazon, this would be AWS Elastic Block Storage. On my test system running a KVM VM under libvirt on Fedora, it is an LVM volume on the Fedora host exported to the AlmaLinux VM as a virtual disk. In each case, I could create a new VM, copy key files across to it, stop the old VM, attach the /var/discourse/shared volume to the new VM, and be back up and running in minutes. This makes operating system upgrades on the VM relatively low risk.

Make sure that you start out with at least 25GB on the root filesystem for your VM, not including any space for /var/discourse/shared. This will be used for all the docker containers, and the discourse launcher will fail if less than 5GB is free at any time. You want plenty of space available for system updates, too. If you don’t have enough disk space, this is hard to recover from.

In site configuration, do set force_https but heed the warnings. Set it up in test, before taking a Discourse site public. Note that even with force_https you need port 80 open, both to redirect to SSL on port 443 and to renew your letsencrypt SSL certificate. (However, if you are using cloudflare, use its feature instead; it is reported to be not compatible with force_https in Discourse.)

Kernel configuration

Redis (one of the key components on which Discourse is built) strongly recommends disabling transparent huge pages when using on-disk persistence (which Discourse does), and I also allow memory overcommit.

echo 'sys.kernel.mm.transparent_hugepage.enabled=never' > /etc/sysctl.d/10-huge-pages.conf
echo 'vm.overcommit_memory=1' > /etc/sysctl.d/90-vm_overcommit_memory.conf
sysctl --system

Discourse Installation

While the default installation is a single container, this makes every upgrade, recommended monthly, typically a 10-15 minute downtime if done from the command line, which is necessary for some updates, including those updating the tools on top of which Discourse is built, for security or new features, or when the live update from the UI fails for any reason. You can reduce that downtime in practice with the two-container installation.

Two-container installation

Start the configuration with two containers.

./discourse-setup --two-container

This makes required system downtime every few months quite short, rarely noticeable; many users won’t notice at all if they don’t click or scroll past content during the outage. This makes it easier to apply most security updates; it’s just a blip rather than approximately 15 minutes of rebuilding everything. The following process works for most updates and typically gives approximately 30-90 seconds of downtime, depending primarily on the performance of the host system and the set of plugins installed.

cd /var/discourse
git pull
./launcher bootstrap app
./launcher destroy app && ./launcher start app
./launcher cleanup

Do not delay between the bootstrap and the destroy/start invocations. Infrequently (maybe once or twice a year in practice), the database migrations done near the end of the bootstrap phase will cause more or less serious errors to present to users of the app, due to the older code accessing the updated database.

This does mean that when you update Discourse, you have to also check whether to update the data container as well, but this is rarely required (typically expect once or twice per year). Depending on the contents of your data and app containers and the speed of the system, this will typically result in a downtime between 5 and 20 minutes.

cd /var/discourse
git pull
./launcher stop app
./launcher rebuild data
./launcher rebuild app

For more on knowing when to update the data container, see:

(In my own deployments, I personally chose to call the web_only container app both because it’s easier to type and because it makes most instructions easier to follow. This is non-standard but I keep appreciating the ease of use. However, it was extra work, and it works for me because I know what is going on. If that sounds bad to you, stick with the default web_only instead for a multi-container deployment.)

Note that at some point in the future, Docker may force you to do a migration to a new configuration for connecting your containers:

If you have 4GB or more of memory, or multiple CPUs, read advice at:

Update Schedule

Watch the release-notes tag (Click on release-notes and click on the bell at the upper right; I use “Watching First Post”) and/or add https://meta.discourse.org/tag/release-notes.rss to your RSS feed to know when there are releases. Read the release notes before updating. If there is a database change, the release notes will mention it. They will also call out releases that contain security updates. Read all release notes even if you skip actually updating to some version; if you don’t read the release notes for a release that updates the database, you might miss database update instructions in the release notes you didn’t read.

Mail

Mail is still one of the key ways to keep connecting people. Set up outgoing and incoming mail to make mail work for you. If you have trouble see:

Keep reaching out

Maker Forums has seen occasional visitors who are gone for long stretches before returning. By default, Discourse stops sending digest emails after a year. Consider setting the suppress_digest_email_after_days to something longer than the default 365 days if you want to encourage occasional visitors to come back when they see something new and interesting. I made it substantially longer for Maker Forums to support occasional visitors keeping up to date. Reading digest emails is a valid way to “lurk” on a forum, and you never know when something is going to spark someone’s interest in contributing.

Similarly, by default, unprivileged users who haven’t interacted much (trust level 0 with no posts) are eventually deleted after 730 days of not logging in. Set “clean up inactive users after days” to 0 to disable deleting users, if you want them to be able to lurk reading digest emails indefinitely.

Consider adding the yearly review plugin which once per year, will generate a post like 2020: The Year in Review and ultimately email it to your inactive users which may encourage them to renew participation.

Mail receiver container

Set up a third container as a mail receiver. It ensures bounce processing, makes your bounce processing independent of outgoing mail provider, and gives you the option of reply-by-email.

Make sure you have SPF set up for trusting your email sender; minimally, a policy like v=spf1 +mx -all if you send and receive through the same MX, but more specific may be better trusted as spam protection. Consider DKIM as well.

If you use the same host name to receive email, you should really terminate SSL outside your container as for an “offline page” (see below) and will need to map your certbot certificates into the container and restart the container after running certbot.

Terminate user SSL connections outside the container

There are two choices for terminating SSL outside the container, either of which brings substantial advantages over terminating inside the container. Set up one of them after you have successfully completed discourse-setup and bootstrapped your forum.

External nginx

Use nginx running on the host system, rather than only in a container, both to host a maintenance page, and to support IPv6 address logging if your host has IPv6 support. (Otherwise, all IPv6 connections will be logged as coming from an internal RFC1918 address associated with your local docker virtual network interface.) This configuration will present a temporary maintenance page during most maintenance operations that will eventually redirect back to the page a user was looking at.

Note that the instructions on that page (currently) suggest installing a package called letsencrypt but it is now normally called certbot instead. If you follow the instructions on that page to use --certonly, you will not need the nginx plugin for certbot, but installing the nginx plugin is another mechanism. On CentOS derivatives that’s:

dnf config-manager --set-enabled crb
dnf install epel-release
dnf install certbot python3-certbot-nginx
systemctl enable --now certbot-renew.timer

Make sure that certbot restarts nginx and the mail receiver container so that you do not end up with browsers or email blocking traffic with your site due to continuing to use an old, expired certificate.

# systemctl edit certbot

For a system without a mail receiver, I added the two lines:

[Service]
ExecStartPost=/bin/systemctl reload nginx

On a system where I’m using a separate mail-receiver container that also shares the cert from the system:

[Service]
ExecStartPost=/bin/systemctl reload nginx
ExecStartPost=/bin/sh -c 'cd /var/discourse && ./launcher restart mail-receiver'

If you are using SELinux, the Ubuntu containers aren’t set up to label the nginx.http.sock file with httpd_sys_content_t for external nginx to be able to access it. You have two choices.

The first is to run nginx in permissive mode, removing SELinux protection for it: semanage permissive -a httpd_t

However, that removes SELinux protection from what is probably the most relevant service! To keep SELinux enabled, you will need to allow nginx to access the error pages and switch from proxying over a unix domain socket to a port (which is a few µs slower, but should not be noticeable to your users).

First, run these commands to allow nginx to access error pages:

semanage fcontext -a -t httpd_sys_content_t /var/www
restorecon -R -v /var/www

Then in your app.yaml, comment out or remove the - "templates/web.socketed.template.yml", expose port 80 as a different port on the local machine and rebuild the container.

expose:
  - "8008:80"   # http

Don’t use https here — you have terminated SSL in the external nginx, and the X-Forwarded-Proto header tells Discourse that the request came in via https. Make sure that port 8008 (or whatever other port you have chosen) is not exposed publicly by your firewall settings.

Then run this command to allow nginx to connect over the network to the containre:

setsebool -P httpd_can_network_connect 1

Then modify your external nginx configuration from proxying via nginx.http.sock to http://127.0.0.1:8008 (or your chosen port) and clear the default Connection: close header, so that the external nginx doesn’t have to establish a new IP connection for every request.

...
  location / {
    proxy_pass http://127.0.0.1:8008;
    proxy_set_header Host $http_host;
    proxy_http_version 1.1;
    # Disable default "Connection: close"
    proxy_set_header "Connection" "";
...

Removing web.socketed.template.yml also removed the real_ip invocation, so add that back. Make sure that the IP address range you use makes sense; Docker’s default is to use the 172.* RFC1918 address space. Add to your app.yml file something like this:

run:
  - replace:
     filename: "/etc/nginx/conf.d/discourse.conf"
     from: /listen 80;/
     to: |
       listen unix:/shared/nginx.http.sock;
       set_real_ip_from 172.0.0.0/24;
  - replace:
     filename: "/etc/nginx/conf.d/discourse.conf"
     from: /listen 443 ssl http2;/
     to: |
       listen unix:/shared/nginx.https.sock ssl http2;
       set_real_ip_from 172.0.0.0/24;

This is required for rate limiting to work correctly.

External service

I have not configured Fastly or Cloudflare in front of Discourse, but others have, and unlike external nginx running on the host, they can allow you to serve a maintenance page while the host system is entirely down, such as when rebooting during a system update on your host. If this is worthwhile to you, here’s how to do it:

Don’t rush to S3 uploads

Be very sure you always want to use S3 (or equivalent) for uploaded images before you enable enable_s3_uploads during setup, or migrate to it later. Be aware that using S3 (s3_endpoint) with its associated CDN (s3_cdn_url) for images will also result in serving javascript via that CDN. Migrating from S3 back to local storage is not supported and there are no concrete plans to implement it at this time. It’s a “one way door” that can’t even be undone by a full backup and restore. If you do use S3 or similar, don’t use Digital Ocean Spaces instead of S3. There are references here on meta to it not being reliable.

I moved my site to serving images through Digital Ocean Spaces and its associated CDN early on, and I had to write hundreds of lines of custom code to migrate back to local storage, doing minor damage to my Discourse instance in the process, due to the “one way door” not being well understood.

For more information:

You do not need to enable S3 uploads to use a CDN for your Discourse. Consider using an independent CDN (e.g. Cloudflare, CloudFront, Fastly, GCS CDN) in front of a Discourse that manages its own images. It is my second-hand understanding that the warning about Cloudflare not being recommended is due to “Rocket Loader” modifying JavaScript; and that at this time, as long as you don’t use “Rocket Loader” it functions correctly.

Discourse settings for moderation

On any site where moderation is active, strongly consider the enable_whispers configuration that allows moderators and administrators to talk about a topic in line. Also, category moderators have been given more abilities in recent versions of Discourse. It is worth being aware of enable_category_group_moderation if you have experts in different topics with their own categories, or if you have functionally separate categories such as for support.

Geolocation can be helpful when trying to understand whether an account is legitimate.

The Discourse Templates plugin is really helpful for moderators. It lets you collaborate on common responses. We have a few dozen at Maker Forums. It has more features than the prior “Canned Responses” plugin that it replaces.

The User Notes plugin will help moderators share notes about users. You can put these to use for things like:

  • “Keep an eye on this user, they may be malicious because …”
  • “While this behavior seems suspect, I have validated that this is a legitimate user by …”
  • “I’m already having a conversation with this user to address concerns, other moderators don’t need to pile on.”

Information Accessibility

The Discourse Solved plugin not only marks solved problems so that site visitors can identify them more easily, but I understand might also prioritize google search results.

Public information is more accessible than private information. On Maker Forums, our FAQ strongly discourages personal messages and reminds everyone that personal messages are not truly private. However, by default, users may see the message:

You’ve replied to user 3 times, did you know you could send them a personal message instead?

If you really want to encourage users to go to personal messages, I suggest that you go to Admin → Customize → Text and change the get_a_room template to fix the comma splice.

If, like Maker Forums, you want to keep conversation in public to benefit everyone, Admin → Settings → Other → get_a_room_threshold can be set higher, like 1000000.

Similarly, if you have a forum providing help, the max_replies_in_first_day default 10 might push new users in a conversation asking for help into personal messages when they use up their budget of replies. Consider increasing this setting to avoid pushing conversations into personal messages.

Connect users, build a community

A few plugins can help connect users to each other.

If your forum doesn’t have too many simultaneous users, consider the Who’s Online plugin to give people more of a sense of connection. You might want to limit display to logged-in users, possibly only those who have reached at least trust level 1. You can use it only to add presence flair (whos_online_avatar_indicator) to avatars by setting whose_online_minimum_display very high and whos_online_hide_below_minimum_display true. This can be useful for support forums to support and encourage quick question and answer while helping users resolve problems.

However, a sense of presence can cut both ways. A user who is online at a different time from the majority of forum users might feel lonely, or the forum might feel like a “ghost town” to them.

If you have users in many countries and want them to have hints about when each other are more likely to be available, consider the National Flags plugin, and encourage users to set a national flag in their profile.

A tricky one is translation. It would be convenient to help people communicate when they don’t speak the same language, but currently (as of this writing) there are no translation services with free tiers of service. If you choose to pay for translation services, you can enable translation with the Discourse Translator plugin.

Backup

For system files, consider backing up at least:

  • /var/discourse/containers (for discourse configuration details)
  • /var/www (for error pages)
  • /etc/ssl (for letsencrypt config, to avoid having to bootstrap certbot as part of restoring a backup; otherwise you have to comment out the SSL portion of your nginx configuration while you are bootstrapping; this works only if you keep the backups recent because the certificates have short validity)
  • /etc/systemd/system/backup-uploads.service (for doing images backups to S3)
  • /usr/local/bin/mc (minio-client as image backup tool, if you choose to use it)
  • /root/.mc (configuration for image backup with minio-client)
  • /root/.ssh (incoming SSH session authentication)

Some of these files you may back up by checking them into Git and pushing them somewhere off site. If the files you check into Git include secrets (like database passwords), definitely don’t push them to a public repository. Alternatively, you could script copying them off the system and checking them into Git on a supervisory system that you control. Script this sufficiently frequently to keep your backups of /etc/ssl fresh.

The goal is to have backups both in case of disaster and to have record of changes in case of mistake.

A better alternative for most of these files is to keep the canonical copies elsewhere, and use a tool like Ansible to maintain the configuration on the system, which makes it just as easy to update after a backup. But if you are going to do that, you probably figured it out without me telling you!

Discourse Configuration for backup

  • Back up thumbnails with include_thumbnails_in_backups. A restore without thumbnails takes a long time to regenerate them. If your site doesn’t have many graphics, the thumbnails take insignificant space. If your site is graphics-rich, regenerating thumbnails could take days. While thumbnails are being regenerated, email notifications will be disabled. Either way, it makes no sense to omit thumbnails from backups.

  • Do not include images in backups if you have lots of images. This will make backups slow and unwieldy. Back them up separately. If you back up images after your database backup, your backups will be consistent.

  • Arrange for backups to go off site somehow.

This page shows how to set up database backups to S3 or something like S3:

While database backups can be stored to S3, there is no S3 image backup separate from serving images from S3. An alternative is to use minio-client to copy images to any S3-like storage. This can be many S3-like targets, including S3 and minio, but not DigitalOcean Spaces because it is built on top of the Ceph filesystem which does not implement the ListObjectsV2 API the same way that S3 does.

In S3, create a bucket that blocks public access (PermissionsBlock public access is the easy way to get this right in AWS).

Install minio-client (mc) somehow. Here’s one way.

curl https://dl.min.io/client/mc/release/linux-amd64/mc > /usr/local/bin/mc && chmod +x /usr/local/bin/mc

Configure minio-client with an alias called backup using a command something like this:

# mc alias set backup https://s3.amazonaws.com ACCESSKEY SECRETKEY --api S3v4
# mc mirror /var/discourse/shared/standalone/uploads backup/UPLOADS-BACKUP-BUCKET

Then create a service /etc/systemd/system/backup-uploads.service like this

[Unit]
Description=Neartime remote backup sync of discourse uploads
After=network.target
StartLimitIntervalSec=0

[Service]
Type=simple
Restart=always
RestartSec=600
User=root
ExecStart=/usr/local/bin/mc mirror --overwrite -a --watch /var/discourse/shared/app/uploads backup/UPLOADS-BACKUP-BUCKET

[Install]
WantedBy=multi-user.target

Note that UPLOADS-BACKUP-BUCKET here should be a different bucket from the s3_backup_bucket into which you configure discourse to upload database backups. Also, note that the path will be /var/discourse/shared/web_only/uploads if you use the standard multi-container deployment.

# systemctl enable backup-uploads
# systemctl start backup-uploads
# journalctl -fu backup-uploads

Upload a test image and make sure you see lines for successfully backing up the original and optimized images. Control-C will exit follow mode in journalctl.

Recovery

I have never had to test this plan as of this writing. This summary might miss something.

  • Restore all backed up files generally
  • Start nginx (now your maintenance page will show)
  • Do a normal deployment of Discourse using the restored files in /var/discourse/containers
  • Install minio-client in /usr/local/bin/mc if you didn’t restore it from backups
  • If you did not back up /root/mc, set up the backup alias # mc alias set backup https://s3.amazonaws.com ACCESSKEY SECRETKEY --api S3v4
  • # mc cp backup/UPLOADS-BACKUP-BUCKET /var/discourse/shared/app/uploads
  • Restore the most recent database backup; I recommend that you Restore a backup from the command line
  • Only after you have confirmed the site is operational, re-configure backing up uploads to S3 as documented above.

Streaming postgresql backups

In the future, I may create, test, and provide a configuration to enable using continuous WAL archiving to stream near-instantaneous Postgres backups with minio-client using the archive-command in postgresql, similar to streaming uploads backups.

Performance monitoring

There are at least two approaches to performance monitoring.

Prometheus container

Set up prometheus, putting prometheus logs in /var/discourse/shared/prometheus if you are running it on the same system. Prometheus files can grow large, and you do not want them to fill up the root file system; you also probably want to bring them along if you move to a newer host system (either upgrading to a larger VM or a VM with a newer operating system installation).

If you deploy prometheus on the discourse system (or anywhere else on the public internet), configure security in front of it. Installed that way, one option would be nginx configuration like this:

  location /prometheus/ {
    auth_basic "Prometheus";
    auth_basic_user_file /etc/nginx/prometheus-htpasswd;
    proxy_pass http://localhost:9090/;
  }

Sysstat

If Prometheus is too much, consider using sysstat instead.

  • dnf install sysstat (or apt install sysstat on debian and derivatives)
  • systemctl enable --now sysstat
  • systemctl enable --now sysstat-collect.timer
  • systemctl enable --now sysstat-summary.timer
  • In /etc/cron.d/sysstat change 5-55/10 to */2
  • In /etc/default/sysstat change false to true

After this, the sar command can tell you if you are running out of resources from time to time.

Other Resources

Here’s a complementary (and more compact) discussion of using Discourse internally as a primary form of internal communications.

52 curtidas

Hi, thank you for this howto

What are your current CPU (cores) and RAM?
What are your current settings:

  db_shared_buffers: "xGB"
  db_work_mem: "xMB"
  UNICORN_WORKERS:

2 vCPUs (L5640 Xeon), 4GB RAM — but thanks to the massive import we have larger content per simultaneous user than typical Discourse that has been built entirely organically. We rarely have more than 5 simultaneous users.

I have not currently set db_work_mem in data.yml but it looks like it’s set to 10MB in /etc/postgresql/13/main/postgresql.conf. In my data.yml I have set db_shared_buffers: "768MB" but now I see that /etc/postgresql/13/main/postgresql.conf in my data container says shared_buffers = 512MB which surprises me. Apparently I didn’t rebuild my data container after my last change. :roll_eyes: I made the configuration change before adding prometheus (using more memory) so before I change that I will probably move prometheus off that server instance.

In the app, I have set UNICORN_WORKERS: 4

1 curtida

obrigado @mcdanlj por todos esses brindes. Algum conselho sobre manutenção periódica/agendada? como reinicializações semanais/mensais? ou monitoramento de subida/descida com reinicialização automática? Alguma outra manutenção periódica manual ou automatizada?

1 curtida

@jaffadog Fique de olho na tag release-notes (é o sino no canto superior direito; eu uso “Assistindo a Primeira Postagem”) e/ou adicione https://meta.discourse.org/tag/release-notes.rss ao seu feed RSS para saber quando houver lançamentos. Isso é tipicamente mensal para o aplicativo, o que cobre reinicializações mensais. Eu não reinicio com mais frequência em um cronograma. Além disso:

Se você usa letsencrypt e mail_receiver, provavelmente deve configurá-lo para reiniciar o mail_receiver após obter um novo certificado.

É tudo o que me vem à mente no momento. Obrigado por perguntar, e incorporei como acompanhar release-notes e mais detalhes sobre reinicializações no texto principal. Acho que tudo agora está totalmente coberto na postagem original.

Eu aumentei as instruções de atualização para buscar atualizações em /var/discourse a fim de alterar a versão da imagem base, pois, ao analisar Update base image for polkit vulnerability, percebi que não ser explícito sobre esta etapa poderia ser enganoso. Eu estava pensando nisso como uma daquelas coisas que fazem parte da documentação de linha de base. O script launcher contém uma referência específica à versão da imagem base e, até que você execute git pull, você estará construindo sobre uma imagem base mais antiga e não executando o que foi testado. (Procure por image= perto do topo do arquivo.)

1 curtida

É pior do que isso: ele é configurado por padrão para excluir contas inativas de nível 0 após algum período. No meu caso, isso realmente não era o que eu queria! Verifique “limpar usuários inativos após dias” e defina para zero, ou um número realmente grande.

2 curtidas

Eu olhei para isso, mas, pelo que entendi, significa que eles nunca responderam ao fluxo de “confirme seu endereço de e-mail” e, portanto, não receberiam e-mails de qualquer maneira. Não acho que “inativo” aqui signifique “não fazer login no site”, mas gostaria de saber se estou enganado.

Não, “inativo” não significa active=false aqui.

Significa usuários onde todas as condições abaixo se aplicam:

  • nível de confiança 0
  • sem postagens
  • não é administrador, nem moderador
  • visto pela última vez há mais de X dias.

E sim, essa redação é realmente confusa, embora a configuração explique um pouco (“nível de confiança 0 sem nenhuma postagem”).

7 curtidas

Na verdade, eu estava confundindo configurações diferentes e tinha em mente “limpar usuários em staging não utilizados após X dias”. Eu já havia definido “limpar usuários inativos após X dias” para zero no Maker Forums há muito tempo e não mencionei isso aqui; devo ter esquecido em minha auditoria de configurações de site alteradas quando estava procurando por coisas que poderiam ser de interesse geral. Obrigado a ambos, @Ed_S e @RGJ! Atualizei a postagem com outro parágrafo sobre habilitar o “lurking”. :smiling_face:

3 curtidas

Olá @mcdanlj, obrigado pela sua excelente visão que você compartilha aqui. Em relação a uma instalação de 2 contêineres, estou confuso sobre como isso oferece uma vantagem na redução do tempo de inatividade durante as atualizações. Na minha instalação de teste, uma atualização via interface GUI /admin/upgrade#/upgrade/all leva vários minutos, como você descreve, mas o site permanece operacional para os usuários durante todo o processo.

Quando você tem que reconstruir a partir da linha de comando, a instalação dos dois contêineres permite que você inicialize a nova imagem enquanto a antiga continua em execução.

2 curtidas

Como sempre, o @pfaffman é mais rápido do que eu e entende do assunto. :smiley:

Eu nunca faço atualizações pela GUI. Dessa forma, toda vez que eu atualizo, incluo quaisquer atualizações de segurança do sistema nos contêineres subjacentes sobre os quais o Discourse está rodando. Isso não quer dizer que usar a GUI seja ruim, nem é uma recomendação para todos os outros. As atualizações da GUI têm um tempo de inatividade ligeiramente menor (reiniciar o contêiner da web faz o serviço bipar momentaneamente, o que é um dos vários motivos para considerar isso em conjunto com o nginx externo), então é uma troca, e eu escolhi o caminho menos percorrido.

Uma instalação de contêiner único tem interrupções mais longas com mais frequência, se você atualizar regularmente para atualizações de segurança, bem como para as atualizações ocasionais de versão do banco de dados, pois o Discourse aproveita os novos recursos do Postgresql. Sem revisar dados reais, minha intuição é que há um motivo para reconstruir isso 3-4 vezes por ano. Se essa quantidade de tempo de inatividade for aceitável do seu ponto de vista, não há muitos motivos para assumir a complexidade da implantação de 2 contêineres.

4 curtidas

Isso é muito gentil, mas o assunto são as suas opiniões. :wink:

Eu também não. Exceto com meu painel, que tem um monte de coisas extras no contêiner (como Ansible, e não me lembro exatamente o quê), e se alguém estiver fazendo uma atualização usando dashboard.literatecomputing.com e eu destruir esse contêiner, a reconstrução deles será encerrada, o que pode ser problemático. Então, tenho feito algumas atualizações do docker_manager ultimamente, e elas são muito boas.

Não exatamente. É pelo menos na maioria das vezes que, se houver uma nova imagem base, o docker_manager forçará você a obtê-la (pelo menos, ele tentará).

Isso está mais ou menos certo. Para constar, e não recomendo, mas interagi com um monte de gente que ficou anos sem fazer nenhuma atualização, sem nenhum problema.

Sim, não há dúvida de que as atualizações dentro do contêiner são bem implementadas!

Sim, era isso que eu queria dizer. :tada:

1 curtida

Olá novamente, obrigado a ambos pela visão. Então, ainda estou tentando decidir o que fazer para minha configuração de produção. Entendo em teoria por que uma instalação de 2 contêineres levaria a menos tempo de inatividade. Mas ainda estou vendo muito pouco tempo de inatividade com o mecanismo de atualização da GUI. Acabei de cronometrar, tive uma atualização do docker-manager e o Discourse estava 22 commits atrás. Todo o processo levou menos de 5 minutos e durante todo o processo o fórum estava totalmente operacional. Concedido que não houve atualizações do PostgreSQL desta vez, mas se fosse necessário atualizá-lo também, eu estaria olhando para a quantidade máxima de tempo de inatividade, mesmo com o método de 2 contêineres, correto? Então, se estou entendendo corretamente, o método de 2 contêineres só reduz o tempo de inatividade quando um login SSH e a reconstrução do contêiner do aplicativo são necessários devido a uma alteração de configuração (adicionar/remover plugins, etc.)? Não prevejo mudanças frequentes na minha configuração de produção, então não vejo nenhuma redução potencial no tempo de inatividade no meu caso. Ou eu também preciso fazer login via SSH e reconstruir os contêineres para aplicar certos tipos de atualizações de recursos/segurança?

Tudo bem.

Sim, você tem o tempo de inatividade total toda vez que atualiza o postgresql (a cada um ou dois anos, suponho, mais atualizações de segurança para o próprio PostgreSQL, não que elas tenham sido tão frequentes).

Antes de mudar, tive algumas falhas ao fazer as atualizações da GUI, mas não me lembro mais dos detalhes; história antiga.

As atualizações da GUI não atualizam a imagem base, portanto, todas as atualizações de segurança no software fornecido, como o processamento de imagens, não serão aplicadas lá.

Eu gosto de reconstruir o contêiner do aplicativo rapidamente como meu modo normal para consumir atualizações de segurança para o contêiner do aplicativo quando disponíveis, para que eu nunca adie isso por 10 minutos de inatividade para reconstruir tudo. É por isso que git pull no launcher faz parte da primeira parte da aplicação de todas as atualizações; para que, se a imagem base com coisas como programas de processamento de imagem tiver sido atualizada, elas sejam aplicadas sem que eu precise pensar em perguntar se há atualizações de segurança a serem aplicadas. :smiling_face:

Mas, no final, eu pessoalmente acho a abordagem de dois contêineres mais simples para mim, e eu absolutamente não estou tentando convencer outras pessoas a usá-la. Se não parecer mais simples para você com base em seu conhecimento e experiência, não o faça apenas porque meu guia pessoal e opinativo o identifica como útil em um determinado contexto. :grin:

1 curtida

Entendi! :wink: Eu também costumo ter opiniões fortes sobre detalhes de implementação de tecnologia, mas aprecio sua perspectiva adicional.

Hmm, então isso ainda é verdade?

De qualquer forma, em minha experiência com fóruns tradicionais instalados sem containerização em uma pilha LAMP/LEMP, o vetor de vulnerabilidade/ataque típico que leva a sites comprometidos no mundo real é quase sempre no código do aplicativo web ou em um de seus frameworks de desenvolvimento web. Portanto, eu tendo a ter um senso maior de urgência em relação às atualizações do codebase do Discourse, que parecem ser tratadas pela GUI, então acho que estou pendendo para esse lado.


A propósito, sobre o assunto de tempo de inatividade, uma rápida menção ao Clear Linux: Comecei a testá-lo devido às suas otimizações de baixo nível em pura computação numérica para tentar economizar algumas horas no meu enorme processo de importação de fórum. Pode haver de fato algumas melhorias de velocidade para esse caso, mas, em geral, santo Deus, é incrivelmente rápido para reiniciar, especialmente como um convidado KVM. Na camada mais barata de VPS, posso reiniciar e fazer login novamente no SSH em pouco menos de 5 segundos. Portanto, estou ansioso para usá-lo quando houver atualizações importantes do sistema operacional host.

Sim. Mas algumas vezes por ano você precisa fazer uma reconstrução pela linha de comando porque algum componente no contêiner foi atualizado. E então você terá de 5 a 15 minutos de inatividade. Eu praticamente só faço atualizações pela linha de comando (exceto no meu painel, onde posso atualizar apenas o plugin do painel várias vezes ao dia), e tenho vários clientes para os quais faço essas atualizações pela linha de comando quando são necessárias (presumivelmente eles estão fazendo atualizações pela interface web, mas muitas vezes não o fazem).

2 curtidas

O painel do Discourse notifica especificamente sobre esse tipo de atualização necessária? Ou devo ficar de olho nos PSAs do Debian?