Success - New Multisite Install on Dedicated server using ServerPilot, Nginx and Apache

Here’s what I did to install a successful installation of Discourse for multiple instances on a dedicated server that uses Nginx and Apache.

I decided to create a new topic since my installation seems to be a little unique from what I have seen others having to go through. I am very new to Nginx webservers and thought this might help others who may be struggling to connect the dots. I’m also at a beginner level when it comes to using the terminal to access my server, I still have to look up commands for most of the stuff I want to do, but I am finding it so much faster and powerful vs FTP. I still use FTP for a visual representation to locate files and text editing (I don’t like vi or nano editing in the terminal) I use Coda (on a Mac) as my text editor so I have direct access to the server. Which means I can live edit my files just as one would do in the terminal.

I’m using ServerPilot as the control panel to manage my websites on an Ubuntu 14.04 installation. ServerPilot uses Nginx as a reverse proxy in front of the Apache webserver. At first I was a bit confused with this, and basically what they have done is use Nginx as the hub where website requests come into the Nginx server and get routed to Apache to be executed and then back through Nginx to be displayed. This proved to cause some trouble with my installation as I had to figure out where all the config files and such were located.

I started with this tutorial for installing the first instance of Discourse as a dev version …

https://github.com/discourse/discourse/blob/master/docs/INSTALL-cloud.md

Pay special attention to the TCP/IP ports as that was the first place I stumbled, and I see a lot of other posts in the forums from other people who have done the same. If you leave them at the default “80:80” you may get an error stating that port is already in use.

Change the first half of the ports to a port that is not being used, I used 85

This got me through the installation with no errors, but when I went to the url I setup for the forum nothing was showing up. I could connect to the forum using the IP with the port number. Since the forum doesn’t need Apache, I found the conf file that was directing the site to the Apache server with a local IP. I changed this IP to the forum IP with port number.

The path to that section (if you’re also using ServerPilot)

/etc/nginx-sp/vhosts.d/main.conf
(ServerPilot recommends that you change the name of the main.conf file so it is not overwritten on updates)

Now I had a working instance of Discourse, and here’s what I did to set up the multiple instances.

I started with this tutorial, but I was having trouble understanding how the structure was supposed to be setup

If you scroll down to this section …

https://meta.discourse.org/t/multisite-configuration-with-docker/14084/18

This is where I based my installation from, however I did not use the hook settings in the original post. Instead, I duplicated the app.yml file for each site I was creating (only two sites) and renamed them for site specific use. I’ll use the example - site1 and site2.

So in the /var/discourse/containers the files there are as such …

app.yml
site1.yml
site2.yml

(these are your separate containers, which was a term that I didn’t understand at first)

For each file you need to make sure to change the following areas to be specific to your instance …

## which TCP/IP ports should this container expose?
expose:
  - "127.0.0.1:4000:80"   # fwd host port 80   to container port 80 (http)
  - "2222:22" # fwd host port 2222 to container port 22 (ssh)

Notice I changed the first port on both, otherwise you will get port conflict errors.

  ## TODO: List of comma delimited emails that will be made admin and developer
  ## on initial signup example 'user1@example.com,user2@example.com'
  DISCOURSE_DEVELOPER_EMAILS: 'changeme@site1.com'

change the developer email to the email you will use for the admin account

In the mailserver section that follows, be sure to change any settings that are specific to this site such as the username and password. I ended up using Mandrill so the smtp and port numbers were the same for all instances, but I created two accounts. (one for each website)

This next section to edit is key to you getting a separate database for each site. Be sure to change the ‘yoursite’ to something unique to each site.

## These containers are stateless, all data is stored in /shared
volumes:
  - volume:
      host: /var/discourse/shared/yoursite
      guest: /shared
  - volume:
      host: /var/discourse/shared/yoursite/log/var-log
      guest: /var/log

The next thing to do is make sure you have the Nginx proxy URL (the one that is pointing to Apache) changed to match the port you configured in the TCP/IP section. So using the port I used as an example your file should look like this and as I mentioned above, ServerPilot recommends changing the name of the file if you MUST edit (that’s why they give the do not edit warning)

###############################################################################
# DO NOT EDIT THIS FILE.
#
# Your changes to this file will be overwritten by ServerPilot.
#
# For information on how to customize nginx settings, see
# https://serverpilot.io/community/articles/customize-nginx-settings.html
###############################################################################

