Marc Cataford
1bbd6c1050
* feat: handling for using versions that are not installed * test: coverage for installed version list * chore: increment version to 0.0.8
89 lines
2.4 KiB
Go
89 lines
2.4 KiB
Go
package main
|
|
|
|
import (
|
|
"io/ioutil"
|
|
"os"
|
|
"path"
|
|
"strings"
|
|
)
|
|
|
|
type SelectedVersion struct {
|
|
Version string
|
|
Source string
|
|
}
|
|
|
|
func ListInstalledVersions() ([]string, error) {
|
|
runtimesDir := GetStatePath("runtimes")
|
|
entries, err := os.ReadDir(runtimesDir)
|
|
|
|
if err != nil {
|
|
return []string{}, err
|
|
}
|
|
|
|
installedVersions := []string{}
|
|
|
|
for _, d := range entries {
|
|
installedVersions = append(installedVersions, strings.TrimPrefix(d.Name(), "py-"))
|
|
}
|
|
|
|
return installedVersions, nil
|
|
}
|
|
|
|
// SearchForPythonVersionFile crawls up to the system root to find any
|
|
// .python-version file that could set the current version.
|
|
func SearchForPythonVersionFile() (SelectedVersion, bool) {
|
|
currentPath, _ := os.Getwd()
|
|
var versionFound string
|
|
for {
|
|
content, err := ioutil.ReadFile(path.Join(currentPath, ".python-version"))
|
|
|
|
if err == nil {
|
|
versionFound = strings.TrimSpace(string(content))
|
|
break
|
|
}
|
|
|
|
nextPath := path.Dir(currentPath)
|
|
|
|
if currentPath == nextPath {
|
|
break
|
|
}
|
|
|
|
currentPath = nextPath
|
|
}
|
|
|
|
if versionFound == "" {
|
|
return SelectedVersion{}, false
|
|
}
|
|
|
|
return SelectedVersion{Version: versionFound, Source: path.Join(currentPath, ".python-version")}, true
|
|
}
|
|
|
|
// DetermineSelectedPythonVersion returns the Python runtime version that should be
|
|
// used according to v.
|
|
//
|
|
// First, v will look in the current directory and all its parents for a .python-version
|
|
// file that would indicate which version is preferred. If none are found, the global
|
|
// user-defined version (via `v use <version>`) is used. If there is none, the system
|
|
// Python version is used.
|
|
func DetermineSelectedPythonVersion(currentState State) (SelectedVersion, error) {
|
|
pythonFileVersion, pythonFileVersionFound := SearchForPythonVersionFile()
|
|
|
|
if pythonFileVersionFound {
|
|
return pythonFileVersion, nil
|
|
}
|
|
|
|
if len(currentState.GlobalVersion) != 0 {
|
|
return SelectedVersion{Version: currentState.GlobalVersion, Source: GetStatePath("state.json")}, nil
|
|
}
|
|
|
|
systemVersion, _ := DetermineSystemPython()
|
|
return SelectedVersion{Source: "system", Version: systemVersion}, nil
|
|
}
|
|
|
|
// DetermineSystemPython returns the unshimmed Python version and path.
|
|
// It assumes that /bin/python is where system Python lives.
|
|
func DetermineSystemPython() (string, string) {
|
|
versionOut, _ := RunCommand([]string{"/bin/python", "--version"}, GetStatePath(), true)
|
|
detectedVersion, _ := strings.CutPrefix(versionOut, "Python")
|
|
return strings.TrimSpace(detectedVersion), "/bin/python"
|
|
}
|