Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I find the name of the conda environment in which my code is running?

I'm looking for a good way to figure out the name of the conda environment I'm in from within running code or an interactive python instance.

The use-case is that I am running Jupyter notebooks with both Python 2 and Python 3 kernels from a miniconda install. The default environment is Py3. There is a separate environment for Py2. Inside the a notebook file, I want it to attempt to conda install foo. I'm using subcommand to do this for now, since I can't find a programmatic conda equivalent of pip.main(['install','foo']).

The problem is that the command needs to know the name of the Py2 environment to install foo there if the notebook is running using the Py2 kernel. Without that info it installs in the default Py3 env. I'd like for the code to figure out which environment it is in and the right name for it on its own.

The best solution I've got so far is:

import sys  def get_env():     sp = sys.path[1].split("/")     if "envs" in sp:         return sp[sp.index("envs") + 1]     else:         return "" 

Is there a more direct/appropriate way to accomplish this?

like image 576
Alnilam Avatar asked Apr 11 '16 03:04

Alnilam


People also ask

What is the default conda environment?

Conda has a default environment called base that include a Python installation and some core system libraries and dependencies of Conda. It is a “best practice” to avoid installing additional packages into your base software environment.

Where is conda environment stored?

All Installed Conda Environments are stored in your Block Volume in the /home/datascience/conda directory.


1 Answers

You want $CONDA_DEFAULT_ENV or $CONDA_PREFIX:

$ source activate my_env (my_env) $ echo $CONDA_DEFAULT_ENV my_env  (my_env) $ echo $CONDA_PREFIX /Users/nhdaly/miniconda3/envs/my_env  $ source deactivate $ echo $CONDA_DEFAULT_ENV  # (not-defined)  $ echo $CONDA_PREFIX  # (not-defined) 

In python:

In [1]: import os    ...: print (os.environ['CONDA_DEFAULT_ENV'])    ...: my_env 

for the absolute entire path which is usually more useful:

Python 3.9.0 | packaged by conda-forge | (default, Oct 14 2020, 22:56:29)  [Clang 10.0.1 ] on darwin import os; print(os.environ["CONDA_PREFIX"]) /Users/miranda9/.conda/envs/synthesis 

The environment variables are not well documented. You can find CONDA_DEFAULT_ENV mentioned here: https://www.continuum.io/blog/developer/advanced-features-conda-part-1

The only info on CONDA_PREFIX I could find is this Issue: https://github.com/conda/conda/issues/2764

like image 84
NHDaly Avatar answered Sep 21 '22 16:09

NHDaly