Linux

How to Set Environment Variables in Linux

Linux Environment Variables

Environment variables in Linux are powerful tools that help you configure your system’s behavior and optimize how applications run. Whether you’re a system administrator, developer, or Linux enthusiast, understanding how to properly set, manage, and utilize these variables is crucial for efficient system operation. This comprehensive guide will walk you through everything you need to know about Linux environment variables, from basic concepts to advanced management techniques.

Understanding Environment Variables in Linux

Environment variables are dynamic, named values that can affect how running processes behave on a Linux system. Think of them as a way to pass information to programs and control how they operate without modifying the programs themselves. They follow a specific format and play a vital role in how your Linux system functions.

What Exactly Are Environment Variables?

Environment variables are key-value pairs that follow a simple NAME=VALUE format. They’re used by the operating system and applications to determine various settings and configurations. For example, your system uses environment variables to know which directory to look in for executable files, where your home directory is located, and which text editor to use by default.

These variables are case-sensitive, which means HOME, Home, and home would be three different variables. By convention (though not by rule), environment variables are typically written in uppercase letters to distinguish them from regular variables and commands.

You can also assign multiple values to a single environment variable by separating them with colons, like this: VARIABLE_NAME=value1:value2:value3.

Environment Variables vs. Shell Variables

It’s important to understand the difference between environment variables and shell variables:

  • Environment variables are accessible by the current shell and any child processes or programs that are spawned from it.
  • Shell variables are only available in the current shell session and aren’t passed on to child processes.

This distinction is crucial when you’re writing scripts or configuring your system, as it determines whether a variable’s value will be available to other programs and processes.

Basic Commands for Viewing Environment Variables

Before setting environment variables, it’s helpful to know how to view existing ones. Linux provides several commands to list and inspect environment variables.

Listing All Environment Variables

To view all environment variables currently set in your system, you can use either the printenv or env command without any arguments:

printenv

This command will display all environment variables and their values. Since the output can be quite long, you might want to pipe it through the less command for easier reading:

printenv | less

Alternatively, the env command functions similarly to printenv and displays all environment variables:

env

Viewing Specific Environment Variables

If you’re interested in viewing just one specific variable, you can use the echo command with a dollar sign before the variable name:

echo $PATH

Or you can use the printenv command followed by the variable name (without the dollar sign):

printenv HOME

Filtering Environment Variables

You can also use the grep command to search for specific environment variables or patterns:

printenv | grep USER

This command will show all environment variables that contain “USER” in their name or value.

Setting Environment Variables Temporarily

Setting temporary environment variables is useful for testing or when you need a variable for a specific task or session only.

Using the export Command

The basic syntax for setting a temporary environment variable is:

export VARIABLE_NAME="value"

For example, to set a temporary environment variable called MY_VARIABLE with the value “test_value”, you would run:

export MY_VARIABLE="test_value"

To verify that the variable was created successfully, you can use the echo command:

echo $MY_VARIABLE

This should display “test_value” as the output.

Creating Shell Variables First

You can also create a shell variable first and then convert it to an environment variable:

  1. Create a shell variable:
    COOLSERVER='Cherry'
  2. Verify it exists as a shell variable:
    echo $COOLSERVER
  3. Convert it to an environment variable:
    export COOLSERVER
  4. Verify it’s now an environment variable:
    printenv COOLSERVER

Setting Variables for a Single Command

You can also set an environment variable that only applies to a single command execution by placing the variable assignment before the command:

EDITOR=nano gedit ~/.bashrc

In this example, EDITOR is set to “nano” just for the duration of the gedit command.

Remember that temporarily set environment variables will only last for the current shell session. Once you close your terminal or log out, these variables will be lost.

Making Environment Variables Permanent for Users

To make environment variables persist across sessions and system reboots, you need to add them to configuration files. There are several methods to do this, depending on your needs.

Using ~/.bashrc for Interactive Non-Login Shells

The ~/.bashrc file is executed whenever you open a new terminal window. To add environment variables to this file:

  1. Open the file with a text editor:
    nano ~/.bashrc
  2. Add the export command at the end of the file:
    export MY_VARIABLE="value"
  3. Save and close the file.
  4. Apply the changes to your current session:
    source ~/.bashrc

Using ~/.profile for Login Shells

The ~/.profile file is executed when you log in to your system. For environment variables that should be available at login:

  1. Open the file with a text editor:
    nano ~/.profile
  2. Add the export command:
    export MY_VARIABLE="value"
  3. Save and close the file.
  4. The changes will take effect on your next login, or you can apply them immediately:
    source ~/.profile

Understanding Login vs. Non-Login Shells

