.env file parser for Elixir.
If available in Hex, the package can be installed
by adding envious to your list of dependencies in mix.exs:
def deps do
[
{:envious, "~> 1.0"}
]
endDocs can be found at https://hexdocs.pm/envious.
Envious is simply a file parser and is functional in nature. It does not mutate the environment or have any side effects. It is up to the user to decide how to use the parsed data.
dotenv = """
# My .env file
export KEY1=value1
KEY2=value2 # export is optional
"""
Envious.parse(dotenv)
# => {:ok, %{"KEY1" => "value1", "KEY2" => "value2"}}Envious.parse/1- Returns{:ok, map}or{:error, message}Envious.parse/2- Same as above, with options (:interpolate,:undefined_vars)Envious.parse!/1- Returnsmapor raisesRuntimeErrorEnvious.parse!/2- Same as above, with options
- Comments: Lines starting with
#are ignored - Export prefix: Optional
exportkeyword (shell compatibility) - Quoted values: Single and double quotes with escape sequences
- Multi-line values: Quoted values can span multiple lines
- Empty values:
KEY=produces an empty string - Digits in keys: Variable names like
DB2_HOST,API_V2_URLare supported - Escape sequences:
\n,\t,\r,\\,\",\'in quoted strings - Blank lines: Multiple blank lines and trailing whitespace are handled correctly
dotenv = """
# Database configuration
DB_HOST=localhost
DB_PORT=5432
DB_NAME="my database"
# API settings with escape sequences
MESSAGE="Line 1\\nLine 2"
PATH='C:\\\\Users\\\\path'
EMPTY=
# Multi-line certificate
CERT="-----BEGIN CERTIFICATE-----
MIIBkTCB+w...
-----END CERTIFICATE-----"
"""
Envious.parse(dotenv)
# => {:ok, %{
# "DB_HOST" => "localhost",
# "DB_PORT" => "5432",
# "DB_NAME" => "my database",
# "MESSAGE" => "Line 1\nLine 2",
# "PATH" => "C:\\Users\\path",
# "EMPTY" => "",
# "CERT" => "-----BEGIN CERTIFICATE-----\nMIIBkTCB+w...\n-----END CERTIFICATE-----"
# }}Envious supports opt-in shell-style variable interpolation with $VAR and ${VAR} syntax.
Interpolation is disabled by default for backward compatibility and security. Enable it with the :interpolate option:
dotenv = """
BASE_PATH=/app
CONFIG_PATH=$BASE_PATH/config
BIN_PATH=${BASE_PATH}/bin
"""
Envious.parse(dotenv, interpolate: true)
# => {:ok, %{
# "BASE_PATH" => "/app",
# "CONFIG_PATH" => "/app/config",
# "BIN_PATH" => "/app/bin"
# }}Interpolation follows shell behavior:
- Double quotes: Variables are interpolated
- Single quotes: Variables are preserved literally (no interpolation)
- Unquoted values: Variables are interpolated when
$is followed by a valid name - Escape: Use
\$in double quotes for a literal$
dotenv = """
NAME=world
DOUBLE="Hello $NAME"
SINGLE='Hello $NAME'
PRICE="\\$99.99"
"""
Envious.parse(dotenv, interpolate: true)
# => {:ok, %{
# "NAME" => "world",
# "DOUBLE" => "Hello world",
# "SINGLE" => "Hello $NAME",
# "PRICE" => "$99.99"
# }}Control how undefined variables are handled with the :undefined_vars option:
| Option | Behavior | Example ($UNKNOWN) |
|---|---|---|
:keep (default) |
Preserve literal text | "$UNKNOWN" |
:empty |
Replace with empty string | "" |
:error |
Return error | {:error, "Undefined variable: UNKNOWN"} |
# Default: keep undefined as literal (safest)
Envious.parse("PATH=$UNDEFINED/bin", interpolate: true)
# => {:ok, %{"PATH" => "$UNDEFINED/bin"}}
# Shell-compatible: replace with empty string
Envious.parse("PATH=$UNDEFINED/bin", interpolate: true, undefined_vars: :empty)
# => {:ok, %{"PATH" => "/bin"}}
# Strict: error on undefined
Envious.parse("PATH=$UNDEFINED/bin", interpolate: true, undefined_vars: :error)
# => {:error, "Undefined variable: UNDEFINED"}Variables are resolved in definition order. A variable can reference any variable defined earlier in the file:
dotenv = """
A=1
B=$A
C=$B
"""
Envious.parse(dotenv, interpolate: true)
# => {:ok, %{"A" => "1", "B" => "1", "C" => "1"}}Now that config/runtime.exs exists in Elixir, it is possible to load environment
at application startup. Here are examples of how you might use Envious to load
.env files at application startup time.
# config/runtime.exs
import Config
# Load environment-specific .env file if it exists
env_file = ".#{config_env()}.env"
if File.exists?(env_file) do
env_file |> File.read!() |> Envious.parse!() |> System.put_env()
end
config :my_app,
key1: System.get_env("KEY1"),
key2: System.get_env("KEY2")# config/runtime.exs
import Config
# Try to load environment-specific .env file
# Silently continues if file doesn't exist or fails to parse
env_file = ".#{config_env()}.env"
with {:ok, contents} <- File.read(env_file),
{:ok, env} <- Envious.parse(contents) do
System.put_env(env)
end
config :my_app,
key1: System.get_env("KEY1"),
key2: System.get_env("KEY2")This example loads multiple .env files in order, with later files overriding earlier ones, but system environment variables always have the highest priority.
# config/runtime.exs
import Config
# Load .env files in priority order (lowest to highest)
# - .env (defaults for all environments)
# - .env.local (local overrides, gitignored)
# - .env.{environment} (environment-specific)
env_files = [
".env",
".env.local",
".env.#{config_env()}"
]
# Accumulate environment variables from all files
loaded_env =
Enum.reduce(env_files, %{}, fn file, acc ->
with {:ok, contents} <- File.read(file),
{:ok, env} <- Envious.parse(contents) do
Map.merge(acc, env)
else
_ -> acc
end
end)
# Only set variables that aren't already in the system environment
# This gives system environment variables the highest priority
Enum.each(loaded_env, fn {key, value} ->
if System.get_env(key) == nil do
System.put_env(key, value)
end
end)
config :my_app,
database_url: System.fetch_env!("DATABASE_URL"),
secret_key_base: System.fetch_env!("SECRET_KEY_BASE")Envious includes Envious.Env with convenient functions for extracting and converting environment variables in your configuration files. These functions work with System.get_env/1 and are designed to be used after loading your .env file.
You can import them with use Envious or import Envious.Env.
optional/1- Returns value ornilif not setoptional/2- Returns value or default if not setrequired!/1- Returns value or raises if not set
integer!/1- Convert to integerfloat!/1- Convert to floatboolean!/1- Convert to boolean (handles "true", "1", "yes", "on" and their false equivalents)atom!/1- Convert to existing atom (safe, won't create new atoms)list!/1- Split into list (comma-separated by default)list!/2- Split into list and transform each elementinterval!/1- Parse time intervals ("30s", "5m", "2h") to milliseconds (default, like:timer)interval!/2- Parse time intervals to custom unit (:seconds, :minutes, etc.)uri!/1- Parse URI stringip!/1- Parse IP address (IPv4 or IPv6) into tuple
# config/runtime.exs
import Config
use Envious # imports both Envious and Envious.Env
# Load .env file into system environment
".env" |> File.read!() |> parse!() |> System.put_env()
# Use helpers to extract and convert values
config :my_app, MyApp.Repo,
url: required!("DATABASE_URL"),
pool_size: optional("POOL_SIZE", "10") |> integer!()
config :my_app,
port: required!("PORT") |> integer!(),
host: optional("HOST", "localhost"),
debug: optional("DEBUG", "false") |> boolean!(),
log_level: optional("LOG_LEVEL", "info") |> atom!(),
cors_origins: optional("CORS_ORIGINS", "http://localhost") |> list!(),
request_timeout: optional("REQUEST_TIMEOUT", "30s") |> interval!(),
cache_ttl: optional("CACHE_TTL", "5m") |> interval!(:seconds),
enabled_features: optional("FEATURES", "feature1,feature2") |> list!(),
workers: optional("WORKER_PORTS", "4000,4001,4002") |> list!(&integer!/1)With a corresponding .env file:
# .env
DATABASE_URL=postgresql://localhost/myapp_dev
PORT=4000
DEBUG=true
LOG_LEVEL=debug
CORS_ORIGINS=http://localhost:3000,http://localhost:4000
REQUEST_TIMEOUT=60s
CACHE_TTL=10m
FEATURES=auth,api,websocket
WORKER_PORTS=5000,5001,5002All type conversion functions use the bang (!) convention and raise descriptive ArgumentError messages if conversion fails. This fail-fast approach ensures invalid configuration is caught at application startup rather than causing issues at runtime.
Note: Envious.Helpers is deprecated in favor of Envious.Env but remains available for backward compatibility.
-
Simple approach - Use when .env files are required for your app to run. Crashes immediately if files are missing or invalid, making issues obvious during development.
-
Graceful approach - Use for optional configuration files (development overrides, local settings). Silently continues if files don't exist or have errors.
-
Advanced approach - Use when you need environment-specific files (
.env,.env.local,.env.production) with cascading overrides, while respecting system environment variables.