Tutorial

How to Automatically Deploy Laravel Applications with Deployer on Ubuntu 16.04

Published on March 23, 2018
How to Automatically Deploy Laravel Applications with Deployer on Ubuntu 16.04

Introduction

Laravel is an open-source PHP web framework designed to make common web development tasks, such as authentication, routing, and caching, easier. Deployer is an open-source PHP deployment tool with out-of-the-box support for a number of popular frameworks, including Laravel, CodeIgniter, Symfony, and Zend Framework.

Deployer automates deployments by cloning an application from a Git repository to a server, installing dependencies with Composer, and configuring the application so you don’t have to do so manually. This allows you to spend more time on development, instead of uploads and configurations, and lets you deploy more frequently.

In this tutorial, you will deploy a Laravel application automatically without any downtime. To do this, you will prepare the local development environment from which you’ll deploy code and then configure a production server with Nginx and a MySQL database to serve the application.

Prerequisites

Before you begin this guide you’ll need the following:

Step 1 — Setting up your Local Development Environment

Since you will be creating and deploying your application from your local machine, begin by configuring your local development environment. Deployer will control the entire deployment process from your local machine, so start off by installing it.

Note: If you use Windows on your local machine you should use a BASH emulator (like Git bash) to run all local commands.

On your local machine, open the terminal and download the Deployer installer using curl:

  1. curl -LO https://deployer.org/deployer.phar

Next, run a short PHP script to verify that the installer matches the SHA-1 hash for the latest installer found on the Deployer - download page. Replace the highlighted value with the latest hash:

  1. php -r "if (hash_file('sha1', 'deployer.phar') === '35e8dcd50cf7186502f603676b972065cb68c129') { echo 'Installer verified'; } else { echo 'Installer corrupt'; unlink('deployer.phar'); } echo PHP_EOL;"
Output
Installer verified

Make Deployer available system wide. Note that if you’re running Windows or macOS on your local machine, you may need to create the /usr/local/bin/dep directory before running this command:

  1. sudo mv deployer.phar /usr/local/bin/dep

Make it executable:

  1. sudo chmod +x /usr/local/bin/dep

Next, create a Laravel project on your local machine:

  1. composer create-project --prefer-dist laravel/laravel laravel-app "5.5.*"

You have installed all the required software on your local machine. With that in place, we will move on to creating a Git repository for the application.

Step 2 — Connecting to Your Remote Git Repository

Deployer was designed to enable users to deploy code from anywhere. To allow this functionality, it requires users to push code to a repository on the Internet from which Deployer then copies the code over to the production server. We will use Git, an open-source version control system, to manage the source code of the Laravel application. You can connect to the Git server using SSH protocol, and to do this securely you need to generate SSH keys. This is more secure than password-based authentication and let’s you avoid typing the password before each deployment.

Run the following command on your local machine to generate the SSH key. Note that the -f specifies the filename of the key file, and you can replace gitkey with your own filename. It will generate an SSH key pair (named gitkey and gitkey.pub) to the ~/.ssh/ folder.

  1. ssh-keygen -t rsa -b 4096 -f ~/.ssh/gitkey

It is possible that you have more SSH keys on your local machine, so configure the SSH client to know which SSH private key to use when it connects to your Git server.

Create an SSH config file on your local machine:

  1. touch ~/.ssh/config

