lix/src/nix/profile.cc

861 lines
28 KiB
C++
Raw Normal View History

2019-10-21 22:21:58 +00:00
#include "command.hh"
#include "installable-flake.hh"
2019-10-21 22:21:58 +00:00
#include "common-args.hh"
#include "shared.hh"
#include "store-api.hh"
#include "derivations.hh"
#include "archive.hh"
#include "builtins/buildenv.hh"
#include "flake/flakeref.hh"
2020-03-30 12:29:29 +00:00
#include "../nix-env/user-env.hh"
#include "profiles.hh"
#include "names.hh"
2019-10-21 22:21:58 +00:00
#include <nlohmann/json.hpp>
2019-10-22 11:06:32 +00:00
#include <regex>
2021-09-14 18:47:33 +00:00
#include <iomanip>
2019-10-21 22:21:58 +00:00
using namespace nix;
struct ProfileElementSource
{
FlakeRef originalRef;
2019-10-21 22:28:16 +00:00
// FIXME: record original attrpath.
FlakeRef lockedRef;
2019-10-21 22:21:58 +00:00
std::string attrPath;
ExtendedOutputsSpec outputs;
bool operator < (const ProfileElementSource & other) const
{
return
std::tuple(originalRef.to_string(), attrPath, outputs) <
std::tuple(other.originalRef.to_string(), other.attrPath, other.outputs);
}
std::string to_string() const
{
return fmt("%s#%s%s", originalRef, attrPath, outputs.to_string());
}
2019-10-21 22:21:58 +00:00
};
const int defaultPriority = 5;
2019-10-21 22:21:58 +00:00
struct ProfileElement
{
StorePathSet storePaths;
2019-10-21 22:21:58 +00:00
std::optional<ProfileElementSource> source;
bool active = true;
int priority = defaultPriority;
std::string identifier() const
{
if (source)
return source->to_string();
StringSet names;
for (auto & path : storePaths)
names.insert(DrvName(path.name()).name);
return concatStringsSep(", ", names);
}
/**
* Return a string representing an installable corresponding to the current
* element, either a flakeref or a plain store path
*/
std::set<std::string> toInstallables(Store & store)
{
if (source)
return {source->to_string()};
StringSet rawPaths;
for (auto & path : storePaths)
rawPaths.insert(store.printStorePath(path));
return rawPaths;
}
std::string versions() const
{
StringSet versions;
for (auto & path : storePaths)
versions.insert(DrvName(path.name()).version);
return showVersions(versions);
}
bool operator < (const ProfileElement & other) const
{
return std::tuple(identifier(), storePaths) < std::tuple(other.identifier(), other.storePaths);
}
2022-03-02 19:37:46 +00:00
void updateStorePaths(
ref<Store> evalStore,
ref<Store> store,
const BuiltPaths & builtPaths)
2022-03-02 19:37:46 +00:00
{
storePaths.clear();
for (auto & buildable : builtPaths) {
2022-03-02 19:37:46 +00:00
std::visit(overloaded {
[&](const BuiltPath::Opaque & bo) {
storePaths.insert(bo.path);
},
[&](const BuiltPath::Built & bfd) {
for (auto & output : bfd.outputs)
2022-03-02 19:37:46 +00:00
storePaths.insert(output.second);
},
}, buildable.raw());
}
}
2019-10-21 22:21:58 +00:00
};
struct ProfileManifest
{
std::vector<ProfileElement> elements;
2019-10-22 11:06:32 +00:00
ProfileManifest() { }
2019-10-22 13:16:57 +00:00
ProfileManifest(EvalState & state, const Path & profile)
2019-10-21 22:21:58 +00:00
{
auto manifestPath = profile + "/manifest.json";
if (pathExists(manifestPath)) {
auto json = nlohmann::json::parse(readFile(manifestPath));
auto version = json.value("version", 0);
std::string sUrl;
std::string sOriginalUrl;
switch (version) {
case 1:
sUrl = "uri";
sOriginalUrl = "originalUri";
break;
case 2:
sUrl = "url";
sOriginalUrl = "originalUrl";
break;
default:
throw Error("profile manifest '%s' has unsupported version %d", manifestPath, version);
}
2019-10-21 22:21:58 +00:00
for (auto & e : json["elements"]) {
ProfileElement element;
for (auto & p : e["storePaths"])
element.storePaths.insert(state.store->parseStorePath((std::string) p));
2019-10-21 22:21:58 +00:00
element.active = e["active"];
2022-05-11 10:15:08 +00:00
if(e.contains("priority")) {
element.priority = e["priority"];
}
if (e.value(sUrl, "") != "") {
element.source = ProfileElementSource {
parseFlakeRef(e[sOriginalUrl]),
parseFlakeRef(e[sUrl]),
e["attrPath"],
e["outputs"].get<ExtendedOutputsSpec>()
2019-10-21 22:21:58 +00:00
};
}
elements.emplace_back(std::move(element));
}
}
2019-10-22 13:16:57 +00:00
else if (pathExists(profile + "/manifest.nix")) {
// FIXME: needed because of pure mode; ugly.
2021-10-07 10:11:00 +00:00
state.allowPath(state.store->followLinksToStore(profile));
state.allowPath(state.store->followLinksToStore(profile + "/manifest.nix"));
2019-10-22 13:16:57 +00:00
auto drvInfos = queryInstalled(state, state.store->followLinksToStore(profile));
for (auto & drvInfo : drvInfos) {
ProfileElement element;
element.storePaths = {drvInfo.queryOutPath()};
2019-10-22 13:16:57 +00:00
elements.emplace_back(std::move(element));
}
}
2019-10-21 22:21:58 +00:00
}
nlohmann::json toJSON(Store & store) const
2019-10-21 22:21:58 +00:00
{
auto array = nlohmann::json::array();
for (auto & element : elements) {
auto paths = nlohmann::json::array();
for (auto & path : element.storePaths)
paths.push_back(store.printStorePath(path));
2019-10-21 22:21:58 +00:00
nlohmann::json obj;
obj["storePaths"] = paths;
obj["active"] = element.active;
2022-05-11 10:15:08 +00:00
obj["priority"] = element.priority;
2019-10-21 22:21:58 +00:00
if (element.source) {
obj["originalUrl"] = element.source->originalRef.to_string();
obj["url"] = element.source->lockedRef.to_string();
2019-10-21 22:21:58 +00:00
obj["attrPath"] = element.source->attrPath;
obj["outputs"] = element.source->outputs;
2019-10-21 22:21:58 +00:00
}
array.push_back(obj);
}
nlohmann::json json;
json["version"] = 2;
2019-10-21 22:21:58 +00:00
json["elements"] = array;
return json;
2019-10-21 22:21:58 +00:00
}
StorePath build(ref<Store> store)
2019-10-21 22:21:58 +00:00
{
auto tempDir = createTempDir();
StorePathSet references;
2019-10-21 22:21:58 +00:00
Packages pkgs;
for (auto & element : elements) {
for (auto & path : element.storePaths) {
if (element.active)
2022-05-11 10:15:08 +00:00
pkgs.emplace_back(store->printStorePath(path), true, element.priority);
references.insert(path);
2019-10-21 22:21:58 +00:00
}
}
buildProfile(tempDir, std::move(pkgs));
writeFile(tempDir + "/manifest.json", toJSON(*store).dump());
2019-10-21 22:21:58 +00:00
/* Add the symlink tree to the store. */
StringSink sink;
dumpPath(tempDir, sink);
auto narHash = hashString(htSHA256, sink.s);
2019-12-14 22:09:57 +00:00
2020-08-06 18:31:48 +00:00
ValidPathInfo info {
2020-10-07 13:52:20 +00:00
*store,
"profile",
FixedOutputInfo {
.method = FileIngestionMethod::Recursive,
.hash = narHash,
.references = {
.others = std::move(references),
// profiles never refer to themselves
.self = false,
2020-10-07 13:52:20 +00:00
},
},
2020-08-06 18:31:48 +00:00
narHash,
};
info.narSize = sink.s.size();
2019-10-21 22:21:58 +00:00
StringSource source(sink.s);
store->addToStore(info, source);
2019-10-21 22:21:58 +00:00
return std::move(info.path);
2019-10-21 22:21:58 +00:00
}
static void printDiff(const ProfileManifest & prev, const ProfileManifest & cur, std::string_view indent)
{
auto prevElems = prev.elements;
std::sort(prevElems.begin(), prevElems.end());
auto curElems = cur.elements;
std::sort(curElems.begin(), curElems.end());
auto i = prevElems.begin();
auto j = curElems.begin();
bool changes = false;
while (i != prevElems.end() || j != curElems.end()) {
if (j != curElems.end() && (i == prevElems.end() || i->identifier() > j->identifier())) {
logger->cout("%s%s: ∅ -> %s", indent, j->identifier(), j->versions());
changes = true;
++j;
}
else if (i != prevElems.end() && (j == curElems.end() || i->identifier() < j->identifier())) {
logger->cout("%s%s: %s -> ∅", indent, i->identifier(), i->versions());
changes = true;
++i;
}
else {
auto v1 = i->versions();
auto v2 = j->versions();
if (v1 != v2) {
logger->cout("%s%s: %s -> %s", indent, i->identifier(), v1, v2);
changes = true;
}
++i;
++j;
}
}
if (!changes)
logger->cout("%sNo changes.", indent);
}
2019-10-21 22:21:58 +00:00
};
static std::map<Installable *, std::pair<BuiltPaths, ref<ExtraPathInfo>>>
builtPathsPerInstallable(
Make command infra less stateful and more regular Already, we had classes like `BuiltPathsCommand` and `StorePathsCommand` which provided alternative `run` virtual functions providing the implementation with more arguments. This was a very nice and easy way to make writing command; just fill in the virtual functions and it is fairly clear what to do. However, exception to this pattern were `Installable{,s}Command`. These two classes instead just had a field where the installables would be stored, and various side-effecting `prepare` and `load` machinery too fill them in. Command would wish out those fields. This isn't so clear to use. What this commit does is make those command classes like the others, with richer `run` functions. Not only does this restore the pattern making commands easier to write, it has a number of other benefits: - `prepare` and `load` are gone entirely! One command just hands just hands off to the next. - `useDefaultInstallables` because `defaultInstallables`. This takes over `prepare` for the one case that needs it, and provides enough flexiblity to handle `nix repl`'s idiosyncratic migration. - We can use `ref` instead of `std::shared_ptr`. The former must be initialized (so it is like Rust's `Box` rather than `Option<Box>`, This expresses the invariant that the installable are in fact initialized much better. This is possible because since we just have local variables not fields, we can stop worrying about the not-yet-initialized case. - Fewer lines of code! (Finally I have a large refactor that makes the number go down not up...) - `nix repl` is now implemented in a clearer way. The last item deserves further mention. `nix repl` is not like the other installable commands because instead working from once-loaded installables, it needs to be able to load them again and again. To properly support this, we make a new superclass `RawInstallablesCommand`. This class has the argument parsing and completion logic, but does *not* hand off parsed installables but instead just the raw string arguments. This is exactly what `nix repl` needs, and allows us to instead of having the logic awkwardly split between `prepare`, `useDefaultInstallables,` and `load`, have everything right next to each other. I think this will enable future simplifications of that argument defaulting logic, but I am saving those for a future PR --- best to keep code motion and more complicated boolean expression rewriting separate steps. The "diagnostic ignored `-Woverloaded-virtual`" pragma helps because C++ doesn't like our many `run` methods. In our case, we don't mind the shadowing it all --- it is *intentional* that the derived class only provides a `run` method, and doesn't call any of the overridden `run` methods. Helps with https://github.com/NixOS/rfcs/pull/134
2023-02-04 17:03:47 +00:00
const std::vector<std::pair<ref<Installable>, BuiltPathWithResult>> & builtPaths)
{
std::map<Installable *, std::pair<BuiltPaths, ref<ExtraPathInfo>>> res;
for (auto & [installable, builtPath] : builtPaths) {
auto & r = res.insert({
&*installable,
{
{},
make_ref<ExtraPathInfo>(),
}
}).first->second;
/* Note that there could be conflicting info
(e.g. meta.priority fields) if the installable returned
2023-01-10 14:20:30 +00:00
multiple derivations. So pick one arbitrarily. FIXME:
print a warning? */
r.first.push_back(builtPath.path);
r.second = builtPath.info;
}
return res;
}
2019-10-21 22:21:58 +00:00
struct CmdProfileInstall : InstallablesCommand, MixDefaultProfile
{
2022-05-25 13:05:39 +00:00
std::optional<int64_t> priority;
2022-05-11 10:15:08 +00:00
CmdProfileInstall() {
addFlag({
.longName = "priority",
.description = "The priority of the package to install.",
.labels = {"priority"},
2022-05-13 20:02:28 +00:00
.handler = {&priority},
2022-05-11 10:15:08 +00:00
});
};
2019-10-21 22:21:58 +00:00
std::string description() override
{
return "install a package into a profile";
}
2020-12-18 13:25:36 +00:00
std::string doc() override
2019-10-21 22:21:58 +00:00
{
2020-12-18 13:25:36 +00:00
return
#include "profile-install.md"
;
2019-10-21 22:21:58 +00:00
}
Make command infra less stateful and more regular Already, we had classes like `BuiltPathsCommand` and `StorePathsCommand` which provided alternative `run` virtual functions providing the implementation with more arguments. This was a very nice and easy way to make writing command; just fill in the virtual functions and it is fairly clear what to do. However, exception to this pattern were `Installable{,s}Command`. These two classes instead just had a field where the installables would be stored, and various side-effecting `prepare` and `load` machinery too fill them in. Command would wish out those fields. This isn't so clear to use. What this commit does is make those command classes like the others, with richer `run` functions. Not only does this restore the pattern making commands easier to write, it has a number of other benefits: - `prepare` and `load` are gone entirely! One command just hands just hands off to the next. - `useDefaultInstallables` because `defaultInstallables`. This takes over `prepare` for the one case that needs it, and provides enough flexiblity to handle `nix repl`'s idiosyncratic migration. - We can use `ref` instead of `std::shared_ptr`. The former must be initialized (so it is like Rust's `Box` rather than `Option<Box>`, This expresses the invariant that the installable are in fact initialized much better. This is possible because since we just have local variables not fields, we can stop worrying about the not-yet-initialized case. - Fewer lines of code! (Finally I have a large refactor that makes the number go down not up...) - `nix repl` is now implemented in a clearer way. The last item deserves further mention. `nix repl` is not like the other installable commands because instead working from once-loaded installables, it needs to be able to load them again and again. To properly support this, we make a new superclass `RawInstallablesCommand`. This class has the argument parsing and completion logic, but does *not* hand off parsed installables but instead just the raw string arguments. This is exactly what `nix repl` needs, and allows us to instead of having the logic awkwardly split between `prepare`, `useDefaultInstallables,` and `load`, have everything right next to each other. I think this will enable future simplifications of that argument defaulting logic, but I am saving those for a future PR --- best to keep code motion and more complicated boolean expression rewriting separate steps. The "diagnostic ignored `-Woverloaded-virtual`" pragma helps because C++ doesn't like our many `run` methods. In our case, we don't mind the shadowing it all --- it is *intentional* that the derived class only provides a `run` method, and doesn't call any of the overridden `run` methods. Helps with https://github.com/NixOS/rfcs/pull/134
2023-02-04 17:03:47 +00:00
void run(ref<Store> store, Installables && installables) override
2019-10-21 22:21:58 +00:00
{
2019-10-22 13:16:57 +00:00
ProfileManifest manifest(*getEvalState(), *profile);
2019-10-21 22:21:58 +00:00
auto builtPaths = builtPathsPerInstallable(
Installable::build2(
getEvalStore(), store, Realise::Outputs, installables, bmNormal));
2019-10-21 22:21:58 +00:00
for (auto & installable : installables) {
2022-03-02 19:37:46 +00:00
ProfileElement element;
auto iter = builtPaths.find(&*installable);
if (iter == builtPaths.end()) continue;
auto & [res, info] = iter->second;
2022-05-13 20:02:28 +00:00
if (auto * info2 = dynamic_cast<ExtraPathInfoFlake *>(&*info)) {
element.source = ProfileElementSource {
.originalRef = info2->flake.originalRef,
.lockedRef = info2->flake.lockedRef,
.attrPath = info2->value.attrPath,
.outputs = info2->value.extendedOutputsSpec,
2019-10-21 22:21:58 +00:00
};
2022-03-02 19:37:46 +00:00
}
2019-10-21 22:21:58 +00:00
// If --priority was specified we want to override the
// priority of the installable.
element.priority =
priority
? *priority
: ({
auto * info2 = dynamic_cast<ExtraPathInfoValue *>(&*info);
info2
? info2->value.priority.value_or(defaultPriority)
: defaultPriority;
});
2022-05-13 20:02:28 +00:00
element.updateStorePaths(getEvalStore(), store, res);
2019-10-21 22:21:58 +00:00
2022-03-02 19:37:46 +00:00
manifest.elements.push_back(std::move(element));
2019-10-21 22:21:58 +00:00
}
try {
updateProfile(manifest.build(store));
} catch (BuildEnvFileConflictError & conflictError) {
// FIXME use C++20 std::ranges once macOS has it
// See https://github.com/NixOS/nix/compare/3efa476c5439f8f6c1968a6ba20a31d1239c2f04..1fe5d172ece51a619e879c4b86f603d9495cc102
auto findRefByFilePath = [&]<typename Iterator>(Iterator begin, Iterator end) {
for (auto it = begin; it != end; it++) {
auto profileElement = *it;
for (auto & storePath : profileElement.storePaths) {
if (conflictError.fileA.starts_with(store->printStorePath(storePath))) {
return std::pair(conflictError.fileA, profileElement.toInstallables(*store));
}
if (conflictError.fileB.starts_with(store->printStorePath(storePath))) {
return std::pair(conflictError.fileB, profileElement.toInstallables(*store));
}
}
}
throw conflictError;
};
// There are 2 conflicting files. We need to find out which one is from the already installed package and
// which one is the package that is the new package that is being installed.
// The first matching package is the one that was already installed (original).
auto [originalConflictingFilePath, originalConflictingRefs] = findRefByFilePath(manifest.elements.begin(), manifest.elements.end());
// The last matching package is the one that was going to be installed (new).
auto [newConflictingFilePath, newConflictingRefs] = findRefByFilePath(manifest.elements.rbegin(), manifest.elements.rend());
throw Error(
"An existing package already provides the following file:\n"
"\n"
" %1%\n"
"\n"
"This is the conflicting file from the new package:\n"
"\n"
" %2%\n"
"\n"
"To remove the existing package:\n"
"\n"
" nix profile remove %3%\n"
"\n"
"The new package can also be installed next to the existing one by assigning a different priority.\n"
"The conflicting packages have a priority of %5%.\n"
"To prioritise the new package:\n"
"\n"
" nix profile install %4% --priority %6%\n"
"\n"
"To prioritise the existing package:\n"
"\n"
" nix profile install %4% --priority %7%\n",
originalConflictingFilePath,
newConflictingFilePath,
concatStringsSep(" ", originalConflictingRefs),
concatStringsSep(" ", newConflictingRefs),
conflictError.priority,
conflictError.priority - 1,
conflictError.priority + 1
);
}
2019-10-21 22:21:58 +00:00
}
};
2019-10-22 11:06:32 +00:00
class MixProfileElementMatchers : virtual Args
{
std::vector<std::string> _matchers;
public:
MixProfileElementMatchers()
{
expectArgs("elements", &_matchers);
}
struct RegexPattern {
std::string pattern;
std::regex reg;
};
typedef std::variant<size_t, Path, RegexPattern> Matcher;
2019-10-22 11:06:32 +00:00
std::vector<Matcher> getMatchers(ref<Store> store)
{
std::vector<Matcher> res;
for (auto & s : _matchers) {
2021-01-08 11:22:21 +00:00
if (auto n = string2Int<size_t>(s))
res.push_back(*n);
2019-10-22 11:06:32 +00:00
else if (store->isStorePath(s))
res.push_back(s);
else
res.push_back(RegexPattern{s,std::regex(s, std::regex::extended | std::regex::icase)});
2019-10-22 11:06:32 +00:00
}
return res;
}
bool matches(const Store & store, const ProfileElement & element, size_t pos, const std::vector<Matcher> & matchers)
2019-10-22 11:06:32 +00:00
{
for (auto & matcher : matchers) {
if (auto n = std::get_if<size_t>(&matcher)) {
if (*n == pos) return true;
} else if (auto path = std::get_if<Path>(&matcher)) {
if (element.storePaths.count(store.parseStorePath(*path))) return true;
} else if (auto regex = std::get_if<RegexPattern>(&matcher)) {
2019-10-22 11:06:32 +00:00
if (element.source
&& std::regex_match(element.source->attrPath, regex->reg))
2019-10-22 11:06:32 +00:00
return true;
}
}
return false;
}
};
2019-10-22 13:16:57 +00:00
struct CmdProfileRemove : virtual EvalCommand, MixDefaultProfile, MixProfileElementMatchers
2019-10-22 11:06:32 +00:00
{
std::string description() override
{
return "remove packages from a profile";
}
2020-12-18 13:25:36 +00:00
std::string doc() override
2019-10-22 11:06:32 +00:00
{
2020-12-18 13:25:36 +00:00
return
#include "profile-remove.md"
;
2019-10-22 11:06:32 +00:00
}
void run(ref<Store> store) override
{
2019-10-22 13:16:57 +00:00
ProfileManifest oldManifest(*getEvalState(), *profile);
2019-10-22 11:06:32 +00:00
auto matchers = getMatchers(store);
ProfileManifest newManifest;
for (size_t i = 0; i < oldManifest.elements.size(); ++i) {
auto & element(oldManifest.elements[i]);
if (!matches(*store, element, i, matchers)) {
newManifest.elements.push_back(std::move(element));
} else {
notice("removing '%s'", element.identifier());
}
2019-10-22 11:06:32 +00:00
}
auto removedCount = oldManifest.elements.size() - newManifest.elements.size();
2019-10-22 11:06:32 +00:00
printInfo("removed %d packages, kept %d packages",
removedCount,
2019-10-22 11:06:32 +00:00
newManifest.elements.size());
if (removedCount == 0) {
for (auto matcher: matchers) {
2022-03-02 10:46:15 +00:00
if (const size_t * index = std::get_if<size_t>(&matcher)){
warn("'%d' is not a valid index", *index);
} else if (const Path * path = std::get_if<Path>(&matcher)){
warn("'%s' does not match any paths", *path);
} else if (const RegexPattern * regex = std::get_if<RegexPattern>(&matcher)){
warn("'%s' does not match any packages", regex->pattern);
}
}
2022-03-02 10:46:15 +00:00
warn ("Use 'nix profile list' to see the current profile.");
}
2019-10-22 11:06:32 +00:00
updateProfile(newManifest.build(store));
}
};
2019-10-22 12:44:51 +00:00
struct CmdProfileUpgrade : virtual SourceExprCommand, MixDefaultProfile, MixProfileElementMatchers
{
std::string description() override
{
return "upgrade packages using their most recent flake";
}
2020-12-18 13:25:36 +00:00
std::string doc() override
2019-10-22 12:44:51 +00:00
{
2020-12-18 13:25:36 +00:00
return
#include "profile-upgrade.md"
;
2019-10-22 12:44:51 +00:00
}
void run(ref<Store> store) override
{
2019-10-22 13:16:57 +00:00
ProfileManifest manifest(*getEvalState(), *profile);
2019-10-22 12:44:51 +00:00
auto matchers = getMatchers(store);
Make command infra less stateful and more regular Already, we had classes like `BuiltPathsCommand` and `StorePathsCommand` which provided alternative `run` virtual functions providing the implementation with more arguments. This was a very nice and easy way to make writing command; just fill in the virtual functions and it is fairly clear what to do. However, exception to this pattern were `Installable{,s}Command`. These two classes instead just had a field where the installables would be stored, and various side-effecting `prepare` and `load` machinery too fill them in. Command would wish out those fields. This isn't so clear to use. What this commit does is make those command classes like the others, with richer `run` functions. Not only does this restore the pattern making commands easier to write, it has a number of other benefits: - `prepare` and `load` are gone entirely! One command just hands just hands off to the next. - `useDefaultInstallables` because `defaultInstallables`. This takes over `prepare` for the one case that needs it, and provides enough flexiblity to handle `nix repl`'s idiosyncratic migration. - We can use `ref` instead of `std::shared_ptr`. The former must be initialized (so it is like Rust's `Box` rather than `Option<Box>`, This expresses the invariant that the installable are in fact initialized much better. This is possible because since we just have local variables not fields, we can stop worrying about the not-yet-initialized case. - Fewer lines of code! (Finally I have a large refactor that makes the number go down not up...) - `nix repl` is now implemented in a clearer way. The last item deserves further mention. `nix repl` is not like the other installable commands because instead working from once-loaded installables, it needs to be able to load them again and again. To properly support this, we make a new superclass `RawInstallablesCommand`. This class has the argument parsing and completion logic, but does *not* hand off parsed installables but instead just the raw string arguments. This is exactly what `nix repl` needs, and allows us to instead of having the logic awkwardly split between `prepare`, `useDefaultInstallables,` and `load`, have everything right next to each other. I think this will enable future simplifications of that argument defaulting logic, but I am saving those for a future PR --- best to keep code motion and more complicated boolean expression rewriting separate steps. The "diagnostic ignored `-Woverloaded-virtual`" pragma helps because C++ doesn't like our many `run` methods. In our case, we don't mind the shadowing it all --- it is *intentional* that the derived class only provides a `run` method, and doesn't call any of the overridden `run` methods. Helps with https://github.com/NixOS/rfcs/pull/134
2023-02-04 17:03:47 +00:00
Installables installables;
2022-03-02 19:37:46 +00:00
std::vector<size_t> indices;
2019-10-22 12:44:51 +00:00
auto upgradedCount = 0;
2019-10-22 12:44:51 +00:00
for (size_t i = 0; i < manifest.elements.size(); ++i) {
auto & element(manifest.elements[i]);
if (element.source
&& !element.source->originalRef.input.isLocked()
&& matches(*store, element, i, matchers))
2019-10-22 12:44:51 +00:00
{
upgradedCount++;
2019-10-22 12:44:51 +00:00
Activity act(*logger, lvlChatty, actUnknown,
fmt("checking '%s' for updates", element.source->attrPath));
Make command infra less stateful and more regular Already, we had classes like `BuiltPathsCommand` and `StorePathsCommand` which provided alternative `run` virtual functions providing the implementation with more arguments. This was a very nice and easy way to make writing command; just fill in the virtual functions and it is fairly clear what to do. However, exception to this pattern were `Installable{,s}Command`. These two classes instead just had a field where the installables would be stored, and various side-effecting `prepare` and `load` machinery too fill them in. Command would wish out those fields. This isn't so clear to use. What this commit does is make those command classes like the others, with richer `run` functions. Not only does this restore the pattern making commands easier to write, it has a number of other benefits: - `prepare` and `load` are gone entirely! One command just hands just hands off to the next. - `useDefaultInstallables` because `defaultInstallables`. This takes over `prepare` for the one case that needs it, and provides enough flexiblity to handle `nix repl`'s idiosyncratic migration. - We can use `ref` instead of `std::shared_ptr`. The former must be initialized (so it is like Rust's `Box` rather than `Option<Box>`, This expresses the invariant that the installable are in fact initialized much better. This is possible because since we just have local variables not fields, we can stop worrying about the not-yet-initialized case. - Fewer lines of code! (Finally I have a large refactor that makes the number go down not up...) - `nix repl` is now implemented in a clearer way. The last item deserves further mention. `nix repl` is not like the other installable commands because instead working from once-loaded installables, it needs to be able to load them again and again. To properly support this, we make a new superclass `RawInstallablesCommand`. This class has the argument parsing and completion logic, but does *not* hand off parsed installables but instead just the raw string arguments. This is exactly what `nix repl` needs, and allows us to instead of having the logic awkwardly split between `prepare`, `useDefaultInstallables,` and `load`, have everything right next to each other. I think this will enable future simplifications of that argument defaulting logic, but I am saving those for a future PR --- best to keep code motion and more complicated boolean expression rewriting separate steps. The "diagnostic ignored `-Woverloaded-virtual`" pragma helps because C++ doesn't like our many `run` methods. In our case, we don't mind the shadowing it all --- it is *intentional* that the derived class only provides a `run` method, and doesn't call any of the overridden `run` methods. Helps with https://github.com/NixOS/rfcs/pull/134
2023-02-04 17:03:47 +00:00
auto installable = make_ref<InstallableFlake>(
this,
getEvalState(),
FlakeRef(element.source->originalRef),
"",
element.source->outputs,
2022-03-02 19:37:46 +00:00
Strings{element.source->attrPath},
Strings{},
lockFlags);
2019-10-22 12:44:51 +00:00
auto derivedPaths = installable->toDerivedPaths();
if (derivedPaths.empty()) continue;
auto * infop = dynamic_cast<ExtraPathInfoFlake *>(&*derivedPaths[0].info);
// `InstallableFlake` should use `ExtraPathInfoFlake`.
assert(infop);
auto & info = *infop;
2019-10-22 12:44:51 +00:00
if (element.source->lockedRef == info.flake.lockedRef) continue;
2019-10-22 12:44:51 +00:00
printInfo("upgrading '%s' from flake '%s' to '%s'",
element.source->attrPath, element.source->lockedRef, info.flake.lockedRef);
2019-10-22 12:44:51 +00:00
element.source = ProfileElementSource {
.originalRef = installable->flakeRef,
.lockedRef = info.flake.lockedRef,
.attrPath = info.value.attrPath,
.outputs = installable->extendedOutputsSpec,
2019-10-22 12:44:51 +00:00
};
2022-03-02 19:37:46 +00:00
installables.push_back(installable);
indices.push_back(i);
2019-10-22 12:44:51 +00:00
}
}
if (upgradedCount == 0) {
for (auto & matcher : matchers) {
2022-03-02 10:46:15 +00:00
if (const size_t * index = std::get_if<size_t>(&matcher)){
warn("'%d' is not a valid index", *index);
} else if (const Path * path = std::get_if<Path>(&matcher)){
warn("'%s' does not match any paths", *path);
} else if (const RegexPattern * regex = std::get_if<RegexPattern>(&matcher)){
warn("'%s' does not match any packages", regex->pattern);
}
}
warn ("Use 'nix profile list' to see the current profile.");
}
auto builtPaths = builtPathsPerInstallable(
Installable::build2(
getEvalStore(), store, Realise::Outputs, installables, bmNormal));
2022-03-02 19:37:46 +00:00
for (size_t i = 0; i < installables.size(); ++i) {
auto & installable = installables.at(i);
auto & element = manifest.elements[indices.at(i)];
element.updateStorePaths(
getEvalStore(),
store,
builtPaths.find(&*installable)->second.first);
2022-03-02 19:37:46 +00:00
}
2019-10-22 12:44:51 +00:00
updateProfile(manifest.build(store));
}
};
struct CmdProfileList : virtual EvalCommand, virtual StoreCommand, MixDefaultProfile, MixJSON
2019-10-21 22:21:58 +00:00
{
std::string description() override
{
2019-10-22 11:06:32 +00:00
return "list installed packages";
2019-10-21 22:21:58 +00:00
}
2020-12-18 13:25:36 +00:00
std::string doc() override
2019-10-21 22:21:58 +00:00
{
2020-12-18 13:25:36 +00:00
return
2021-01-12 18:57:05 +00:00
#include "profile-list.md"
2020-12-18 13:25:36 +00:00
;
2019-10-21 22:21:58 +00:00
}
void run(ref<Store> store) override
{
2019-10-22 13:16:57 +00:00
ProfileManifest manifest(*getEvalState(), *profile);
2019-10-21 22:21:58 +00:00
if (json) {
std::cout << manifest.toJSON(*store).dump() << "\n";
} else {
for (size_t i = 0; i < manifest.elements.size(); ++i) {
auto & element(manifest.elements[i]);
if (i) logger->cout("");
logger->cout("Index: " ANSI_BOLD "%s" ANSI_NORMAL "%s",
i,
element.active ? "" : " " ANSI_RED "(inactive)" ANSI_NORMAL);
if (element.source) {
logger->cout("Flake attribute: %s%s", element.source->attrPath, element.source->outputs.to_string());
logger->cout("Original flake URL: %s", element.source->originalRef.to_string());
logger->cout("Locked flake URL: %s", element.source->lockedRef.to_string());
}
logger->cout("Store paths: %s", concatStringsSep(" ", store->printStorePathSet(element.storePaths)));
}
2019-10-21 22:21:58 +00:00
}
}
};
struct CmdProfileDiffClosures : virtual StoreCommand, MixDefaultProfile
{
std::string description() override
{
2020-12-18 13:25:36 +00:00
return "show the closure difference between each version of a profile";
}
2020-12-18 13:25:36 +00:00
std::string doc() override
{
2020-12-18 13:25:36 +00:00
return
#include "profile-diff-closures.md"
;
}
void run(ref<Store> store) override
{
auto [gens, curGen] = findGenerations(*profile);
std::optional<Generation> prevGen;
bool first = true;
for (auto & gen : gens) {
if (prevGen) {
if (!first) logger->cout("");
first = false;
logger->cout("Version %d -> %d:", prevGen->number, gen.number);
printClosureDiff(store,
store->followLinksToStorePath(prevGen->path),
store->followLinksToStorePath(gen.path),
" ");
}
prevGen = gen;
}
}
};
struct CmdProfileHistory : virtual StoreCommand, EvalCommand, MixDefaultProfile
{
std::string description() override
{
return "show all versions of a profile";
}
std::string doc() override
{
return
#include "profile-history.md"
;
}
void run(ref<Store> store) override
{
auto [gens, curGen] = findGenerations(*profile);
std::optional<std::pair<Generation, ProfileManifest>> prevGen;
bool first = true;
for (auto & gen : gens) {
ProfileManifest manifest(*getEvalState(), gen.path);
if (!first) logger->cout("");
first = false;
logger->cout("Version %s%d" ANSI_NORMAL " (%s)%s:",
2021-09-14 18:47:33 +00:00
gen.number == curGen ? ANSI_GREEN : ANSI_BOLD,
gen.number,
std::put_time(std::gmtime(&gen.creationTime), "%Y-%m-%d"),
prevGen ? fmt(" <- %d", prevGen->first.number) : "");
ProfileManifest::printDiff(
prevGen ? prevGen->second : ProfileManifest(),
manifest,
" ");
prevGen = {gen, std::move(manifest)};
}
}
};
2021-09-14 17:05:28 +00:00
struct CmdProfileRollback : virtual StoreCommand, MixDefaultProfile, MixDryRun
{
std::optional<GenerationNumber> version;
CmdProfileRollback()
{
addFlag({
.longName = "to",
.description = "The profile version to roll back to.",
.labels = {"version"},
.handler = {&version},
});
}
std::string description() override
{
2021-09-14 17:57:45 +00:00
return "roll back to the previous version or a specified version of a profile";
2021-09-14 17:05:28 +00:00
}
std::string doc() override
{
return
#include "profile-rollback.md"
;
}
void run(ref<Store> store) override
{
switchGeneration(*profile, version, dryRun);
}
};
2021-09-14 18:35:12 +00:00
struct CmdProfileWipeHistory : virtual StoreCommand, MixDefaultProfile, MixDryRun
{
std::optional<std::string> minAge;
CmdProfileWipeHistory()
{
addFlag({
.longName = "older-than",
.description =
"Delete versions older than the specified age. *age* "
"must be in the format *N*`d`, where *N* denotes a number "
"of days.",
.labels = {"age"},
.handler = {&minAge},
});
}
std::string description() override
{
return "delete non-current versions of a profile";
}
std::string doc() override
{
return
#include "profile-wipe-history.md"
;
}
void run(ref<Store> store) override
{
if (minAge) {
auto t = parseOlderThanTimeSpec(*minAge);
deleteGenerationsOlderThan(*profile, t, dryRun);
} else
2021-09-14 18:35:12 +00:00
deleteOldGenerations(*profile, dryRun);
}
};
struct CmdProfile : NixMultiCommand
2019-10-21 22:21:58 +00:00
{
CmdProfile()
: MultiCommand({
{"install", []() { return make_ref<CmdProfileInstall>(); }},
2019-10-22 11:06:32 +00:00
{"remove", []() { return make_ref<CmdProfileRemove>(); }},
2019-10-22 12:44:51 +00:00
{"upgrade", []() { return make_ref<CmdProfileUpgrade>(); }},
2021-01-12 18:57:05 +00:00
{"list", []() { return make_ref<CmdProfileList>(); }},
{"diff-closures", []() { return make_ref<CmdProfileDiffClosures>(); }},
{"history", []() { return make_ref<CmdProfileHistory>(); }},
2021-09-14 17:05:28 +00:00
{"rollback", []() { return make_ref<CmdProfileRollback>(); }},
2021-09-14 18:35:12 +00:00
{"wipe-history", []() { return make_ref<CmdProfileWipeHistory>(); }},
2019-10-21 22:21:58 +00:00
})
{ }
std::string description() override
{
return "manage Nix profiles";
}
2020-12-18 13:25:36 +00:00
std::string doc() override
{
return
#include "profile.md"
;
}
2019-10-21 22:21:58 +00:00
void run() override
{
if (!command)
throw UsageError("'nix profile' requires a sub-command.");
command->second->run();
2019-10-21 22:21:58 +00:00
}
};
static auto rCmdProfile = registerCommand<CmdProfile>("profile");