It’s important to understand when each file is loaded:

  • ~/.profile, ~/.bash_profile, or ~/.bash_login are read when you log in to a session.
  • ~/.bashrc is read when you start a new non-login interactive shell (like opening a terminal in a GUI environment).

For most desktop users, setting variables in ~/.bashrc ensures they’re available in all terminal windows. For system-wide scripts or services, using the login shell files may be more appropriate.

Setting Environment Variables Globally

For variables that should be available to all users on the system, you need to set them globally.

Using /etc/environment File

The /etc/environment file is a system-wide configuration file that affects all users and all programs:

  1. Open the file with a text editor (requires root privileges):
    sudo nano /etc/environment
  2. Add the variable in the format VARIABLE_NAME=”value” (without using export):
    MY_GLOBAL_VARIABLE="value for all users"
  3. Save and close the file.
  4. The changes will take effect on the next login, or you can apply them immediately:
    source /etc/environment

Using /etc/profile for All Users

The /etc/profile file is executed for login shells of all users:

  1. Open the file with a text editor:
    sudo nano /etc/profile
  2. Add the export command:
    export MY_GLOBAL_VARIABLE="value for all users"
  3. Save and close the file.

Creating Scripts in /etc/profile.d/

A more modular approach is to create a separate script in the /etc/profile.d/ directory:

  1. Create a new script file with a .sh extension:
    sudo nano /etc/profile.d/my-variables.sh
  2. Add your export commands:
    #!/bin/bash
    export MY_GLOBAL_VARIABLE="value for all users"
  3. Make the script executable:
    sudo chmod +x /etc/profile.d/my-variables.sh

Security Considerations

When setting global environment variables, always consider the security implications:

  • Be cautious with sensitive information in environment variables.
  • Ensure that the variables don’t overwrite important system variables.
  • Use appropriate file permissions to prevent unauthorized modifications.

Managing the PATH Environment Variable

The PATH variable is one of the most important environment variables in Linux. It determines where the system looks for executable files when you type a command.

Understanding the PATH Structure

The PATH variable contains a colon-separated list of directories that the system searches for executables in order, from left to right. To view your current PATH:

echo $PATH

Output example:

/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin

Adding Directories to PATH

To add a new directory to your PATH, you can modify the PATH variable in your configuration files. There are two common approaches:

  1. Prepending (adding to the beginning, giving it higher priority):
    export PATH="/new/directory:$PATH"
  2. Appending (adding to the end, giving it lower priority):
    export PATH="$PATH:/new/directory"

For a permanent change, add one of these lines to your ~/.bashrc or ~/.profile file.

Best Practices for PATH Modifications

When modifying the PATH variable:

  • Always include the existing $PATH to avoid overwriting it.
  • Use absolute paths, not relative ones.
  • Check for duplicate entries to avoid bloating the PATH.
  • Consider the order of directories (prepend vs. append) based on priority needs.

Creating Helper Functions

You can create a function in your ~/.bashrc to make PATH management easier:

pathadd() {
    if [ -d "$1" ] && [[ ":$PATH:" != *":$1:"* ]]; then
        PATH="$1:$PATH"
    fi
}

Then you can simply use:

pathadd /path/to/add

Common Environment Variables in Linux

Linux systems use many built-in environment variables that control various aspects of system behavior. Here are some of the most common ones:

System and User Information

  • PATH: Directories where executable files are located
  • HOME: The current user’s home directory
  • USER: The current username
  • LOGNAME: The name of the current user
  • SHELL: The path to the current user’s shell program
  • PWD: The current working directory

Localization and Display

  • LANG: The default locale
  • LC_ALL: Overrides all locale variables
  • DISPLAY: The X display name
  • TERM: The terminal type

Application Settings

  • EDITOR: The default text editor
  • VISUAL: The preferred visual editor
  • JAVA_HOME: The Java installation directory
  • PYTHONPATH: Directories where Python looks for modules

These variables help configure your system’s behavior and are used by various applications to determine how they should operate.

Environment Variables in Shell Scripts

Environment variables are particularly useful in shell scripts for making your code more flexible and adaptable.

Accessing Environment Variables in Scripts

In a bash script, you can access environment variables just like in the terminal:

#!/bin/bash
echo "Home directory: $HOME"
echo "Current user: $USER"

Setting Variables Within Scripts

You can also set and export variables from within scripts:

#!/bin/bash
# Set a variable
MY_VARIABLE="script value"
# Export it to make it an environment variable
export MY_VARIABLE
# Run another script or command that can now access MY_VARIABLE
./another-script.sh

Using Default Values

Bash provides syntax for using default values when a variable might not be set:

#!/bin/bash
# Use DEFAULT_VALUE if VARIABLE is not set or is empty
echo "Value: ${VARIABLE:-DEFAULT_VALUE}"

Checking if Variables Exist

It’s good practice to check if variables exist before using them:

#!/bin/bash
if [ -z "${MY_VARIABLE}" ]; then
    echo "MY_VARIABLE is not set or is empty"
    exit 1
fi

Application-Specific Environment Variables

Many applications use environment variables for configuration, allowing you to customize their behavior without modifying configuration files.

Docker Environment Variables

Docker containers often use environment variables for configuration:

docker run -e DATABASE_URL="mysql://user:pass@host:port/db" my-image

Database Configuration

Database connections frequently use environment variables:

export DB_USER="username"
export DB_PASS="password"
export DB_HOST="localhost"
export DB_NAME="mydatabase"

Web Server Settings

Web servers and frameworks like Node.js, Django, and Ruby on Rails rely heavily on environment variables:

export NODE_ENV="production"
export PORT="3000"
export DEBUG="false"

Using environment variables for application configuration makes it easier to deploy the same code to different environments (development, testing, production) with different settings.

Using .env Files for Multi-Shell Compatibility

When working with different shells or across different systems, .env files can provide a shell-agnostic way to manage environment variables.

Creating .env Files

A .env file is a simple text file with variable assignments:

# Database configuration
DB_HOST=localhost
DB_USER=admin
DB_PASS=secret
DB_NAME=myapp

# Application settings
APP_ENV=development
DEBUG=true
LOG_LEVEL=info

Loading Variables from .env Files

To load variables from a .env file in bash:

set -a
source .env
set +a

For zsh, fish, and other shells, similar approaches or dedicated tools can be used.

Tools for Managing .env Files

Several tools can help manage .env files:

  • direnv: Automatically loads and unloads environment variables when entering or leaving directories
  • dotenv: Command-line tool for loading .env files
  • python-dotenv: For Python applications

Security Considerations

When using .env files:

  • Never commit .env files containing sensitive information to version control
  • Use .env.example files with placeholders for documentation
  • Consider encryption tools for sensitive environments

Best Practices for Environment Variables

Following best practices ensures efficient and secure use of environment variables.

Security Best Practices

  • Avoid storing secrets or sensitive data in environment variables when possible
  • If you must use environment variables for secrets, ensure they’re not logged or exposed
  • Consider using dedicated secret management tools for production environments

Naming Conventions

  • Use UPPERCASE for environment variables (by convention)
  • Use descriptive names that clearly indicate the variable’s purpose
  • Use underscores to separate words (MY_VARIABLE_NAME)
  • Prefix application-specific variables with the application name (APP_CONFIG_PATH)

Documentation

  • Document all custom environment variables in your project’s README or documentation
  • Include information about:
    • The variable’s purpose
    • Expected values or format
    • Whether it’s required or optional
    • Default value (if any)

Scope Limitation

  • Set variables at the most appropriate scope (system-wide, user, or session)
  • Don’t set variables globally if they’re only needed by one user or application

Troubleshooting Common Issues

Even experienced users encounter issues with environment variables. Here are some common problems and solutions.

Variable Not Persisting After Logout

If your environment variable disappears after logging out:

  1. Check which configuration file you added it to
  2. Ensure you’re using the correct syntax (export VAR=”value”)
  3. Verify that the configuration file is actually being sourced

Variable Not Available in Certain Shells or Sessions

If a variable is available in some shells but not others:

  1. Check the shell-specific configuration files (.bashrc vs .zshrc)
  2. Make sure the variable is exported, not just set
  3. Consider using /etc/environment for truly global variables

Syntax Errors in Configuration Files

Common syntax errors include:

  1. Missing quotes around values with spaces
  2. Using spaces around the equals sign (use VAR=”value”, not VAR = “value”)
  3. Incorrect export syntax

Debugging Environment Variable Problems

For debugging:

  1. Use set -x in scripts to trace variable expansions
  2. Check variable values with echo $VARIABLE
  3. Use env | grep VARIABLE to confirm a variable is in the environment

VPS Manage Service Offer
If you don’t have time to do all of this stuff, or if this is not your area of expertise, we offer a service to do “VPS Manage Service Offer”, starting from $10 (Paypal payment). Please contact us to get the best deal!

r00t

r00t is an experienced Linux enthusiast and technical writer with a passion for open-source software. With years of hands-on experience in various Linux distributions, r00t has developed a deep understanding of the Linux ecosystem and its powerful tools. He holds certifications in SCE and has contributed to several open-source projects. r00t is dedicated to sharing her knowledge and expertise through well-researched and informative articles, helping others navigate the world of Linux with confidence.
Back to top button