# Send all requests to apache.
location / {
    proxy_pass      http://localhost:4000;

Be sure to restart Nginx if you make changes to the .conf file (I forgot to do this) and with ServerPilot the restart command is a little different than I had seen elsewhere, this is what did it for me …

service nginx-sp restart

Then start bootstrapping your containers. (do this for each site your configured) Enter these commands in the terminal

./launcher bootstrap site1
(after that is done)
./launcher start site1

You should now be able to load the URL you have for the forum and see your Discourse forum.

I ended up with one of the sites not recognizing the Admin account when I registered with the developer email, and I found I had a stray character at the end of the URL that caused the email to be different. I then went into the /var/discourse/shared/ directory and deleted the folder matching that site. Then I used ./launcher destroy site2 command followed by ./launcher bootstrap site2 and then ./launcher start site2 I’m not sure a rebuild would work since you want the database to be recreated.

I know I probably over-simplified this is some areas, but from what I have seen in other topics/threads, some people need instructions that are overly simplified :wink:

Please let me know if I left any holes, or there is any need for clarification as long as you understand I can only speak for what worked for me since I barely understand this myself HA!!!

One more thing … does any one see any issue with duplicating the app.yml file to be used in this way? It seems this would work perfectly for updating as well.

Best regards … Pops

9 Me gusta

Actually, ports <1024 are considered “privileged”, using them without assignment is… not technically wrong, but ugly. Also, you should bind Discourse to the local interface:

expose:
  - "127.0.0.1:4000:80"

Change your nginx config accordingly to proxy_pass http://localhost:4000;

Overall, nice write-up, but do turn your YAML and other config file snippets into proper fenced code blocks (``` on a line by itself before and after the code block). Especially for YAML, indentation is really important and it gets lost in simple quote blocks. :wink:

1 me gusta

That makes complete sense, I made the changes suggested to my server and they work perfectly. I also changed them in the above instructions as well as used the code markdown instead of the quote markdown (thanks for pointing that out)

… Pops

1 me gusta

@elberet hmmm, something isn’t quite right when changing the ports on the production sites

Changing the ports as you suggested on the app.yml file worked great, but after changing the two additional container files with the appropriate changes I get a 502 bad gateway error.

I made the changes to the exposed port, as well as the proxy_pass, I then rebuilt the the instance using ./launcher rebuild as well as restarted the Nginx server.

Any idea what’s wrong?

… Pops

EDIT: very weird … I was issuing the restart command for Nginx, but when I stopped it, and then started instead of “restart” everything is working fine

You can also stop exporting ports entirely by using web.socketed.template.yml:

4 Me gusta

I saw that post, but had a difficult time understanding how to implement it in the way my server is set up since Nginx is already installed and running in front of Apache.

It had to do with the last step, the path you referenced for sites-enabled an sites-available doesn’t exist and if I just needed to create them, I didn’t know how the files as a whole were to be set. (just a lack of knowledge on my part)

@PopsRocker Hi Pops!

Like you I’m trying to set up Discourse on DigitalOcean with ServerPilot, already running another website in a ServerPilot app (app named ‘test’). I only need a single Discourse site, so my setup will be simpler than yours.

Along with app#1 (test) hosting a website, I’ve got a 2nd ServerPilot app (named ‘discourse’) set up for purposes of pointing to the Discourse install. This gives me the /etc/nginx-sp/vhosts.d/discourse.conf and /etc/nginx-sp/vhosts.d/discourse.d/main.conf files.

So my question: what modifications did you make to your .conf files to get it to forward requests to discourse? I’ve got Discourse running and can access it from discourse.example.com:8888. What is it I need to do in the nginx conf files so that I can see Discourse at discourse.example.com, without appending the port number?

Thx

Sorry, replied too soon and then found my answer above:

in app.yml:

expose:
  - "127.0.0.1:8888:80" # fwd host port 80 to container port 8888 (http)
  - "2222:22" # fwd host port 22 to container port 2222 (ssh)

in /etc/nginx-sp/vhosts.d/discourse.d/main.conf (renamed to main.custom.conf as suggested):

location / {
    proxy_pass $backend_protocol://$backend_host:8888;
}

I’m still a little confused with this Serverpilot / Discourse setup. When you created your “discourse” app in Serverpilot, what did you put in the apps/discourse/public/ directory? I have my current discourse installation in the /var/discourse directory but am not sure how Serverpilot is suppose to recognize that?

You don’t actually have to put anything in the apps/discourse/public/ directory. Instead, you want requests to that Serverpilot app forwarded to your Discourse install living in /var/.

This is accomplished via the /var/discourse/containers/app.yml and /etc/nginx-sp/vhosts.d/discourse.d/main.custom.conf modifications referenced in my previous post.

1 me gusta

Thanks for your help! I was able to get it up and running.

I’m using ServerPilot too. Glad I found this article. I will let you know, how it’s worked up for me.
Thank you.

Thanks for the info on this. I know it has been a while, does anyone happen to know what kind of increase in resources on the system end up being consumed when you have a second one?

Maybe it’s because this post is from 2015 … but now I can not find the nginx-sp directory in my installation (I did it with the docker automatically).

I have all the second.yml completely changed, but I don’t know where it’s the nginx file to do the proxy thing.

(publicación retirada por el autor, se eliminará automáticamente en 24 horas a menos que sea reportada)

¿No debería esta ruta contener /standalone/ para el primer sitio?

Me pregunto si no haya una confusión entre multisitio y WP+Discourse en una configuración de contenedores duales. :face_with_raised_eyebrow:

Ejecutamos fácilmente múltiples aplicaciones de Discourse (en el mismo servidor) con un contenedor para los datos y un contenedor para la aplicación, por cada “instancia de dominio” que ejecutamos.

Además, para cada “instancia de dominio” ejecutamos dos contenedores de aplicación. Esto significa que no hay tiempo de inactividad cuando reconstruimos un contenedor.

¿Por qué?

Porque cuando “contenedor A” está en ejecución, reconstruimos “contenedor B”; y después de que “contenedor B” se ha reconstruido, esperamos unos 60 segundos y reconfiguramos el proxy inverso para que enrute al socket Unix de “contenedor B” y ejecutamos (en el caso de apache2) service apache2 restart.

Esto significa que prácticamente no hay tiempo de inactividad (quizás unos pocos milisegundos) al cambiar de contenedores.

He estado siguiendo este hilo con admiración ante lo difícil (o complicado) que muchas personas hacen algo que es básicamente muy sencillo.

Discourse en producción se ejecuta en un contenedor Docker; y el excelente equipo de Discourse ha proporcionado las plantillas principales para exponer Discourse ya sea a través de un socket TCP/IP o un socket de dominio Unix (por instancia de aplicación). Además, el buen equipo de meta ha proporcionado la plantilla principal para ejecutar el contenedor de datos (PostgreSQL) por separado del contenedor de la aplicación (Rails, JS).

El mismo concepto exacto se aplica a cualquier aplicación de node.js que se ejecute en un contenedor. Estas configuraciones (proxys inversos a contenedores) son tareas básicas de Docker que se aplican a cualquier aplicación web que se ejecute en un contenedor; Discourse simplemente es una de ellas, y una de las mejores, como todos sabemos :slight_smile:

A veces pienso que el excelente equipo de meta Discourse hace que levantar su contenedor sea tan fácil con sus bien elaborados scripts de envoltura, que los usuarios no logran entender que los fundamentos subyacentes de ejecutar una aplicación web basada en Docker detrás de un proxy inverso son realmente bastante sencillos.

Podemos ejecutar “tantas aplicaciones de Discourse” como queramos como hosts virtuales, sin diferencia alguna a como un administrador web ejecutaría 20 “viejas aplicaciones web LAMP” en el mismo servidor. La única diferencia es que, en lugar de un host virtual a un directorio de archivos PHP, hay un host virtual a (en nuestro caso) un socket de dominio Unix. Docker hace esto muy eficiente al compartir librerías principales y capas superpuestas entre contenedores.

Además, debido a que la red entre contenedores está integrada en Docker, es muy fácil configurar Discourse (como contenedor de aplicación) para que funcione con un contenedor de PostgreSQL (datos); el cual es proporcionado a todos los usuarios como una plantilla de ejemplo por el buen equipo de meta, para aquellos que deseen disfrutar de ejecutar Discourse de maneras (configuraciones) más “interesantes”.

Mi consejo, por poco que valga, es entender que Discourse es simplemente una aplicación web que se ejecuta en un contenedor detrás de un proxy inverso, como cualquier otra aplicación web. También ejecutamos nuestro registro privado de Docker (más de uno, de hecho) de la misma manera; una aplicación Docker detrás del mismo proxy inverso al puerto 5000 (el puerto predeterminado del registro de Docker).

Discourse, en su sabiduría para facilitar la vida a los usuarios (y hacer Discourse accesible a quienes no son gurús de administración de sistemas), proporciona la capacidad de exponer las aplicaciones web directamente (sin un proxy inverso) en su configuración OOTB (out-of-the-box). Además, configurar un proxy inverso fuera del contenedor Docker es lo mismo para todas estas aplicaciones web empaquetadas en Docker. El equipo de meta también proporciona esas plantillas (¡qué gran apoyo si lo piensas!).

Para concluir, es muy fácil ejecutar una, veinte o más aplicaciones empaquetadas en Docker detrás de un proxy inverso. Son simplemente contenedores (y todos podrían ser un foro diferente de Discourse) y la elección de cómo exponer los contenedores depende del usuario (el administrador de sistemas), al igual que las decisiones sobre cómo configurar los volúmenes de almacenamiento persistente, incluidas las bases de datos.

Creo que esto es tan sencillo y el equipo de meta lo ha hecho tan fácil para todos; pero uno de los efectos secundarios de hacerlo tan sencillo es que la gente olvidó (o no aprendió) los fundamentos de lo fácil y elegante que es realmente la configuración empaquetada en Docker (detrás de un proxy inverso) (independientemente de Discourse).

Espero que esto ayude de alguna pequeña manera.

¡Lo mejor para todos!

7 Me gusta

Es realmente sencillo…

Cada aplicación tiene su propio volumen compartido y ese volumen es donde se ejecuta el socket de dominio Unix (y donde se almacenan todos los demás datos persistentes, como las subidas, etc.).

No necesitas trabajar directamente con docker-compose, directivas especiales de pup, ni cambiar nada en absoluto (solo configura correctamente los archivos yml básicos para los contenedores y ejecuta el launcher).

Si uno de tus sitios o aplicaciones de Discourse se llama “farmer_forums”, entonces tu socket Unix se encuentra (por defecto), por ejemplo, en:

/var/discourse/shared/farmer_forums/nginx.http.socket

Si tu siguiente sitio o aplicación de Discourse es “race_car_forums”, entonces tu socket Unix está (por ejemplo) aquí:

/var/discourse/shared/race_car_forums/nginx.http.socket

Puedes hacer esto con cientos de foros si lo deseas; y cada uno es simplemente una entrada en un proxy inverso hacia ese socket. Solo necesitas nombrar apropiadamente los archivos yml de tus contenedores.

Cada uno de esos foros tendrá también su propio contenedor de datos. Puedes usar cualquier convención de nombres que te guste para esos contenedores, por ejemplo:

  • farmer_forums_data
  • race_car_forums_data

Por supuesto, cada uno de ellos tendrá su propio volumen compartido para su(s) base(s) de datos.

Todo lo que necesitas hacer es crear una solución funcional de “dos contenedores” y replicarla detrás de un proxy inverso. Crear un sitio o 100 sitios es exactamente lo mismo si sigues este método sencillo.

PD: He escuchado (leído) que algunas personas intentan tener un solo contenedor de base de datos para muchos foros diferentes. Personalmente, nunca lo recomendaría. Esa configuración crea un único punto de fallo para todos los foros y no es como me gusta hacer las cosas: “manténlo simple y estúpido” (KISS). Pero me gusta KISS en administración de sistemas porque he cometido errores con los dedos gordos más de una vez a lo largo de las décadas :slight_smile: y no me gusta romper más de lo necesario cuando cometo un error (algo que todos hacemos de vez en cuando).

Así que, si estás teniendo dificultades con esto: simplemente pon en marcha un sitio con dos contenedores, el de la aplicación y el de datos, detrás de un proxy inverso.

Luego, replica eso tantas veces como quieras, con un contenedor de aplicación y uno de datos para cada sitio. Todos los nombres de tus contenedores deben ser únicos y seguir una convención de nombres fácil de recordar, como en los ejemplos de los granjeros y los coches de carreras mencionados anteriormente.

No intento sonar repetitivo ni predicador, pero configurar múltiples sitios de Discourse detrás de un proxy inverso de esta manera es casi trivial.

Espero que esta explicación adicional ayude, aunque sea un poco.

En resumen, para mí “multisitio” simplemente significa implementar la solución de “dos contenedores” detrás de un proxy inverso, tantas veces como desees! :slight_smile: Uno o diez, la configuración es básicamente la misma; solo cambian los nombres de los contenedores y hay una configuración de nombres “fácil de entender” (como en los dos ejemplos anteriores). Docker compartirá las bibliotecas y las capas apropiadamente entre las imágenes, así que “no hay nada que hacer aquí” porque “eso es lo que hace Docker” (configura todas las bibliotecas compartidas, crea la red de Docker, etc.) por sí mismo, lo que hace que esto sea “eficiente” gracias a cómo Docker comparte bibliotecas entre imágenes, etc.

8 Me gusta

Tal vez deberíamos llamar a esta configuración algo distinto de multisitio (que en mi mente comparte el contenedor de datos, como se menciona en el tema del manual cerrado por Sam a principios del año pasado). ¿Sitio paralelo? :crazy_face: no lo sé… Si no recuerdo mal, dado que tienes un archivo .yml por cada par de contenedores de datos/web, ¿puedes especificar diferentes conjuntos de plugins y configuración SMTP por dominio?

1 me gusta