Yes it is. You have 03 steps configuration : 
Filstly - declare yours variables in env. 
Secondly - configure service file 
and finally - call your parameter in your controller :
_ In controllers extending from the AbstractController, use the getParameter() helper :
YAML file config
# config/services.yaml
parameters:
    kernel.project_dir: "%env(variable_name)%"
    app.admin_email: "%env(variable_name)%"
In your controller,
use Symfony\Bundle\FrameworkBundle\Controller\AbstractController;
class UserController extends AbstractController
{
    // ...
    public function index(): Response
    {
        $projectDir = $this->getParameter('kernel.project_dir');
        $adminEmail = $this->getParameter('app.admin_email');
        // ...
    }
}
_ If controllers not extending from AbstractController, inject the parameters as arguments of their constructors.
YAML file config
# config/services.yaml
parameters:
    app.contents_dir: "%env(variable_name)%"
services:
    App\Controllers\UserController :
        arguments:
            $contentsDir: '%app.contents_dir%'
In your controller,
class UserController 
{
    private $params;
    public function __construct(string $contentsDir)
    {
        $this->params = $contentsDir;
    }
    public function someMethod()
    {
        $parameterValue = $this->params;
        // ...
    }
}
_ Finally, if some controllers needs access to lots of parameters, instead of injecting each of them individually, you can inject all the application parameters at once by type-hinting any of its constructor arguments with the ContainerBagInterface:
YAML file config
# config/services.yaml
parameters:
    app.parameter_name: "%env(variable_name)%"
In your service,
use Symfony\Component\DependencyInjection\ParameterBag\ContainerBagInterface;
class UserController 
{
    private $params;
    public function __construct(ContainerBagInterface $params)
    {
        $this->params = $params;
    }
    public function someMethod()
    {
        $parameterValue = $this->params->get('app.parameter_name');
        // ...
    }
}
 source Accessing Configuration Parameters