Open the file and add a shortcut to your Git server. This should contain the HostName directive (pointing to your Git server’s hostname) and the IdentityFile directive (pointing to the file path of the SSH key you just created:

~/.ssh/config
Host mygitserver.com
    HostName mygitserver.com
    IdentityFile ~/.ssh/gitkey

Save and close the file, and then restrict its permissions:

  1. chmod 600 ~/.ssh/config

Now your SSH client will know which private key use to connect to the Git server.

Display the content of your public key file with the following command:

  1. cat ~/.ssh/gitkey.pub

Copy the output and add the public key to your Git server.

If you use a Git hosting service, consult its documentation on how to add SSH keys to your account:

Now you will be able to connect to your Git server with your local machine. Test the connection with the following command:

  1. ssh -T git@mygitserver.com

If this command results in an error, check that you added your SSH keys correctly by referring to your Git hosting service’s documentation and try connecting again.

Before pushing the application to the remote Git repository and deploying it, let’s first configure the production server.

Step 3 — Configuring the Deployer User

Deployer uses the SSH protocol to securely execute commands on the server. For this reason, the first step we will take toward configuring the production server will be to create a user which Deployer can use to log in and execute commands on your server via SSH.

Log in to your LEMP server with a sudo non-root user and create a new user called “deployer” with the following command:

  1. sudo adduser deployer

Laravel needs some writable directories to store cached files and uploads, so the directories created by the deployer user must be writable by the Nginx web server. Add the user to the www-data group to do this:

  1. sudo usermod -aG www-data deployer

The default permission for files created by the deployer user should be 644 for files and 755 for directories. This way, the deployer user will be able to read and write the files, while the group and other users will be able to read them.

Do this by setting deployer’s default umask to 022:

  1. sudo chfn -o umask=022 deployer

We’ll store the application in the /var/www/html/ directory, so change the ownership of the directory to the deployer user and www-data group.

  1. sudo chown deployer:www-data /var/www/html

The deployer user needs to be able to modify files and folders within the /var/www/html directory. Given that, all new files and subdirectories created within the /var/www/html directory should inherit the folder’s group id (www-data). To achieve this, set the group id on this directory with the following command:

  1. sudo chmod g+s /var/www/html

Deployer will clone the Git repo to the production server using SSH, so you want to ensure that the connection between your LEMP server and the Git server is secure. We’ll use the same approach we used for our local machine, and we’ll generate an SSH key for the deployer user.

Switch to the deployer user on your server:

  1. su - deployer

Next, generate an SSH key pair as the deployer user. This time, you can accept the default filename of the SSH keys:

  1. ssh-keygen -t rsa -b 4096

Display the public key:

  1. cat ~/.ssh/id_rsa.pub

Copy the public key and add it to your Git server as you did in the previous step.

Your local machine will communicate with the server using SSH as well, so you should generate SSH keys for the deployer user on your local machine and add the public key to the server.

On your local machine run the following command. Feel free to replace deployerkey with a filename of your choice:

  1. ssh-keygen -t rsa -b 4096 -f ~/.ssh/deployerkey

Copy the following command’s output which contains the public key:

  1. cat ~/.ssh/deployerkey.pub

On your server as the deployer user run the following:

  1. nano ~/.ssh/authorized_keys

Paste the public key to the editor and hit CTRL-X, Y, then ENTER to save and exit.

Restrict the permissions of the file:

  1. chmod 600 ~/.ssh/authorized_keys

Now switch back to the sudo user:

  1. exit

Now your server can connect to the Git server and you can log in to the server with the deployer user from your local machine.

Log in from your local machine to your server as the deployer user to test the connection:

  1. ssh deployer@your_server_ip -i ~/.ssh/deployerkey

After you have logged in as deployer, test the connection between your server and the Git server as well:

  1. ssh -T git@mygitserver.com

Finally, exit the server:

  1. exit

From here, we can move on to configuring Nginx and MySQL on our web server.

Step 4 — Configuring Nginx

We’re now ready to configure the web server which will serve the application. This will involve configuring the document root and directory structure that we will use to hold the Laravel files. We will set up Nginx to serve our files from the /var/www/laravel directory.

First, we need to create a server block configuration file for the new site.

Log in to the server as your sudo user and create a new config file. Remember to replace example.com with your own domain name:

  1. sudo nano /etc/nginx/sites-available/example.com

Add a server block to the top of the configuration file:

/etc/nginx/sites-available/<^>example.com<^>
server {
        listen 80;
        listen [::]:80;

        root /var/www/html/laravel-app/current/public;
        index index.php index.html index.htm index.nginx-debian.html;

        server_name example.com www.example.com;
}

The two listen directives at the top tell Nginx which ports to listen to, and the root directive defines the document root where Laravel will be installed. The current/public in the path of the root directory is a symbolic link that points to the latest release of the application. By adding the index directive, we are telling Nginx to serve any index.php files first before looking for their HTML counterparts when requesting a directory location. The server_name directive should be followed by your domain and any of its aliases.

We should also modify the way that Nginx will handle requests. This is done through the try_files directive. We want it to try to serve the request as a file first and, if it cannot find a file with the correct name, it should attempt to serve the default index file for a directory that matches the request. Failing this, it should pass the request to the index.php file as a query parameter.

/etc/nginx/sites-available/<^>example.com<^>
server {
        listen 80;
        listen [::]:80;

        root /var/www/html/laravel-app/current/public;
        index index.php index.html index.htm index.nginx-debian.html;

        server_name example.com www.example.com;

        location / {
                try_files $uri $uri/ /index.php?$query_string;
        }

Next, we need to create a block that handles the actual execution of any PHP files. This will apply to any files that end in .php. It will try the file itself and then try to pass it as a parameter to the index.php file.

We will set the fastcgi directives to tell Nginx to use the actual path of the application (resolved after following the symbolic link), instead of the symbolic link. If you don’t add these lines to the configuration, the path where the symbolic link points will be cached, meaning that an old version of your application will be loaded after the deployment. Without these directives, you would have to manually clear the cache after each deployment and requests to your application could potentially fail. Additionally, the fastcgi_pass directive will make sure that Nginx uses the socket that php7-fpm is using for communication and that the index.php file is used as the index for these operations.

/etc/nginx/sites-available/<^>example.com<^>
server {
        listen 80;
        listen [::]:80;

        root /var/www/html/laravel-app/current/public;
        index index.php index.html index.htm index.nginx-debian.html;

        server_name example.com www.example.com;

        location / {
                try_files $uri $uri/ /index.php?$query_string;
        }


        location ~ \.php$ {
                include snippets/fastcgi-php.conf;

                fastcgi_param SCRIPT_FILENAME $realpath_root$fastcgi_script_name;
                fastcgi_param DOCUMENT_ROOT $realpath_root;

                fastcgi_pass unix:/run/php/php7.0-fpm.sock;

        }

Finally, we want to make sure that Nginx does not allow access to any hidden .htaccess files. We will do this by adding one more location block called location ~ /\.ht and, within that block, a directive specifying deny all;.

After adding this last location block, the configuration file will look like this:

/etc/nginx/sites-available/<^>example.com<^>
server {
        listen 80;
        listen [::]:80;

        root /var/www/html/laravel-app/current/public;
        index index.php index.html index.htm index.nginx-debian.html;

        server_name example.com www.example.com;

        location / {
                try_files $uri $uri/ /index.php?$query_string;
        }


        location ~ \.php$ {
                include snippets/fastcgi-php.conf;

                fastcgi_param SCRIPT_FILENAME $realpath_root$fastcgi_script_name;
                fastcgi_param DOCUMENT_ROOT $realpath_root;

                fastcgi_pass unix:/run/php/php7.0-fpm.sock;

        }

        location ~ /\.ht {
                deny all;
        }

}

Save and close the file (CTRL-X, Y, then ENTER), and then enable the new server block by creating a symbolic link to the sites-enabled directory:

  1. sudo ln -s /etc/nginx/sites-available/example.com /etc/nginx/sites-enabled/

Test your configuration file for syntax errors:

  1. sudo nginx -t

If you see any errors, go back and recheck your file before continuing.

Restart Nginx to push the necessary changes:

  1. sudo systemctl restart nginx

The Nginx server is now configured. Next, we will configure the application’s MySQL database.

Step 5 — Configuring MySQL

After the installation, MySQL creates a root user by default. This user has unlimited privileges, though, so it is a bad security practice to use the root user for your application’s database. Instead, we will create the database for the application with a dedicated user.

Log in to the MySQL console as root:

  1. mysql -u root -p

This will prompt you for the root password.

Next, create a new database for the application:

  1. CREATE DATABASE laravel_database DEFAULT CHARACTER SET utf8mb4 COLLATE utf8mb4_unicode_ci;

Then, create a new database user. For the purposes of this tutorial, we will call this user laravel_user with the password password, although you should replace the password with a strong password of your choosing.

  1. CREATE USER 'laravel_user'@'localhost' IDENTIFIED BY 'password';

Grant privileges on the database to the user:

  1. GRANT ALL ON laravel_database.* TO 'laravel_user'@'localhost';

Next, reload the privileges:

  1. FLUSH PRIVILEGES;

And, finally, exit from the MySQL console:

  1. EXIT;

Your application’s database and user are now configured, and you’re almost ready to run your first deployment.

Step 6 — Deploying the Application

So far, you’ve configured all the tools and programs needed for Deployer to function. All that’s left to do before running your first deployment is to finish configuring your Laravel app and Deployer itself, and to initialize and push the app to your remote Git repository.

Open the terminal on your local machine and change the working directory to the application’s folder with the following command:

  1. cd /path/to/laravel-app

From this directory, run the following command which creates a file called deploy.php within the laravel-app folder, which will contain configuration information and tasks for deployment:

  1. dep init -t Laravel

Next, open the deploy.php file with your preferred text editor or IDE. The third line includes a PHP script which contains the necessary tasks and configurations to deploy a Laravel application:

deploy.php
<?php
namespace Deployer;

require 'recipe/laravel.php';

. . .

Below this are some fields which you should edit to align with your configuration:

  • Under // Project Name, add the name of your Laravel project.
  • Under // Project Repository, add the link to your Git repository.
  • In the // Hosts section, add your server’s IP address or domain name to the host() directive, the name of your Deployer user (deployer in our examples) to the user() directive. You should also add the SSH key you created in Step 3 to the identifyFile() directive. Finally, you should add file path of the folder containing your application.

When you’ve finished editing these fields, they should look like this:

deploy.php
...
// Project name
set('application', 'laravel-app');

// Project repository
set('repository', 'git@mygitserver.com:username/repository.git');

. . .

// Hosts

host('your_server_ip')
    ->user('deployer')
    ->identityFile('~/.ssh/deployerkey')
    ->set('deploy_path', '/var/www/html/laravel-app');

Next, comment out the last line of the file, before('deploy:symlink', 'artisan:migrate');. This line instructs Deployer to run the database migrations automatically, and by commenting it out we are disabling it. If you don’t comment it out, the deployment will fail as this line requires appropriate database credentials to be on the server, which can only be added using a file which will be generated during the first deployment:

deploy.php
...
// Migrate database before symlink new release.

//before('deploy:symlink', 'artisan:migrate');

Before we can deploy the project, we must first push it to the remote Git repository.

On your local machine change the working directory to your application’s folder:

  1. cd /path/to/laravel-app

Run the following command in your laravel-app directory to initialize a Git repository in the project folder:

  1. git init

Next, add all the project files to the repository:

  1. git add .

Commit the changes:

  1. git commit -m 'Initial commit for first deployment.'

Add your Git server to the local repository with the following command. Be sure to replace the highlighted text with your own remote repository’s URL:

  1. git remote add origin git@mygitserver.com:username/repository.git

Push the changes to the remote Git repository:

  1. git push origin master

Finally, run your first deployment using the dep command:

  1. dep deploy

If everything goes well you should see an output like this with Successfully deployed! at the end:

Deployer's output
✈︎ Deploying master on your_server_ip ✔ Executing task deploy:prepare ✔ Executing task deploy:lock ✔ Executing task deploy:release ➤ Executing task deploy:update_code ✔ Ok ✔ Executing task deploy:shared ✔ Executing task deploy:vendors ✔ Executing task deploy:writable ✔ Executing task artisan:storage:link ✔ Executing task artisan:view:clear ✔ Executing task artisan:cache:clear ✔ Executing task artisan:config:cache ✔ Executing task artisan:optimize ✔ Executing task deploy:symlink ✔ Executing task deploy:unlock ✔ Executing task cleanup Successfully deployed!

The following structure will be created on your server, inside the /var/www/html/laravel-app directory:

├── .dep
├── current -> releases/1
├── releases
│   └── 1
└── shared
    ├── .env
    └── storage

Verify this by running the following command on your server which will list the files and directories in the folder:

  1. ls /var/www/html/laravel-app
Output
current .dep releases shared

Here’s what each of these files and directories contain:

  • The releases directory contains deploy releases of the Laravel application.

  • current is a symlink to the last release.

  • The .dep directory contains special metadata for Deployer.

  • The shared directory contains the .env configuration file and the storage directory which will be symlinked to each release.

However, the application will not work yet because the .env file is empty. This file is used to hold important configurations like the application key — a random string used for encryptions. If it is not set, your user sessions and other encrypted data will not be secure. The app has a .env file on your local machine, but Laravel’s .gitignore file excludes it from the Git repo because storing sensitive data like passwords in a Git repository is not a good idea and, also, the application requires different settings on your server. The .env file contains the database connection settings as well, which is why we disabled the database migrations for the first deployment.

Let’s configure the application on your server.

Log in to your server as the deployer user:

  1. ssh deployer@your_server_ip -i ~/.ssh/deployerkey

Run the following command on your server, and copy and paste your local .env file to the editor:

  1. nano /var/www/html/laravel-app/shared/.env

Before you can save it, there are some changes that you should make. Set APP_ENV to production, APP_DEBUG to false, APP_LOG_LEVEL to error and don’t forget to replace the database, the database user, and password with your own. You should replace example.com with your own domain as well:

/var/www/html/laravel-app/shared/.env
APP_NAME=Laravel
APP_ENV=production
APP_KEY=base64:cA1hATAgR4BjdHJqI8aOj8jEjaaOM8gMNHXIP8d5IQg=
APP_DEBUG=false
APP_LOG_LEVEL=error
APP_URL=http://example.com

DB_CONNECTION=mysql
DB_HOST=127.0.0.1
DB_PORT=3306
DB_DATABASE=laravel_database
DB_USERNAME=laravel_user
DB_PASSWORD=password

BROADCAST_DRIVER=log
CACHE_DRIVER=file
SESSION_DRIVER=file
QUEUE_DRIVER=sync

REDIS_HOST=127.0.0.1
REDIS_PASSWORD=null
REDIS_PORT=6379

Save the file and close the editor.

Now uncomment the last line of the deploy.php file on your local machine:

deploy.php
...
// Migrate database before symlink new release.

before('deploy:symlink', 'artisan:migrate');

Warning: This will cause your database migrations to run automatically on every deployment. This will let you avoid migrating the databases manually, but don’t forget to back up your database before you deploy.

To check that this configuration is working, deploy the application once more. Run the following command on your local machine:

  1. dep deploy

Now, your application will work correctly. If you visit your server’s domain name(http://example.com) you will see the following landing page:

Laravel's landing page

You don’t have to edit the .env file on your server before all deployments. A typical deployment is not as complicated as the first and is done with just a few commands.

Step 7 — Running a Typical Deployment

As a final step, this section will cover a simple deployment process you can use on a daily basis.

Start by modifying the application before you deploy again. For example, you can add a new route in the routes/web.php file:

/routes/web.php
<?php

. . .

Route::get('/', function () {
    return view('welcome');
});

Route::get('/greeting', function(){
	return 'Welcome!';
});

Commit these changes:

  1. git commit -am 'Your commit message.'

Push the changes to the remote Git repository:

  1. git push origin master

And, finally, deploy the application:

  1. dep deploy

You have successfully deployed the application to your server.

Conclusion

You have configured your local computer and your server to easily deploy your Laravel application with zero downtime. The article covers only the basics of Deployer, and it has many useful functions. You can deploy to more servers at once and create tasks; for example, you can specify a task to back up the database before the migration. If you’d like to learn more about Deployer’s features, you can find more information in the Deployer documentation.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about us


About the authors

Default avatar

Manager, Developer Education

Technical Writer @ DigitalOcean


Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
10 Comments


This textbox defaults to using Markdown to format your answer.

You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!

Thank you for the good explanation! I’m completely new to Laravel and Linux so the tutorial helped me a lot to create a fresh droplet for deploying Laravel. I had just a few minor things to fix:

  • had to open port 22 on server to communicate with git.
  • my project used PHP 7.1 so i had to upgrade PHP on server and change the nginx server setup to use php7.1-fpt.sock insted of php7.0
  • the deployer user had no permissions to write into a hidden folder (in my case .dep/releases) so i’ve used “sudo chmod -R 775 .”

just a tip for the other rookies - “dep deploy -vvv” is perfect for debugging problems during the execution of the deployer script.

In general the tutorial works out of thex box almost perfectly :)

Hey there, Thank you for this excellent tutorial!

A tip for people who may encounter this problem: With new Laravel versions the given Deployer recipe results in an error: “Unable to prepare route [api/user] for serialization. Uses Closure.” This is a known Laravel Issue with Route Caching. Either remove all closures or overwrite the artisan:optimize task

task('artisan:optimize', function () {});

I though I had found the perfect tutorial but after following it to the dot, I still cannot seem to get it to work. One major Error keeps popping up. Please update it or help if possible. Thank you.

This is what happens when I run dep deploy

In Client.php line 103:
                                                                                                            
  [Deployer\Exception\RuntimeException (-1)]                                                                
  The command "cd /var/www/html/africanwith.tech && if [ ! -d releases ]; then mkdir releases; fi" failed.  
                                                                                                            
  Exit Code: -1 (Unknown error)                                                                             
                                                                                                            
  Host Name: 142.93.115.244                                                                                 
                                                                                                            
  ================                                                                                          
  mux_client_request_session: read from master failed: Connection reset by peer                             
  ssh
```_exchange_identification: read: Connection reset by peer     

hey! This tutorial is wonderful. However… I cannot seem to connect to the database. Eventhough all my login details are correct.

I get the following error: exception: "Illuminate\Database\QueryException" file: "/var/www/html/go/releases/1/vendor/laravel/framework/src/Illuminate/Database/Connection.php" line: 664 message: "SQLSTATE[HY000] [2002] Connection refused (SQL: insert into temp_users (energy, diet, car, shortFlights, longFlights, email, country, total, updated_at, created_at) values (1.13, 1.7, 0.55, 0, 0, test51@mail.com, Netherlands, 5.38, 2019-09-10 15:27:41, 2019-09-10 15:27:41))" trace: [,…]

For more details I have a stack overflow: https://stackoverflow.com/questions/57874485/connection-refused-laravel-remote-database/57876404?noredirect=1#comment102178710_57876404

Thanks in advance!

How is this automatical though? Please fix the title.

https://imgur.com/a/5GHpWMZ

If the deployment script would be triggered on the server/remote side from a github hook upon pushing commits to the repository. Yeah, that would qualify as an automatical deployment a.ka. as push to deploy. Also when working in a team it’s not practical for every team member to setup deployer in order for the deployment purposes - this should be taken care centralized on the server side. Perhaps you could write a tutorial on how to configure the deployment process to be triggered from a github hook so it would qualify as push to deploy?

This was incredibly helpful, thank you!

I’m using APACHE2 not nginx, so is there anything I need to do configure it on apache?

Also it keeps asking me for the ssh password after every line like so:

< mux_client_request_session: read from master failed: Connection reset by peer < ControlSocket /c/Users/usr/.ssh/deployer_deployer@ip already exists, disabling multiplexing < bash

if [ ! -d /var/www/name ]; then mkdir -p /var/www/name; fi < mux_client_request_session: read from master failed: Connection reset by peer < ControlSocket /c/Users/usr/.ssh/deployer_deployer@ip already exists, disabling multiplexing

Also I get this error:

In Client.php line 99:

[Deployer\Exception\RuntimeException (128)] The command “cd /var/www/name && (/usr/bin/git clone -b master --recursive git@gitlab.com:K dR/th.git /var/www/name/releases/1 2>&1)” failed.

Exit Code: 128 (Invalid exit argument)

Host Name: xxx.xxx.xxx.xxx

No matter what I do on my Droplet I still get the dreaded error:

ssh: connect to host mygitserver.com port 22: Network is unreachable

I’ve tried the following:

https://www.digitalocean.com/community/questions/ssh-not-working

https://www.digitalocean.com/community/questions/how-to-access-port-22-if-isp-has-blocked-port-22

Please let me know how I can open Port 22 on my Droplet in order to connect to Github.

I also setup a ~/.ssh/config like we did locally (otherwise I don’t know how my droplet would know what mygitserver.com even is), but that wasn’t covered for the droplet server just locally. Was I supposed to do that?

$ code ssh -vT git@mygitserver.com
OpenSSH_7.6p1 Ubuntu-4ubuntu0.1, OpenSSL 1.0.2n  7 Dec 2017
debug1: Reading configuration data /etc/ssh/ssh_config
debug1: /etc/ssh/ssh_config line 19: Applying options for *
debug1: Connecting to mygitserver.com [5.196.92.47] port 22.
debug1: connect to address 5.196.92.47 port 22: Connection refused
debug1: Connecting to mygitserver.com [2001:41d0:a:7b2f::] port 22.
debug1: connect to address 2001:41d0:a:7b2f:: port 22: Network is unreachable
ssh: connect to host mygitserver.com port 22: Network is unreachable

Thanks!

I get this error on the final section when running dep deploy

In Client.php line 99:

  The command "/usr/bin/php /var/www/html/cbdapp/releases/2/artisan migrate --force" failed.

  Exit Code: 1 (General error)

  Host Name: ukcannabisclinicportal.co.uk

  ================
  mux_client_request_session: read from master failed: Connection reset by peer
  ControlSocket /c/Users/thoma/.ssh/deployer_deployer@ukcannabisclinicportal.co.uk already exists, disabling multiple
  xing

I’m really lost. I’ve done the necessary steps to download Deployer but I keep getting

-bash: dep: command not found

Try DigitalOcean for free

Click below to sign up and get $200 of credit to try our products over 60 days!

Sign up

Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

Get our biweekly newsletter

Sign up for Infrastructure as a Newsletter.

Hollie's Hub for Good

Working on improving health and education, reducing inequality, and spurring economic growth? We'd like to help.

Become a contributor

Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

Welcome to the developer cloud

DigitalOcean makes it simple to launch in the cloud and scale up as you grow — whether you're running one virtual machine or ten thousand.

Learn more
DigitalOcean Cloud Control Panel