diff --git a/doc/stdenv/cross-compilation.chapter.md b/doc/stdenv/cross-compilation.chapter.md
index f6e61a1af196..3b6e5c34d54d 100644
--- a/doc/stdenv/cross-compilation.chapter.md
+++ b/doc/stdenv/cross-compilation.chapter.md
@@ -78,21 +78,46 @@ If both the dependency and depending packages aren't compilers or other machine-
Finally, if the depending package is a compiler or other machine-code-producing tool, it might need dependencies that run at "emit time". This is for compilers that (regrettably) insist on being built together with their source languages' standard libraries. Assuming build != host != target, a run-time dependency of the standard library cannot be run at the compiler's build time or run time, but only at the run time of code emitted by the compiler.
-Putting this all together, that means we have dependencies in the form "host → target", in at most the following six combinations:
+Putting this all together, that means that we have dependency types of the form "X→ E", which means that the dependency executes on X and emits code for E; each of X and E can be `build`, `host`, or `target`, and E can be `*` to indicate that the dependency is not a compiler-like package.
+
+Dependency types describe the relationships that a package has with each of its transitive dependencies. You could think of attaching one or more dependency types to each of the formal parameters at the top of a package's `.nix` file, as well as to all of *their* formal parameters, and so on. Triples like `(foo, bar, baz)`, on the other hand, are a property of an instantiated derivation -- you could would attach a triple `(mips-linux, mips-linux, sparc-solaris)` to a `.drv` file in `/nix/store`.
+
+Only nine dependency types matter in practice:
#### Possible dependency types {#possible-dependency-types}
-| Dependency’s host platform | Dependency’s target platform |
-|----------------------------|------------------------------|
-| build | build |
-| build | host |
-| build | target |
-| host | host |
-| host | target |
-| target | target |
+| Dependency type | Dependency’s host platform | Dependency’s target platform |
+|-----------------|----------------------------|------------------------------|
+| build → * | build | (none) |
+| build → build | build | build |
+| build → host | build | host |
+| build → target | build | target |
+| host → * | host | (none) |
+| host → host | host | host |
+| host → target | host | target |
+| target → * | target | (none) |
+| target → target | target | target |
+Let's use `g++` as an example to make this table clearer. `g++` is a C++ compiler written in C. Suppose we are building `g++` with a `(build, host, target)` platform triple of `(foo, bar, baz)`. This means we are using a `foo`-machine to build a copy of `g++` which will run on a `bar`-machine and emit binaries for the `baz`-machine.
-Some examples will make this table clearer. Suppose there's some package that is being built with a `(build, host, target)` platform triple of `(foo, bar, baz)`. If it has a build-time library dependency, that would be a "host → build" dependency with a triple of `(foo, foo, *)` (the target platform is irrelevant). If it needs a compiler to be built, that would be a "build → host" dependency with a triple of `(foo, foo, *)` (the target platform is irrelevant). That compiler, would be built with another compiler, also "build → host" dependency, with a triple of `(foo, foo, foo)`.
+* `g++` links against the host platform's `glibc` C library, which is a "host→ *" dependency with a triple of `(bar, bar, *)`. Since it is a library, not a compiler, it has no "target".
+
+* Since `g++` is written in C, the `gcc` compiler used to compile it is a "build→ host" dependency of `g++` with a triple of `(foo, foo, bar)`. This compiler runs on the build platform and emits code for the host platform.
+
+* `gcc` links against the build platform's `glibc` C library, which is a "build→ *" dependency with a triple of `(foo, foo, *)`. Since it is a library, not a compiler, it has no "target".
+
+* This `gcc` is itself compiled by an *earlier* copy of `gcc`. This earlier copy of `gcc` is a "build→ build" dependency of `g++` with a triple of `(foo, foo, foo)`. This "early `gcc`" runs on the build platform and emits code for the build platform.
+
+* `g++` is bundled with `libgcc`, which includes a collection of target-machine routines for exception handling and
+software floating point emulation. `libgcc` would be a "target→ *" dependency with triple `(foo, baz, *)`, because it consists of machine code which gets linked against the output of the compiler that we are building. It is a library, not a compiler, so it has no target of its own.
+
+* `libgcc` is written in C and compiled with `gcc`. The `gcc` that compiles it will be a "build→ target" dependency with triple `(foo, foo, baz)`. It gets compiled *and run* at `g++`-build-time (on platform `foo`), but must emit code for the `baz`-platform.
+
+* `g++` allows inline assembler code, so it depends on access to a copy of the `gas` assembler. This would be a "host→ target" dependency with triple `(foo, bar, baz)`.
+
+* `g++` (and `gcc`) include a library `libgccjit.so`, which wrap the compiler in a library to create a just-in-time compiler. In nixpkgs, this library is in the `libgccjit` package; if C++ required that programs have access to a JIT, `g++` would need to add a "target→ target" dependency for `libgccjit` with triple `(foo, baz, baz)`. This would ensure that the compiler ships with a copy of `libgccjit` which both executes on and generates code for the `baz`-platform.
+
+* If `g++` itself linked against `libgccjit.so` (for example, to allow compile-time-evaluated C++ expressions), then the `libgccjit` package used to provide this functionality would be a "host→ host" dependency of `g++`: it is code which runs on the `host` and emits code for execution on the `host`.
### Cross packaging cookbook {#ssec-cross-cookbook}
diff --git a/doc/stdenv/stdenv.chapter.md b/doc/stdenv/stdenv.chapter.md
index 1d4ca99e3cbe..7019ae89db74 100644
--- a/doc/stdenv/stdenv.chapter.md
+++ b/doc/stdenv/stdenv.chapter.md
@@ -125,7 +125,7 @@ The extension of `PATH` with dependencies, alluded to above, proceeds according
A dependency is said to be **propagated** when some of its other-transitive (non-immediate) downstream dependencies also need it as an immediate dependency.
[^footnote-stdenv-propagated-dependencies]
-It is important to note that dependencies are not necessarily propagated as the same sort of dependency that they were before, but rather as the corresponding sort so that the platform rules still line up. To determine the exact rules for dependency propagation, we start by assigning to each dependency a couple of ternary numbers (`-1` for `build`, `0` for `host`, and `1` for `target`), representing how respectively its host and target platforms are "offset" from the depending derivation’s platforms. The following table summarize the different combinations that can be obtained:
+It is important to note that dependencies are not necessarily propagated as the same sort of dependency that they were before, but rather as the corresponding sort so that the platform rules still line up. To determine the exact rules for dependency propagation, we start by assigning to each dependency a couple of ternary numbers (`-1` for `build`, `0` for `host`, and `1` for `target`) representing its [dependency type](#possible-dependency-types), which captures how its host and target platforms are each "offset" from the depending derivation’s host and target platforms. The following table summarize the different combinations that can be obtained:
| `host → target` | attribute name | offset |
| ------------------- | ------------------- | -------- |
diff --git a/nixos/doc/manual/from_md/installation/installing.chapter.xml b/nixos/doc/manual/from_md/installation/installing.chapter.xml
index db073fa83965..aee0b30a7076 100644
--- a/nixos/doc/manual/from_md/installation/installing.chapter.xml
+++ b/nixos/doc/manual/from_md/installation/installing.chapter.xml
@@ -411,6 +411,13 @@ OK
specify on which disk the GRUB boot loader is to be
installed. Without it, NixOS cannot boot.
+
+ If there are other operating systems running on the
+ machine before installing NixOS, the
+
+ option can be set to true to
+ automatically add them to the grub menu.
+
@@ -436,13 +443,6 @@ OK
-
- If there are other operating systems running on the machine
- before installing NixOS, the
- option can
- be set to true to automatically add them to
- the grub menu.
-
If you need to configure networking for your machine the
configuration options are described in
diff --git a/nixos/doc/manual/from_md/release-notes/rl-2205.section.xml b/nixos/doc/manual/from_md/release-notes/rl-2205.section.xml
index f46372918fbc..ca1ee30c6b05 100644
--- a/nixos/doc/manual/from_md/release-notes/rl-2205.section.xml
+++ b/nixos/doc/manual/from_md/release-notes/rl-2205.section.xml
@@ -1791,6 +1791,13 @@
desktop environments as needed.
+
+
+ services.xserver.desktopManager.xfce now
+ includes Xfce’s screen locker,
+ xfce4-screensaver.
+
+
The hadoop package has added support for
diff --git a/nixos/doc/manual/installation/installing.chapter.md b/nixos/doc/manual/installation/installing.chapter.md
index def4f37fbcaa..8a46d68ae3ba 100644
--- a/nixos/doc/manual/installation/installing.chapter.md
+++ b/nixos/doc/manual/installation/installing.chapter.md
@@ -296,6 +296,11 @@ Use the following commands:
specify on which disk the GRUB boot loader is to be installed.
Without it, NixOS cannot boot.
+ : If there are other operating systems running on the machine before
+ installing NixOS, the [](#opt-boot.loader.grub.useOSProber)
+ option can be set to `true` to automatically add them to the grub
+ menu.
+
UEFI systems
: You *must* set the option [](#opt-boot.loader.systemd-boot.enable)
@@ -307,11 +312,6 @@ Use the following commands:
[`boot.loader.systemd-boot`](#opt-boot.loader.systemd-boot.enable)
as well.
- If there are other operating systems running on the machine before
- installing NixOS, the [](#opt-boot.loader.grub.useOSProber)
- option can be set to `true` to automatically add them to the grub
- menu.
-
If you need to configure networking for your machine the
configuration options are described in [](#sec-networking). In
particular, while wifi is supported on the installation image, it is
diff --git a/nixos/doc/manual/release-notes/rl-2205.section.md b/nixos/doc/manual/release-notes/rl-2205.section.md
index 7c69b075838b..aa3180c50e6c 100644
--- a/nixos/doc/manual/release-notes/rl-2205.section.md
+++ b/nixos/doc/manual/release-notes/rl-2205.section.md
@@ -619,6 +619,8 @@ In addition to numerous new and upgraded packages, this release has the followin
- The polkit service, available at `security.polkit.enable`, is now disabled by default. It will automatically be enabled through services and desktop environments as needed.
+- `services.xserver.desktopManager.xfce` now includes Xfce's screen locker, `xfce4-screensaver`.
+
- The `hadoop` package has added support for `aarch64-linux` and `aarch64-darwin` as of 3.3.1 ([#158613](https://github.com/NixOS/nixpkgs/pull/158613)).
- The `R` package now builds again on `aarch64-darwin` ([#158992](https://github.com/NixOS/nixpkgs/pull/158992)).
diff --git a/nixos/lib/systemd-lib.nix b/nixos/lib/systemd-lib.nix
index 37900b0b16f6..16ec47df3a46 100644
--- a/nixos/lib/systemd-lib.nix
+++ b/nixos/lib/systemd-lib.nix
@@ -122,10 +122,15 @@ in rec {
(if isList value then value else [value]))
as));
- generateUnits = generateUnits' true;
-
- generateUnits' = allowCollisions: type: units: upstreamUnits: upstreamWants:
- pkgs.runCommand "${type}-units"
+ generateUnits = { allowCollisions ? true, type, units, upstreamUnits, upstreamWants, packages ? cfg.packages, package ? cfg.package }:
+ let
+ typeDir = ({
+ system = "system";
+ initrd = "system";
+ user = "user";
+ nspawn = "nspawn";
+ }).${type};
+ in pkgs.runCommand "${type}-units"
{ preferLocalBuild = true;
allowSubstitutes = false;
} ''
@@ -133,7 +138,7 @@ in rec {
# Copy the upstream systemd units we're interested in.
for i in ${toString upstreamUnits}; do
- fn=${cfg.package}/example/systemd/${type}/$i
+ fn=${package}/example/systemd/${typeDir}/$i
if ! [ -e $fn ]; then echo "missing $fn"; false; fi
if [ -L $fn ]; then
target="$(readlink "$fn")"
@@ -150,7 +155,7 @@ in rec {
# Copy .wants links, but only those that point to units that
# we're interested in.
for i in ${toString upstreamWants}; do
- fn=${cfg.package}/example/systemd/${type}/$i
+ fn=${package}/example/systemd/${typeDir}/$i
if ! [ -e $fn ]; then echo "missing $fn"; false; fi
x=$out/$(basename $fn)
mkdir $x
@@ -162,14 +167,14 @@ in rec {
done
# Symlink all units provided listed in systemd.packages.
- packages="${toString cfg.packages}"
+ packages="${toString packages}"
# Filter duplicate directories
declare -A unique_packages
for k in $packages ; do unique_packages[$k]=1 ; done
for i in ''${!unique_packages[@]}; do
- for fn in $i/etc/systemd/${type}/* $i/lib/systemd/${type}/*; do
+ for fn in $i/etc/systemd/${typeDir}/* $i/lib/systemd/${typeDir}/*; do
if ! [[ "$fn" =~ .wants$ ]]; then
if [[ -d "$fn" ]]; then
targetDir="$out/$(basename "$fn")"
@@ -270,9 +275,9 @@ in rec {
{ Conflicts = toString config.conflicts; }
// optionalAttrs (config.requisite != [])
{ Requisite = toString config.requisite; }
- // optionalAttrs (config.restartTriggers != [])
+ // optionalAttrs (config ? restartTriggers && config.restartTriggers != [])
{ X-Restart-Triggers = toString config.restartTriggers; }
- // optionalAttrs (config.reloadTriggers != [])
+ // optionalAttrs (config ? reloadTriggers && config.reloadTriggers != [])
{ X-Reload-Triggers = toString config.reloadTriggers; }
// optionalAttrs (config.description != "") {
Description = config.description; }
@@ -288,45 +293,24 @@ in rec {
};
};
- serviceConfig = { name, config, ... }: {
- config = mkMerge
- [ { # Default path for systemd services. Should be quite minimal.
- path = mkAfter
- [ pkgs.coreutils
- pkgs.findutils
- pkgs.gnugrep
- pkgs.gnused
- systemd
- ];
- environment.PATH = "${makeBinPath config.path}:${makeSearchPathOutput "bin" "sbin" config.path}";
- }
- (mkIf (config.preStart != "")
- { serviceConfig.ExecStartPre =
- [ (makeJobScript "${name}-pre-start" config.preStart) ];
- })
- (mkIf (config.script != "")
- { serviceConfig.ExecStart =
- makeJobScript "${name}-start" config.script + " " + config.scriptArgs;
- })
- (mkIf (config.postStart != "")
- { serviceConfig.ExecStartPost =
- [ (makeJobScript "${name}-post-start" config.postStart) ];
- })
- (mkIf (config.reload != "")
- { serviceConfig.ExecReload =
- makeJobScript "${name}-reload" config.reload;
- })
- (mkIf (config.preStop != "")
- { serviceConfig.ExecStop =
- makeJobScript "${name}-pre-stop" config.preStop;
- })
- (mkIf (config.postStop != "")
- { serviceConfig.ExecStopPost =
- makeJobScript "${name}-post-stop" config.postStop;
- })
- ];
+ serviceConfig = { config, ... }: {
+ config.environment.PATH = mkIf (config.path != []) "${makeBinPath config.path}:${makeSearchPathOutput "bin" "sbin" config.path}";
};
+ stage2ServiceConfig = {
+ imports = [ serviceConfig ];
+ # Default path for systemd services. Should be quite minimal.
+ config.path = mkAfter [
+ pkgs.coreutils
+ pkgs.findutils
+ pkgs.gnugrep
+ pkgs.gnused
+ systemd
+ ];
+ };
+
+ stage1ServiceConfig = serviceConfig;
+
mountConfig = { config, ... }: {
config = {
mountConfig =
@@ -374,12 +358,12 @@ in rec {
# systemd max line length is now 1MiB
# https://github.com/systemd/systemd/commit/e6dde451a51dc5aaa7f4d98d39b8fe735f73d2af
in if stringLength s >= 1048576 then throw "The value of the environment variable ‘${n}’ in systemd service ‘${name}.service’ is too long." else s) (attrNames env)}
- ${if def.reloadIfChanged then ''
+ ${if def ? reloadIfChanged && def.reloadIfChanged then ''
X-ReloadIfChanged=true
- '' else if !def.restartIfChanged then ''
+ '' else if (def ? restartIfChanged && !def.restartIfChanged) then ''
X-RestartIfChanged=false
'' else ""}
- ${optionalString (!def.stopIfChanged) "X-StopIfChanged=false"}
+ ${optionalString (def ? stopIfChanged && !def.stopIfChanged) "X-StopIfChanged=false"}
${attrsToSection def.serviceConfig}
'';
};
diff --git a/nixos/lib/systemd-types.nix b/nixos/lib/systemd-types.nix
new file mode 100644
index 000000000000..71962fab2e17
--- /dev/null
+++ b/nixos/lib/systemd-types.nix
@@ -0,0 +1,37 @@
+{ lib, systemdUtils }:
+
+with systemdUtils.lib;
+with systemdUtils.unitOptions;
+with lib;
+
+rec {
+ units = with types;
+ attrsOf (submodule ({ name, config, ... }: {
+ options = concreteUnitOptions;
+ config = { unit = mkDefault (systemdUtils.lib.makeUnit name config); };
+ }));
+
+ services = with types; attrsOf (submodule [ stage2ServiceOptions unitConfig stage2ServiceConfig ]);
+ initrdServices = with types; attrsOf (submodule [ stage1ServiceOptions unitConfig stage1ServiceConfig ]);
+
+ targets = with types; attrsOf (submodule [ stage2CommonUnitOptions unitConfig ]);
+ initrdTargets = with types; attrsOf (submodule [ stage1CommonUnitOptions unitConfig ]);
+
+ sockets = with types; attrsOf (submodule [ stage2SocketOptions unitConfig ]);
+ initrdSockets = with types; attrsOf (submodule [ stage1SocketOptions unitConfig ]);
+
+ timers = with types; attrsOf (submodule [ stage2TimerOptions unitConfig ]);
+ initrdTimers = with types; attrsOf (submodule [ stage1TimerOptions unitConfig ]);
+
+ paths = with types; attrsOf (submodule [ stage2PathOptions unitConfig ]);
+ initrdPaths = with types; attrsOf (submodule [ stage1PathOptions unitConfig ]);
+
+ slices = with types; attrsOf (submodule [ stage2SliceOptions unitConfig ]);
+ initrdSlices = with types; attrsOf (submodule [ stage1SliceOptions unitConfig ]);
+
+ mounts = with types; listOf (submodule [ stage2MountOptions unitConfig mountConfig ]);
+ initrdMounts = with types; listOf (submodule [ stage1MountOptions unitConfig mountConfig ]);
+
+ automounts = with types; listOf (submodule [ stage2AutomountOptions unitConfig automountConfig ]);
+ initrdAutomounts = with types; attrsOf (submodule [ stage1AutomountOptions unitConfig automountConfig ]);
+}
diff --git a/nixos/lib/systemd-unit-options.nix b/nixos/lib/systemd-unit-options.nix
index 8029ba0e3f6c..c9d424d39119 100644
--- a/nixos/lib/systemd-unit-options.nix
+++ b/nixos/lib/systemd-unit-options.nix
@@ -94,7 +94,7 @@ in rec {
};
- commonUnitOptions = sharedOptions // {
+ commonUnitOptions = { options = (sharedOptions // {
description = mkOption {
default = "";
@@ -191,27 +191,6 @@ in rec {
'';
};
- restartTriggers = mkOption {
- default = [];
- type = types.listOf types.unspecified;
- description = ''
- An arbitrary list of items such as derivations. If any item
- in the list changes between reconfigurations, the service will
- be restarted.
- '';
- };
-
- reloadTriggers = mkOption {
- default = [];
- type = types.listOf unitOption;
- description = ''
- An arbitrary list of items such as derivations. If any item
- in the list changes between reconfigurations, the service will
- be reloaded. If anything but a reload trigger changes in the
- unit file, the unit will be restarted instead.
- '';
- };
-
onFailure = mkOption {
default = [];
type = types.listOf unitNameType;
@@ -239,10 +218,39 @@ in rec {
'';
};
+ }); };
+
+ stage2CommonUnitOptions = {
+ imports = [
+ commonUnitOptions
+ ];
+
+ options = {
+ restartTriggers = mkOption {
+ default = [];
+ type = types.listOf types.unspecified;
+ description = ''
+ An arbitrary list of items such as derivations. If any item
+ in the list changes between reconfigurations, the service will
+ be restarted.
+ '';
+ };
+
+ reloadTriggers = mkOption {
+ default = [];
+ type = types.listOf unitOption;
+ description = ''
+ An arbitrary list of items such as derivations. If any item
+ in the list changes between reconfigurations, the service will
+ be reloaded. If anything but a reload trigger changes in the
+ unit file, the unit will be restarted instead.
+ '';
+ };
+ };
};
+ stage1CommonUnitOptions = commonUnitOptions;
-
- serviceOptions = commonUnitOptions // {
+ serviceOptions = { options = {
environment = mkOption {
default = {};
@@ -276,121 +284,164 @@ in rec {
'';
};
- script = mkOption {
- type = types.lines;
- default = "";
- description = "Shell commands executed as the service's main process.";
+ }; };
+
+ stage2ServiceOptions = { name, config, ... }: {
+ imports = [
+ stage2CommonUnitOptions
+ serviceOptions
+ ];
+
+ options = {
+ script = mkOption {
+ type = types.lines;
+ default = "";
+ description = "Shell commands executed as the service's main process.";
+ };
+
+ scriptArgs = mkOption {
+ type = types.str;
+ default = "";
+ description = "Arguments passed to the main process script.";
+ };
+
+ preStart = mkOption {
+ type = types.lines;
+ default = "";
+ description = ''
+ Shell commands executed before the service's main process
+ is started.
+ '';
+ };
+
+ postStart = mkOption {
+ type = types.lines;
+ default = "";
+ description = ''
+ Shell commands executed after the service's main process
+ is started.
+ '';
+ };
+
+ reload = mkOption {
+ type = types.lines;
+ default = "";
+ description = ''
+ Shell commands executed when the service's main process
+ is reloaded.
+ '';
+ };
+
+ preStop = mkOption {
+ type = types.lines;
+ default = "";
+ description = ''
+ Shell commands executed to stop the service.
+ '';
+ };
+
+ postStop = mkOption {
+ type = types.lines;
+ default = "";
+ description = ''
+ Shell commands executed after the service's main process
+ has exited.
+ '';
+ };
+
+ restartIfChanged = mkOption {
+ type = types.bool;
+ default = true;
+ description = ''
+ Whether the service should be restarted during a NixOS
+ configuration switch if its definition has changed.
+ '';
+ };
+
+ reloadIfChanged = mkOption {
+ type = types.bool;
+ default = false;
+ description = ''
+ Whether the service should be reloaded during a NixOS
+ configuration switch if its definition has changed. If
+ enabled, the value of is
+ ignored.
+
+ This option should not be used anymore in favor of
+ which allows more granular
+ control of when a service is reloaded and when a service
+ is restarted.
+ '';
+ };
+
+ stopIfChanged = mkOption {
+ type = types.bool;
+ default = true;
+ description = ''
+ If set, a changed unit is restarted by calling
+ systemctl stop in the old configuration,
+ then systemctl start in the new one.
+ Otherwise, it is restarted in a single step using
+ systemctl restart in the new configuration.
+ The latter is less correct because it runs the
+ ExecStop commands from the new
+ configuration.
+ '';
+ };
+
+ startAt = mkOption {
+ type = with types; either str (listOf str);
+ default = [];
+ example = "Sun 14:00:00";
+ description = ''
+ Automatically start this unit at the given date/time, which
+ must be in the format described in
+ systemd.time
+ 7. This is equivalent
+ to adding a corresponding timer unit with
+ set to the value given here.
+ '';
+ apply = v: if isList v then v else [ v ];
+ };
};
- scriptArgs = mkOption {
- type = types.str;
- default = "";
- description = "Arguments passed to the main process script.";
- };
-
- preStart = mkOption {
- type = types.lines;
- default = "";
- description = ''
- Shell commands executed before the service's main process
- is started.
- '';
- };
-
- postStart = mkOption {
- type = types.lines;
- default = "";
- description = ''
- Shell commands executed after the service's main process
- is started.
- '';
- };
-
- reload = mkOption {
- type = types.lines;
- default = "";
- description = ''
- Shell commands executed when the service's main process
- is reloaded.
- '';
- };
-
- preStop = mkOption {
- type = types.lines;
- default = "";
- description = ''
- Shell commands executed to stop the service.
- '';
- };
-
- postStop = mkOption {
- type = types.lines;
- default = "";
- description = ''
- Shell commands executed after the service's main process
- has exited.
- '';
- };
-
- restartIfChanged = mkOption {
- type = types.bool;
- default = true;
- description = ''
- Whether the service should be restarted during a NixOS
- configuration switch if its definition has changed.
- '';
- };
-
- reloadIfChanged = mkOption {
- type = types.bool;
- default = false;
- description = ''
- Whether the service should be reloaded during a NixOS
- configuration switch if its definition has changed. If
- enabled, the value of is
- ignored.
-
- This option should not be used anymore in favor of
- which allows more granular
- control of when a service is reloaded and when a service
- is restarted.
- '';
- };
-
- stopIfChanged = mkOption {
- type = types.bool;
- default = true;
- description = ''
- If set, a changed unit is restarted by calling
- systemctl stop in the old configuration,
- then systemctl start in the new one.
- Otherwise, it is restarted in a single step using
- systemctl restart in the new configuration.
- The latter is less correct because it runs the
- ExecStop commands from the new
- configuration.
- '';
- };
-
- startAt = mkOption {
- type = with types; either str (listOf str);
- default = [];
- example = "Sun 14:00:00";
- description = ''
- Automatically start this unit at the given date/time, which
- must be in the format described in
- systemd.time
- 7. This is equivalent
- to adding a corresponding timer unit with
- set to the value given here.
- '';
- apply = v: if isList v then v else [ v ];
- };
+ config = mkMerge
+ [ (mkIf (config.preStart != "")
+ { serviceConfig.ExecStartPre =
+ [ (makeJobScript "${name}-pre-start" config.preStart) ];
+ })
+ (mkIf (config.script != "")
+ { serviceConfig.ExecStart =
+ makeJobScript "${name}-start" config.script + " " + config.scriptArgs;
+ })
+ (mkIf (config.postStart != "")
+ { serviceConfig.ExecStartPost =
+ [ (makeJobScript "${name}-post-start" config.postStart) ];
+ })
+ (mkIf (config.reload != "")
+ { serviceConfig.ExecReload =
+ makeJobScript "${name}-reload" config.reload;
+ })
+ (mkIf (config.preStop != "")
+ { serviceConfig.ExecStop =
+ makeJobScript "${name}-pre-stop" config.preStop;
+ })
+ (mkIf (config.postStop != "")
+ { serviceConfig.ExecStopPost =
+ makeJobScript "${name}-post-stop" config.postStop;
+ })
+ ];
+ };
+ stage1ServiceOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ serviceOptions
+ ];
};
- socketOptions = commonUnitOptions // {
+ socketOptions = { options = {
listenStreams = mkOption {
default = [];
@@ -424,10 +475,24 @@ in rec {
'';
};
+ }; };
+
+ stage2SocketOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ socketOptions
+ ];
+ };
+
+ stage1SocketOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ socketOptions
+ ];
};
- timerOptions = commonUnitOptions // {
+ timerOptions = { options = {
timerConfig = mkOption {
default = {};
@@ -443,10 +508,24 @@ in rec {
'';
};
+ }; };
+
+ stage2TimerOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ timerOptions
+ ];
+ };
+
+ stage1TimerOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ timerOptions
+ ];
};
- pathOptions = commonUnitOptions // {
+ pathOptions = { options = {
pathConfig = mkOption {
default = {};
@@ -460,10 +539,24 @@ in rec {
'';
};
+ }; };
+
+ stage2PathOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ pathOptions
+ ];
+ };
+
+ stage1PathOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ pathOptions
+ ];
};
- mountOptions = commonUnitOptions // {
+ mountOptions = { options = {
what = mkOption {
example = "/dev/sda1";
@@ -505,9 +598,23 @@ in rec {
5 for details.
'';
};
+ }; };
+
+ stage2MountOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ mountOptions
+ ];
};
- automountOptions = commonUnitOptions // {
+ stage1MountOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ mountOptions
+ ];
+ };
+
+ automountOptions = { options = {
where = mkOption {
example = "/mnt";
@@ -529,11 +636,23 @@ in rec {
5 for details.
'';
};
+ }; };
+
+ stage2AutomountOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ automountOptions
+ ];
};
- targetOptions = commonUnitOptions;
+ stage1AutomountOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ automountOptions
+ ];
+ };
- sliceOptions = commonUnitOptions // {
+ sliceOptions = { options = {
sliceConfig = mkOption {
default = {};
@@ -547,6 +666,20 @@ in rec {
'';
};
+ }; };
+
+ stage2SliceOptions = {
+ imports = [
+ stage2CommonUnitOptions
+ sliceOptions
+ ];
+ };
+
+ stage1SliceOptions = {
+ imports = [
+ stage1CommonUnitOptions
+ sliceOptions
+ ];
};
}
diff --git a/nixos/lib/utils.nix b/nixos/lib/utils.nix
index ae68c3920c5b..80341dd48fcd 100644
--- a/nixos/lib/utils.nix
+++ b/nixos/lib/utils.nix
@@ -197,5 +197,6 @@ rec {
systemdUtils = {
lib = import ./systemd-lib.nix { inherit lib config pkgs; };
unitOptions = import ./systemd-unit-options.nix { inherit lib systemdUtils; };
+ types = import ./systemd-types.nix { inherit lib systemdUtils; };
};
}
diff --git a/nixos/modules/misc/version.nix b/nixos/modules/misc/version.nix
index d825f4beb301..931201ade293 100644
--- a/nixos/modules/misc/version.nix
+++ b/nixos/modules/misc/version.nix
@@ -15,6 +15,26 @@ let
mapAttrsToList (n: v: ''${n}=${escapeIfNeccessary (toString v)}'') attrs
);
+ osReleaseContents = {
+ NAME = "NixOS";
+ ID = "nixos";
+ VERSION = "${cfg.release} (${cfg.codeName})";
+ VERSION_CODENAME = toLower cfg.codeName;
+ VERSION_ID = cfg.release;
+ BUILD_ID = cfg.version;
+ PRETTY_NAME = "NixOS ${cfg.release} (${cfg.codeName})";
+ LOGO = "nix-snowflake";
+ HOME_URL = "https://nixos.org/";
+ DOCUMENTATION_URL = "https://nixos.org/learn.html";
+ SUPPORT_URL = "https://nixos.org/community.html";
+ BUG_REPORT_URL = "https://github.com/NixOS/nixpkgs/issues";
+ };
+
+ initrdReleaseContents = osReleaseContents // {
+ PRETTY_NAME = "${osReleaseContents.PRETTY_NAME} (Initrd)";
+ };
+ initrdRelease = pkgs.writeText "initrd-release" (attrsToText initrdReleaseContents);
+
in
{
imports = [
@@ -119,20 +139,12 @@ in
DISTRIB_DESCRIPTION = "NixOS ${cfg.release} (${cfg.codeName})";
};
- "os-release".text = attrsToText {
- NAME = "NixOS";
- ID = "nixos";
- VERSION = "${cfg.release} (${cfg.codeName})";
- VERSION_CODENAME = toLower cfg.codeName;
- VERSION_ID = cfg.release;
- BUILD_ID = cfg.version;
- PRETTY_NAME = "NixOS ${cfg.release} (${cfg.codeName})";
- LOGO = "nix-snowflake";
- HOME_URL = "https://nixos.org/";
- DOCUMENTATION_URL = "https://nixos.org/learn.html";
- SUPPORT_URL = "https://nixos.org/community.html";
- BUG_REPORT_URL = "https://github.com/NixOS/nixpkgs/issues";
- };
+ "os-release".text = attrsToText osReleaseContents;
+ };
+
+ boot.initrd.systemd.contents = {
+ "/etc/os-release".source = initrdRelease;
+ "/etc/initrd-release".source = initrdRelease;
};
};
diff --git a/nixos/modules/module-list.nix b/nixos/modules/module-list.nix
index c4958c36ea00..d6c65251c628 100644
--- a/nixos/modules/module-list.nix
+++ b/nixos/modules/module-list.nix
@@ -850,7 +850,6 @@
./services/networking/ofono.nix
./services/networking/oidentd.nix
./services/networking/onedrive.nix
- ./services/networking/openfire.nix
./services/networking/openvpn.nix
./services/networking/ostinato.nix
./services/networking/owamp.nix
@@ -1181,6 +1180,7 @@
./system/boot/systemd/nspawn.nix
./system/boot/systemd/tmpfiles.nix
./system/boot/systemd/user.nix
+ ./system/boot/systemd/initrd.nix
./system/boot/timesyncd.nix
./system/boot/tmp.nix
./system/etc/etc-activation.nix
diff --git a/nixos/modules/programs/adb.nix b/nixos/modules/programs/adb.nix
index 83bcfe886aa1..9e9e37f92a87 100644
--- a/nixos/modules/programs/adb.nix
+++ b/nixos/modules/programs/adb.nix
@@ -23,8 +23,7 @@ with lib;
###### implementation
config = mkIf config.programs.adb.enable {
services.udev.packages = [ pkgs.android-udev-rules ];
- # Give platform-tools lower priority so mke2fs+friends are taken from other packages first
- environment.systemPackages = [ (lowPrio pkgs.androidenv.androidPkgs_9_0.platform-tools) ];
+ environment.systemPackages = [ pkgs.android-tools ];
users.groups.adbusers = {};
};
}
diff --git a/nixos/modules/rename.nix b/nixos/modules/rename.nix
index 195cf87e6a85..72395b2ee869 100644
--- a/nixos/modules/rename.nix
+++ b/nixos/modules/rename.nix
@@ -91,6 +91,7 @@ with lib;
(mkRemovedOptionModule [ "services" "shellinabox" ] "The corresponding package was removed from nixpkgs.")
(mkRemovedOptionModule [ "services" "gogoclient" ] "The corresponding package was removed from nixpkgs.")
(mkRemovedOptionModule [ "services" "virtuoso" ] "The corresponding package was removed from nixpkgs.")
+ (mkRemovedOptionModule [ "services" "openfire" ] "The corresponding package was removed from nixpkgs.")
# Do NOT add any option renames here, see top of the file
];
diff --git a/nixos/modules/services/development/jupyter/default.nix b/nixos/modules/services/development/jupyter/default.nix
index bebb3c3f13f0..4eacc4782a9a 100644
--- a/nixos/modules/services/development/jupyter/default.nix
+++ b/nixos/modules/services/development/jupyter/default.nix
@@ -194,6 +194,7 @@ in {
extraGroups = [ cfg.group ];
home = "/var/lib/jupyter";
createHome = true;
+ isSystemUser = true;
useDefaultShell = true; # needed so that the user can start a terminal.
};
})
diff --git a/nixos/modules/services/monitoring/collectd.nix b/nixos/modules/services/monitoring/collectd.nix
index 8d81737a3ef0..1b9af5857560 100644
--- a/nixos/modules/services/monitoring/collectd.nix
+++ b/nixos/modules/services/monitoring/collectd.nix
@@ -5,36 +5,15 @@ with lib;
let
cfg = config.services.collectd;
- unvalidated_conf = pkgs.writeText "collectd-unvalidated.conf" ''
- BaseDir "${cfg.dataDir}"
- AutoLoadPlugin ${boolToString cfg.autoLoadPlugin}
- Hostname "${config.networking.hostName}"
-
- LoadPlugin syslog
-
- LogLevel "info"
- NotifyLevel "OKAY"
-
-
- ${concatStrings (mapAttrsToList (plugin: pluginConfig: ''
- LoadPlugin ${plugin}
-
- ${pluginConfig}
-
- '') cfg.plugins)}
-
- ${concatMapStrings (f: ''
- Include "${f}"
- '') cfg.include}
-
- ${cfg.extraConfig}
- '';
+ baseDirLine = ''BaseDir "${cfg.dataDir}"'';
+ unvalidated_conf = pkgs.writeText "collectd-unvalidated.conf" cfg.extraConfig;
conf = if cfg.validateConfig then
pkgs.runCommand "collectd.conf" {} ''
echo testing ${unvalidated_conf}
+ cp ${unvalidated_conf} collectd.conf
# collectd -t fails if BaseDir does not exist.
- sed '1s/^BaseDir.*$/BaseDir "."/' ${unvalidated_conf} > collectd.conf
+ substituteInPlace collectd.conf --replace ${lib.escapeShellArgs [ baseDirLine ]} 'BaseDir "."'
${package}/bin/collectd -t -C collectd.conf
cp ${unvalidated_conf} $out
'' else unvalidated_conf;
@@ -123,7 +102,8 @@ in {
extraConfig = mkOption {
default = "";
description = ''
- Extra configuration for collectd.
+ Extra configuration for collectd. Use mkBefore to add lines before the
+ default config, and mkAfter to add them below.
'';
type = lines;
};
@@ -131,6 +111,30 @@ in {
};
config = mkIf cfg.enable {
+ # 1200 is after the default (1000) but before mkAfter (1500).
+ services.collectd.extraConfig = lib.mkOrder 1200 ''
+ ${baseDirLine}
+ AutoLoadPlugin ${boolToString cfg.autoLoadPlugin}
+ Hostname "${config.networking.hostName}"
+
+ LoadPlugin syslog
+
+ LogLevel "info"
+ NotifyLevel "OKAY"
+
+
+ ${concatStrings (mapAttrsToList (plugin: pluginConfig: ''
+ LoadPlugin ${plugin}
+
+ ${pluginConfig}
+
+ '') cfg.plugins)}
+
+ ${concatMapStrings (f: ''
+ Include "${f}"
+ '') cfg.include}
+ '';
+
systemd.tmpfiles.rules = [
"d '${cfg.dataDir}' - ${cfg.user} - - -"
];
diff --git a/nixos/modules/services/networking/kea.nix b/nixos/modules/services/networking/kea.nix
index 17b4eb2e283b..994c511bdc2d 100644
--- a/nixos/modules/services/networking/kea.nix
+++ b/nixos/modules/services/networking/kea.nix
@@ -9,20 +9,26 @@ with lib;
let
cfg = config.services.kea;
+ xor = x: y: (!x && y) || (x && !y);
format = pkgs.formats.json {};
- ctrlAgentConfig = format.generate "kea-ctrl-agent.conf" {
+ chooseNotNull = x: y: if x != null then x else y;
+
+ ctrlAgentConfig = chooseNotNull cfg.ctrl-agent.configFile (format.generate "kea-ctrl-agent.conf" {
Control-agent = cfg.ctrl-agent.settings;
- };
- dhcp4Config = format.generate "kea-dhcp4.conf" {
+ });
+
+ dhcp4Config = chooseNotNull cfg.dhcp4.configFile (format.generate "kea-dhcp4.conf" {
Dhcp4 = cfg.dhcp4.settings;
- };
- dhcp6Config = format.generate "kea-dhcp6.conf" {
+ });
+
+ dhcp6Config = chooseNotNull cfg.dhcp6.configFile (format.generate "kea-dhcp6.conf" {
Dhcp6 = cfg.dhcp6.settings;
- };
- dhcpDdnsConfig = format.generate "kea-dhcp-ddns.conf" {
+ });
+
+ dhcpDdnsConfig = chooseNotNull cfg.dhcp-ddns.configFile (format.generate "kea-dhcp-ddns.conf" {
DhcpDdns = cfg.dhcp-ddns.settings;
- };
+ });
package = pkgs.kea;
in
@@ -45,6 +51,17 @@ in
'';
};
+ configFile = mkOption {
+ type = nullOr path;
+ default = null;
+ description = ''
+ Kea Control Agent configuration as a path, see .
+
+ Takes preference over settings.
+ Most users should prefer using settings instead.
+ '';
+ };
+
settings = mkOption {
type = format.type;
default = null;
@@ -73,6 +90,17 @@ in
'';
};
+ configFile = mkOption {
+ type = nullOr path;
+ default = null;
+ description = ''
+ Kea DHCP4 configuration as a path, see .
+
+ Takes preference over settings.
+ Most users should prefer using settings instead.
+ '';
+ };
+
settings = mkOption {
type = format.type;
default = null;
@@ -122,6 +150,17 @@ in
'';
};
+ configFile = mkOption {
+ type = nullOr path;
+ default = null;
+ description = ''
+ Kea DHCP6 configuration as a path, see .
+
+ Takes preference over settings.
+ Most users should prefer using settings instead.
+ '';
+ };
+
settings = mkOption {
type = format.type;
default = null;
@@ -172,6 +211,17 @@ in
'';
};
+ configFile = mkOption {
+ type = nullOr path;
+ default = null;
+ description = ''
+ Kea DHCP-DDNS configuration as a path, see .
+
+ Takes preference over settings.
+ Most users should prefer using settings instead.
+ '';
+ };
+
settings = mkOption {
type = format.type;
default = null;
@@ -214,6 +264,10 @@ in
}
(mkIf cfg.ctrl-agent.enable {
+ assertions = [{
+ assertion = xor (cfg.ctrl-agent.settings == null) (cfg.ctrl-agent.configFile == null);
+ message = "Either services.kea.ctrl-agent.settings or services.kea.ctrl-agent.configFile must be set to a non-null value.";
+ }];
environment.etc."kea/ctrl-agent.conf".source = ctrlAgentConfig;
@@ -252,6 +306,10 @@ in
})
(mkIf cfg.dhcp4.enable {
+ assertions = [{
+ assertion = xor (cfg.dhcp4.settings == null) (cfg.dhcp4.configFile == null);
+ message = "Either services.kea.dhcp4.settings or services.kea.dhcp4.configFile must be set to a non-null value.";
+ }];
environment.etc."kea/dhcp4-server.conf".source = dhcp4Config;
@@ -295,6 +353,10 @@ in
})
(mkIf cfg.dhcp6.enable {
+ assertions = [{
+ assertion = xor (cfg.dhcp6.settings == null) (cfg.dhcp6.configFile == null);
+ message = "Either services.kea.dhcp6.settings or services.kea.dhcp6.configFile must be set to a non-null value.";
+ }];
environment.etc."kea/dhcp6-server.conf".source = dhcp6Config;
@@ -336,6 +398,10 @@ in
})
(mkIf cfg.dhcp-ddns.enable {
+ assertions = [{
+ assertion = xor (cfg.dhcp-ddns.settings == null) (cfg.dhcp-ddns.configFile == null);
+ message = "Either services.kea.dhcp-ddns.settings or services.kea.dhcp-ddns.configFile must be set to a non-null value.";
+ }];
environment.etc."kea/dhcp-ddns.conf".source = dhcpDdnsConfig;
diff --git a/nixos/modules/services/networking/openfire.nix b/nixos/modules/services/networking/openfire.nix
deleted file mode 100644
index fe0499d52323..000000000000
--- a/nixos/modules/services/networking/openfire.nix
+++ /dev/null
@@ -1,56 +0,0 @@
-{ config, lib, pkgs, ... }:
-
-with lib;
-
-{
- ###### interface
-
- options = {
-
- services.openfire = {
-
- enable = mkEnableOption "OpenFire XMPP server";
-
- usePostgreSQL = mkOption {
- type = types.bool;
- default = true;
- description = "
- Whether you use PostgreSQL service for your storage back-end.
- ";
- };
-
- };
-
- };
-
-
- ###### implementation
-
- config = mkIf config.services.openfire.enable {
-
- assertions = singleton
- { assertion = !(config.services.openfire.usePostgreSQL -> config.services.postgresql.enable);
- message = "OpenFire configured to use PostgreSQL but services.postgresql.enable is not enabled.";
- };
-
- systemd.services.openfire = {
- description = "OpenFire XMPP server";
- wantedBy = [ "multi-user.target" ];
- after = [ "networking.target" ] ++
- optional config.services.openfire.usePostgreSQL "postgresql.service";
- path = with pkgs; [ jre openfire coreutils which gnugrep gawk gnused ];
- script = ''
- export HOME=/tmp
- mkdir /var/log/openfire || true
- mkdir /etc/openfire || true
- for i in ${pkgs.openfire}/conf.inst/*; do
- if ! test -f /etc/openfire/$(basename $i); then
- cp $i /etc/openfire/
- fi
- done
- openfire start
- ''; # */
- };
- };
-
-}
diff --git a/nixos/modules/services/x11/desktop-managers/xfce.nix b/nixos/modules/services/x11/desktop-managers/xfce.nix
index 3cf92f98c56f..0bb5c1268cac 100644
--- a/nixos/modules/services/x11/desktop-managers/xfce.nix
+++ b/nixos/modules/services/x11/desktop-managers/xfce.nix
@@ -99,6 +99,7 @@ in
ristretto
xfce4-appfinder
xfce4-notifyd
+ xfce4-screensaver
xfce4-screenshooter
xfce4-session
xfce4-settings
@@ -168,5 +169,6 @@ in
xfce4-notifyd
];
+ security.pam.services.xfce4-screensaver.unixAuth = true;
};
}
diff --git a/nixos/modules/system/boot/stage-1.nix b/nixos/modules/system/boot/stage-1.nix
index 7e93d62aa761..04753a6767d9 100644
--- a/nixos/modules/system/boot/stage-1.nix
+++ b/nixos/modules/system/boot/stage-1.nix
@@ -723,8 +723,12 @@ in
}
];
- system.build =
- { inherit bootStage1 initialRamdisk initialRamdiskSecretAppender extraUtils; };
+ system.build = mkMerge [
+ { inherit bootStage1 initialRamdiskSecretAppender extraUtils; }
+
+ # generated in nixos/modules/system/boot/systemd/initrd.nix
+ (mkIf (!config.boot.initrd.systemd.enable) { inherit initialRamdisk; })
+ ];
system.requiredKernelConfig = with config.lib.kernelConfig; [
(isYes "TMPFS")
diff --git a/nixos/modules/system/boot/stage-2-init.sh b/nixos/modules/system/boot/stage-2-init.sh
index 9a9d35c08db9..9f8d86da6b00 100755
--- a/nixos/modules/system/boot/stage-2-init.sh
+++ b/nixos/modules/system/boot/stage-2-init.sh
@@ -12,10 +12,6 @@ for o in $(&1 {logErrFd}>&2
@@ -133,22 +95,9 @@ echo "running activation script..."
$systemConfig/activate
-# Restore the system time from the hardware clock. We do this after
-# running the activation script to be sure that /etc/localtime points
-# at the current time zone.
-if [ -e /dev/rtc ]; then
- hwclock --hctosys
-fi
-
-
# Record the boot configuration.
ln -sfn "$systemConfig" /run/booted-system
-# Prevent the booted system from being garbage-collected. If it weren't
-# a gcroot, if we were running a different kernel, switched system,
-# and garbage collected all, we could not load kernel modules anymore.
-ln -sfn /run/booted-system /nix/var/nix/gcroots/booted-system
-
# Run any user-specified commands.
@shell@ @postBootCommands@
@@ -169,4 +118,4 @@ exec {logOutFd}>&- {logErrFd}>&-
# Start systemd in a clean environment.
echo "starting systemd..."
-exec env - @systemdExecutable@ "$@"
+exec @systemdExecutable@ "$@"
diff --git a/nixos/modules/system/boot/systemd.nix b/nixos/modules/system/boot/systemd.nix
index f69c5d3d5a64..844a6793c154 100644
--- a/nixos/modules/system/boot/systemd.nix
+++ b/nixos/modules/system/boot/systemd.nix
@@ -11,14 +11,7 @@ let
systemd = cfg.package;
inherit (systemdUtils.lib)
- makeUnit
generateUnits
- makeJobScript
- unitConfig
- serviceConfig
- mountConfig
- automountConfig
- commonUnitText
targetToUnit
serviceToUnit
socketToUnit
@@ -185,13 +178,7 @@ in
systemd.units = mkOption {
description = "Definition of systemd units.";
default = {};
- type = with types; attrsOf (submodule (
- { name, config, ... }:
- { options = concreteUnitOptions;
- config = {
- unit = mkDefault (makeUnit name config);
- };
- }));
+ type = systemdUtils.types.units;
};
systemd.packages = mkOption {
@@ -203,37 +190,37 @@ in
systemd.targets = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = targetOptions; } unitConfig] );
+ type = systemdUtils.types.targets;
description = "Definition of systemd target units.";
};
systemd.services = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = serviceOptions; } unitConfig serviceConfig ]);
+ type = systemdUtils.types.services;
description = "Definition of systemd service units.";
};
systemd.sockets = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = socketOptions; } unitConfig ]);
+ type = systemdUtils.types.sockets;
description = "Definition of systemd socket units.";
};
systemd.timers = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = timerOptions; } unitConfig ]);
+ type = systemdUtils.types.timers;
description = "Definition of systemd timer units.";
};
systemd.paths = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = pathOptions; } unitConfig ]);
+ type = systemdUtils.types.paths;
description = "Definition of systemd path units.";
};
systemd.mounts = mkOption {
default = [];
- type = with types; listOf (submodule [ { options = mountOptions; } unitConfig mountConfig ]);
+ type = systemdUtils.types.mounts;
description = ''
Definition of systemd mount units.
This is a list instead of an attrSet, because systemd mandates the names to be derived from
@@ -243,7 +230,7 @@ in
systemd.automounts = mkOption {
default = [];
- type = with types; listOf (submodule [ { options = automountOptions; } unitConfig automountConfig ]);
+ type = systemdUtils.types.automounts;
description = ''
Definition of systemd automount units.
This is a list instead of an attrSet, because systemd mandates the names to be derived from
@@ -253,7 +240,7 @@ in
systemd.slices = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = sliceOptions; } unitConfig] );
+ type = systemdUtils.types.slices;
description = "Definition of slice configurations.";
};
@@ -362,10 +349,11 @@ in
type = types.listOf types.str;
example = [ "systemd-backlight@.service" ];
description = ''
- A list of units to suppress when generating system systemd configuration directory. This has
+ A list of units to skip when generating system systemd configuration directory. This has
priority over upstream units, , and
. The main purpose of this is to
- suppress a upstream systemd unit with any modifications made to it by other NixOS modules.
+ prevent a upstream systemd unit from being added to the initrd with any modifications made to it
+ by other NixOS modules.
'';
};
@@ -482,7 +470,12 @@ in
enabledUnits = filterAttrs (n: v: ! elem n cfg.suppressedSystemUnits) cfg.units;
in ({
- "systemd/system".source = generateUnits "system" enabledUnits enabledUpstreamSystemUnits upstreamSystemWants;
+ "systemd/system".source = generateUnits {
+ type = "system";
+ units = enabledUnits;
+ upstreamUnits = enabledUpstreamSystemUnits;
+ upstreamWants = upstreamSystemWants;
+ };
"systemd/system.conf".text = ''
[Manager]
diff --git a/nixos/modules/system/boot/systemd/initrd.nix b/nixos/modules/system/boot/systemd/initrd.nix
new file mode 100644
index 000000000000..30bdc9a3422c
--- /dev/null
+++ b/nixos/modules/system/boot/systemd/initrd.nix
@@ -0,0 +1,417 @@
+{ lib, config, utils, pkgs, ... }:
+
+with lib;
+
+let
+ inherit (utils) systemdUtils escapeSystemdPath;
+ inherit (systemdUtils.lib)
+ generateUnits
+ pathToUnit
+ serviceToUnit
+ sliceToUnit
+ socketToUnit
+ targetToUnit
+ timerToUnit
+ mountToUnit
+ automountToUnit;
+
+
+ cfg = config.boot.initrd.systemd;
+
+ # Copied from fedora
+ upstreamUnits = [
+ "basic.target"
+ "ctrl-alt-del.target"
+ "emergency.service"
+ "emergency.target"
+ "final.target"
+ "halt.target"
+ "initrd-cleanup.service"
+ "initrd-fs.target"
+ "initrd-parse-etc.service"
+ "initrd-root-device.target"
+ "initrd-root-fs.target"
+ "initrd-switch-root.service"
+ "initrd-switch-root.target"
+ "initrd.target"
+ "initrd-udevadm-cleanup-db.service"
+ "kexec.target"
+ "kmod-static-nodes.service"
+ "local-fs-pre.target"
+ "local-fs.target"
+ "multi-user.target"
+ "paths.target"
+ "poweroff.target"
+ "reboot.target"
+ "rescue.service"
+ "rescue.target"
+ "rpcbind.target"
+ "shutdown.target"
+ "sigpwr.target"
+ "slices.target"
+ "sockets.target"
+ "swap.target"
+ "sysinit.target"
+ "sys-kernel-config.mount"
+ "syslog.socket"
+ "systemd-ask-password-console.path"
+ "systemd-ask-password-console.service"
+ "systemd-fsck@.service"
+ "systemd-halt.service"
+ "systemd-hibernate-resume@.service"
+ "systemd-journald-audit.socket"
+ "systemd-journald-dev-log.socket"
+ "systemd-journald.service"
+ "systemd-journald.socket"
+ "systemd-kexec.service"
+ "systemd-modules-load.service"
+ "systemd-poweroff.service"
+ "systemd-random-seed.service"
+ "systemd-reboot.service"
+ "systemd-sysctl.service"
+ "systemd-tmpfiles-setup-dev.service"
+ "systemd-tmpfiles-setup.service"
+ "systemd-udevd-control.socket"
+ "systemd-udevd-kernel.socket"
+ "systemd-udevd.service"
+ "systemd-udev-settle.service"
+ "systemd-udev-trigger.service"
+ "systemd-vconsole-setup.service"
+ "timers.target"
+ "umount.target"
+
+ # TODO: Networking
+ # "network-online.target"
+ # "network-pre.target"
+ # "network.target"
+ # "nss-lookup.target"
+ # "nss-user-lookup.target"
+ # "remote-fs-pre.target"
+ # "remote-fs.target"
+ ] ++ cfg.additionalUpstreamUnits;
+
+ upstreamWants = [
+ "sysinit.target.wants"
+ ];
+
+ enabledUpstreamUnits = filter (n: ! elem n cfg.suppressedUnits) upstreamUnits;
+ enabledUnits = filterAttrs (n: v: ! elem n cfg.suppressedUnits) cfg.units;
+
+ stage1Units = generateUnits {
+ type = "initrd";
+ units = enabledUnits;
+ upstreamUnits = enabledUpstreamUnits;
+ inherit upstreamWants;
+ inherit (cfg) packages package;
+ };
+
+ fileSystems = filter utils.fsNeededForBoot config.system.build.fileSystems;
+
+ fstab = pkgs.writeText "fstab" (lib.concatMapStringsSep "\n"
+ ({ fsType, mountPoint, device, options, autoFormat, autoResize, ... }@fs: let
+ opts = options ++ optional autoFormat "x-systemd.makefs" ++ optional autoResize "x-systemd.growfs";
+ in "${device} /sysroot${mountPoint} ${fsType} ${lib.concatStringsSep "," opts}") fileSystems);
+
+ kernel-name = config.boot.kernelPackages.kernel.name or "kernel";
+ modulesTree = config.system.modulesTree.override { name = kernel-name + "-modules"; };
+ firmware = config.hardware.firmware;
+ # Determine the set of modules that we need to mount the root FS.
+ modulesClosure = pkgs.makeModulesClosure {
+ rootModules = config.boot.initrd.availableKernelModules ++ config.boot.initrd.kernelModules;
+ kernel = modulesTree;
+ firmware = firmware;
+ allowMissing = false;
+ };
+
+ initrdBinEnv = pkgs.buildEnv {
+ name = "initrd-emergency-env";
+ paths = map getBin cfg.initrdBin;
+ pathsToLink = ["/bin" "/sbin"];
+ # Make recovery easier
+ postBuild = ''
+ ln -s ${cfg.package.util-linux}/bin/mount $out/bin/
+ ln -s ${cfg.package.util-linux}/bin/umount $out/bin/
+ '';
+ };
+
+ initialRamdisk = pkgs.makeInitrdNG {
+ contents = map (path: { object = path; symlink = ""; }) (subtractLists cfg.suppressedStorePaths cfg.storePaths)
+ ++ mapAttrsToList (_: v: { object = v.source; symlink = v.target; }) (filterAttrs (_: v: v.enable) cfg.contents);
+ };
+
+in {
+ options.boot.initrd.systemd = {
+ enable = mkEnableOption ''systemd in initrd.
+
+ Note: This is in very early development and is highly
+ experimental. Most of the features NixOS supports in initrd are
+ not yet supported by the intrd generated with this option.
+ '';
+
+ package = (mkPackageOption pkgs "systemd" {
+ default = "systemdMinimal";
+ }) // {
+ visible = false;
+ };
+
+ contents = mkOption {
+ description = "Set of files that have to be linked into the initrd";
+ example = literalExpression ''
+ {
+ "/etc/hostname".text = "mymachine";
+ }
+ '';
+ visible = false;
+ default = {};
+ type = types.attrsOf (types.submodule ({ config, options, name, ... }: {
+ options = {
+ enable = mkEnableOption "copying of this file to initrd and symlinking it" // { default = true; };
+
+ target = mkOption {
+ type = types.path;
+ description = ''
+ Path of the symlink.
+ '';
+ default = name;
+ };
+
+ text = mkOption {
+ default = null;
+ type = types.nullOr types.lines;
+ description = "Text of the file.";
+ };
+
+ source = mkOption {
+ type = types.path;
+ description = "Path of the source file.";
+ };
+ };
+
+ config = {
+ source = mkIf (config.text != null) (
+ let name' = "initrd-" + baseNameOf name;
+ in mkDerivedConfig options.text (pkgs.writeText name')
+ );
+ };
+ }));
+ };
+
+ storePaths = mkOption {
+ description = ''
+ Store paths to copy into the initrd as well.
+ '';
+ type = types.listOf types.singleLineStr;
+ default = [];
+ };
+
+ suppressedStorePaths = mkOption {
+ description = ''
+ Store paths specified in the storePaths option that
+ should not be copied.
+ '';
+ type = types.listOf types.singleLineStr;
+ default = [];
+ };
+
+ emergencyAccess = mkOption {
+ type = with types; oneOf [ bool singleLineStr ];
+ visible = false;
+ description = ''
+ Set to true for unauthenticated emergency access, and false for
+ no emergency access.
+
+ Can also be set to a hashed super user password to allow
+ authenticated access to the emergency mode.
+ '';
+ default = false;
+ };
+
+ initrdBin = mkOption {
+ type = types.listOf types.package;
+ default = [];
+ visible = false;
+ description = ''
+ Packages to include in /bin for the stage 1 emergency shell.
+ '';
+ };
+
+ additionalUpstreamUnits = mkOption {
+ default = [ ];
+ type = types.listOf types.str;
+ visible = false;
+ example = [ "debug-shell.service" "systemd-quotacheck.service" ];
+ description = ''
+ Additional units shipped with systemd that shall be enabled.
+ '';
+ };
+
+ suppressedUnits = mkOption {
+ default = [ ];
+ type = types.listOf types.str;
+ example = [ "systemd-backlight@.service" ];
+ visible = false;
+ description = ''
+ A list of units to skip when generating system systemd configuration directory. This has
+ priority over upstream units, , and
+ . The main purpose of this is to
+ prevent a upstream systemd unit from being added to the initrd with any modifications made to it
+ by other NixOS modules.
+ '';
+ };
+
+ units = mkOption {
+ description = "Definition of systemd units.";
+ default = {};
+ visible = false;
+ type = systemdUtils.types.units;
+ };
+
+ packages = mkOption {
+ default = [];
+ visible = false;
+ type = types.listOf types.package;
+ example = literalExpression "[ pkgs.systemd-cryptsetup-generator ]";
+ description = "Packages providing systemd units and hooks.";
+ };
+
+ targets = mkOption {
+ default = {};
+ visible = false;
+ type = systemdUtils.types.initrdTargets;
+ description = "Definition of systemd target units.";
+ };
+
+ services = mkOption {
+ default = {};
+ type = systemdUtils.types.initrdServices;
+ visible = false;
+ description = "Definition of systemd service units.";
+ };
+
+ sockets = mkOption {
+ default = {};
+ type = systemdUtils.types.initrdSockets;
+ visible = false;
+ description = "Definition of systemd socket units.";
+ };
+
+ timers = mkOption {
+ default = {};
+ type = systemdUtils.types.initrdTimers;
+ visible = false;
+ description = "Definition of systemd timer units.";
+ };
+
+ paths = mkOption {
+ default = {};
+ type = systemdUtils.types.initrdPaths;
+ visible = false;
+ description = "Definition of systemd path units.";
+ };
+
+ mounts = mkOption {
+ default = [];
+ type = systemdUtils.types.initrdMounts;
+ visible = false;
+ description = ''
+ Definition of systemd mount units.
+ This is a list instead of an attrSet, because systemd mandates the names to be derived from
+ the 'where' attribute.
+ '';
+ };
+
+ automounts = mkOption {
+ default = [];
+ type = systemdUtils.types.automounts;
+ visible = false;
+ description = ''
+ Definition of systemd automount units.
+ This is a list instead of an attrSet, because systemd mandates the names to be derived from
+ the 'where' attribute.
+ '';
+ };
+
+ slices = mkOption {
+ default = {};
+ type = systemdUtils.types.slices;
+ visible = false;
+ description = "Definition of slice configurations.";
+ };
+ };
+
+ config = mkIf (config.boot.initrd.enable && cfg.enable) {
+ system.build = { inherit initialRamdisk; };
+ boot.initrd.systemd = {
+ initrdBin = [pkgs.bash pkgs.coreutils pkgs.kmod cfg.package] ++ config.system.fsPackages;
+
+ contents = {
+ "/init".source = "${cfg.package}/lib/systemd/systemd";
+ "/etc/systemd/system".source = stage1Units;
+
+ "/etc/systemd/system.conf".text = ''
+ [Manager]
+ DefaultEnvironment=PATH=/bin:/sbin
+ '';
+
+ "/etc/fstab".source = fstab;
+
+ "/lib/modules".source = "${modulesClosure}/lib/modules";
+
+ "/etc/modules-load.d/nixos.conf".text = concatStringsSep "\n" config.boot.initrd.kernelModules;
+
+ "/etc/passwd".source = "${pkgs.fakeNss}/etc/passwd";
+ "/etc/shadow".text = "root:${if isBool cfg.emergencyAccess then "!" else cfg.emergencyAccess}:::::::";
+
+ "/bin".source = "${initrdBinEnv}/bin";
+ "/sbin".source = "${initrdBinEnv}/sbin";
+
+ "/etc/sysctl.d/nixos.conf".text = "kernel.modprobe = /sbin/modprobe";
+ };
+
+ storePaths = [
+ # TODO: Limit this to the bare necessities
+ "${cfg.package}/lib"
+
+ "${cfg.package.util-linux}/bin/mount"
+ "${cfg.package.util-linux}/bin/umount"
+ "${cfg.package.util-linux}/bin/sulogin"
+
+ # so NSS can look up usernames
+ "${pkgs.glibc}/lib/libnss_files.so"
+ ];
+
+ targets.initrd.aliases = ["default.target"];
+ units =
+ mapAttrs' (n: v: nameValuePair "${n}.path" (pathToUnit n v)) cfg.paths
+ // mapAttrs' (n: v: nameValuePair "${n}.service" (serviceToUnit n v)) cfg.services
+ // mapAttrs' (n: v: nameValuePair "${n}.slice" (sliceToUnit n v)) cfg.slices
+ // mapAttrs' (n: v: nameValuePair "${n}.socket" (socketToUnit n v)) cfg.sockets
+ // mapAttrs' (n: v: nameValuePair "${n}.target" (targetToUnit n v)) cfg.targets
+ // mapAttrs' (n: v: nameValuePair "${n}.timer" (timerToUnit n v)) cfg.timers
+ // listToAttrs (map
+ (v: let n = escapeSystemdPath v.where;
+ in nameValuePair "${n}.mount" (mountToUnit n v)) cfg.mounts)
+ // listToAttrs (map
+ (v: let n = escapeSystemdPath v.where;
+ in nameValuePair "${n}.automount" (automountToUnit n v)) cfg.automounts);
+
+ services.emergency = mkIf (isBool cfg.emergencyAccess && cfg.emergencyAccess) {
+ environment.SYSTEMD_SULOGIN_FORCE = "1";
+ };
+ # The unit in /run/systemd/generator shadows the unit in
+ # /etc/systemd/system, but will still apply drop-ins from
+ # /etc/systemd/system/foo.service.d/
+ #
+ # We need IgnoreOnIsolate, otherwise the Requires dependency of
+ # a mount unit on its makefs unit causes it to be unmounted when
+ # we isolate for switch-root. Use a dummy package so that
+ # generateUnits will generate drop-ins instead of unit files.
+ packages = [(pkgs.runCommand "dummy" {} ''
+ mkdir -p $out/etc/systemd/system
+ touch $out/etc/systemd/system/systemd-{makefs,growfs}@.service
+ '')];
+ services."systemd-makefs@".unitConfig.IgnoreOnIsolate = true;
+ services."systemd-growfs@".unitConfig.IgnoreOnIsolate = true;
+ };
+ };
+}
diff --git a/nixos/modules/system/boot/systemd/nspawn.nix b/nixos/modules/system/boot/systemd/nspawn.nix
index 0c6822319a5b..bf9995d03cc1 100644
--- a/nixos/modules/system/boot/systemd/nspawn.nix
+++ b/nixos/modules/system/boot/systemd/nspawn.nix
@@ -116,7 +116,13 @@ in {
in
mkMerge [
(mkIf (cfg != {}) {
- environment.etc."systemd/nspawn".source = mkIf (cfg != {}) (generateUnits' false "nspawn" units [] []);
+ environment.etc."systemd/nspawn".source = mkIf (cfg != {}) (generateUnits {
+ allowCollisions = false;
+ type = "nspawn";
+ inherit units;
+ upstreamUnits = [];
+ upstreamWants = [];
+ });
})
{
systemd.targets.multi-user.wants = [ "machines.target" ];
diff --git a/nixos/modules/system/boot/systemd/tmpfiles.nix b/nixos/modules/system/boot/systemd/tmpfiles.nix
index 57d44c8591ed..edbe59965560 100644
--- a/nixos/modules/system/boot/systemd/tmpfiles.nix
+++ b/nixos/modules/system/boot/systemd/tmpfiles.nix
@@ -100,5 +100,22 @@ in
'';
})
];
+
+ systemd.tmpfiles.rules = [
+ "d /etc/nixos 0755 root root - -"
+ "d /nix/var 0755 root root - -"
+ "L+ /nix/var/nix/gcroots/booted-system 0755 root root - /run/booted-system"
+ "d /run/lock 0755 root root - -"
+ "d /var/db 0755 root root - -"
+ "L /etc/mtab - - - - ../proc/mounts"
+ "L /var/lock - - - - ../run/lock"
+ # Boot-time cleanup
+ "R! /etc/group.lock - - - - -"
+ "R! /etc/passwd.lock - - - - -"
+ "R! /etc/shadow.lock - - - - -"
+ "R! /etc/mtab* - - - - -"
+ "R! /nix/var/nix/gcroots/tmp - - - - -"
+ "R! /nix/var/nix/temproots - - - - -"
+ ];
};
}
diff --git a/nixos/modules/system/boot/systemd/user.nix b/nixos/modules/system/boot/systemd/user.nix
index e30f83f3457f..4951aef95584 100644
--- a/nixos/modules/system/boot/systemd/user.nix
+++ b/nixos/modules/system/boot/systemd/user.nix
@@ -12,10 +12,6 @@ let
(systemdUtils.lib)
makeUnit
generateUnits
- makeJobScript
- unitConfig
- serviceConfig
- commonUnitText
targetToUnit
serviceToUnit
socketToUnit
@@ -57,48 +53,42 @@ in {
systemd.user.units = mkOption {
description = "Definition of systemd per-user units.";
default = {};
- type = with types; attrsOf (submodule (
- { name, config, ... }:
- { options = concreteUnitOptions;
- config = {
- unit = mkDefault (makeUnit name config);
- };
- }));
+ type = systemdUtils.types.units;
};
systemd.user.paths = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = pathOptions; } unitConfig ]);
+ type = systemdUtils.types.paths;
description = "Definition of systemd per-user path units.";
};
systemd.user.services = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = serviceOptions; } unitConfig serviceConfig ] );
+ type = systemdUtils.types.services;
description = "Definition of systemd per-user service units.";
};
systemd.user.slices = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = sliceOptions; } unitConfig ] );
+ type = systemdUtils.types.slices;
description = "Definition of systemd per-user slice units.";
};
systemd.user.sockets = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = socketOptions; } unitConfig ] );
+ type = systemdUtils.types.sockets;
description = "Definition of systemd per-user socket units.";
};
systemd.user.targets = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = targetOptions; } unitConfig] );
+ type = systemdUtils.types.targets;
description = "Definition of systemd per-user target units.";
};
systemd.user.timers = mkOption {
default = {};
- type = with types; attrsOf (submodule [ { options = timerOptions; } unitConfig ] );
+ type = systemdUtils.types.timers;
description = "Definition of systemd per-user timer units.";
};
@@ -119,7 +109,12 @@ in {
];
environment.etc = {
- "systemd/user".source = generateUnits "user" cfg.units upstreamUserUnits [];
+ "systemd/user".source = generateUnits {
+ type = "user";
+ inherit (cfg) units;
+ upstreamUnits = upstreamUserUnits;
+ upstreamWants = [];
+ };
"systemd/user.conf".text = ''
[Manager]
diff --git a/nixos/modules/tasks/filesystems.nix b/nixos/modules/tasks/filesystems.nix
index d68edd8d7d39..b8afe231dd2e 100644
--- a/nixos/modules/tasks/filesystems.nix
+++ b/nixos/modules/tasks/filesystems.nix
@@ -352,7 +352,7 @@ in
unitConfig.DefaultDependencies = false; # needed to prevent a cycle
serviceConfig.Type = "oneshot";
};
- in listToAttrs (map formatDevice (filter (fs: fs.autoFormat) fileSystems)) // {
+ in listToAttrs (map formatDevice (filter (fs: fs.autoFormat && !(utils.fsNeededForBoot fs)) fileSystems)) // {
# Mount /sys/fs/pstore for evacuating panic logs and crashdumps from persistent storage onto the disk using systemd-pstore.
# This cannot be done with the other special filesystems because the pstore module (which creates the mount point) is not loaded then.
"mount-pstore" = {
diff --git a/nixos/modules/virtualisation/qemu-vm.nix b/nixos/modules/virtualisation/qemu-vm.nix
index 760f69121612..74f6521462b8 100644
--- a/nixos/modules/virtualisation/qemu-vm.nix
+++ b/nixos/modules/virtualisation/qemu-vm.nix
@@ -923,6 +923,8 @@ in
mkVMOverride (cfg.fileSystems //
{
"/".device = cfg.bootDevice;
+ "/".fsType = "ext4";
+ "/".autoFormat = true;
"/tmp" = mkIf config.boot.tmpOnTmpfs
{ device = "tmpfs";
@@ -953,6 +955,28 @@ in
};
} // lib.mapAttrs' mkSharedDir cfg.sharedDirectories);
+ boot.initrd.systemd = lib.mkIf (config.boot.initrd.systemd.enable && cfg.writableStore) {
+ mounts = [{
+ where = "/sysroot/nix/store";
+ what = "overlay";
+ type = "overlay";
+ options = "lowerdir=/sysroot/nix/.ro-store,upperdir=/sysroot/nix/.rw-store/store,workdir=/sysroot/nix/.rw-store/work";
+ wantedBy = ["local-fs.target"];
+ before = ["local-fs.target"];
+ requires = ["sysroot-nix-.ro\\x2dstore.mount" "sysroot-nix-.rw\\x2dstore.mount" "rw-store.service"];
+ after = ["sysroot-nix-.ro\\x2dstore.mount" "sysroot-nix-.rw\\x2dstore.mount" "rw-store.service"];
+ unitConfig.IgnoreOnIsolate = true;
+ }];
+ services.rw-store = {
+ after = ["sysroot-nix-.rw\\x2dstore.mount"];
+ unitConfig.DefaultDependencies = false;
+ serviceConfig = {
+ Type = "oneshot";
+ ExecStart = "/bin/mkdir -p 0755 /sysroot/nix/.rw-store/store /sysroot/nix/.rw-store/work /sysroot/nix/store";
+ };
+ };
+ };
+
swapDevices = mkVMOverride [ ];
boot.initrd.luks.devices = mkVMOverride {};
diff --git a/nixos/tests/all-tests.nix b/nixos/tests/all-tests.nix
index cf4bfecf6f19..dcbdf34e9441 100644
--- a/nixos/tests/all-tests.nix
+++ b/nixos/tests/all-tests.nix
@@ -514,6 +514,7 @@ in
systemd-confinement = handleTest ./systemd-confinement.nix {};
systemd-cryptenroll = handleTest ./systemd-cryptenroll.nix {};
systemd-escaping = handleTest ./systemd-escaping.nix {};
+ systemd-initrd-simple = handleTest ./systemd-initrd-simple.nix {};
systemd-journal = handleTest ./systemd-journal.nix {};
systemd-machinectl = handleTest ./systemd-machinectl.nix {};
systemd-networkd = handleTest ./systemd-networkd.nix {};
diff --git a/nixos/tests/collectd.nix b/nixos/tests/collectd.nix
index 8c9361087661..2480bdb5f917 100644
--- a/nixos/tests/collectd.nix
+++ b/nixos/tests/collectd.nix
@@ -3,11 +3,14 @@ import ./make-test-python.nix ({ pkgs, ... }: {
meta = { };
nodes.machine =
- { pkgs, ... }:
+ { pkgs, lib, ... }:
{
services.collectd = {
enable = true;
+ extraConfig = lib.mkBefore ''
+ Interval 30
+ '';
plugins = {
rrdtool = ''
DataDir "/var/lib/collectd/rrd"
@@ -26,6 +29,8 @@ import ./make-test-python.nix ({ pkgs, ... }: {
machine.succeed(f"rrdinfo {file} | logger")
# check that this file contains a shortterm metric
machine.succeed(f"rrdinfo {file} | grep -F 'ds[shortterm].min = '")
+ # check that interval was set before the plugins
+ machine.succeed(f"rrdinfo {file} | grep -F 'step = 30'")
# check that there are frequent updates
machine.succeed(f"cp {file} before")
machine.wait_until_fails(f"cmp before {file}")
diff --git a/nixos/tests/hibernate.nix b/nixos/tests/hibernate.nix
index ae3f9a80eb33..f81033b846ae 100644
--- a/nixos/tests/hibernate.nix
+++ b/nixos/tests/hibernate.nix
@@ -117,6 +117,11 @@ in makeTest {
resume = create_named_machine("resume")
resume.start()
resume.succeed("grep 'not persisted to disk' /run/test/suspended")
+
+ # Ensure we don't restore from hibernation when booting again
+ resume.crash()
+ resume.wait_for_unit("default.target")
+ resume.fail("grep 'not persisted to disk' /run/test/suspended")
'';
}
diff --git a/nixos/tests/systemd-initrd-simple.nix b/nixos/tests/systemd-initrd-simple.nix
new file mode 100644
index 000000000000..ba62cdf3bbc7
--- /dev/null
+++ b/nixos/tests/systemd-initrd-simple.nix
@@ -0,0 +1,27 @@
+import ./make-test-python.nix ({ lib, pkgs, ... }: {
+ name = "systemd-initrd-simple";
+
+ machine = { pkgs, ... }: {
+ boot.initrd.systemd = {
+ enable = true;
+ emergencyAccess = true;
+ };
+ fileSystems = lib.mkVMOverride {
+ "/".autoResize = true;
+ };
+ };
+
+ testScript = ''
+ import subprocess
+
+ oldAvail = machine.succeed("df --output=avail / | sed 1d")
+ machine.shutdown()
+
+ subprocess.check_call(["qemu-img", "resize", "vm-state-machine/machine.qcow2", "+1G"])
+
+ machine.start()
+ newAvail = machine.succeed("df --output=avail / | sed 1d")
+
+ assert int(oldAvail) < int(newAvail), "File system did not grow"
+ '';
+})
diff --git a/pkgs/applications/audio/foo-yc20/default.nix b/pkgs/applications/audio/foo-yc20/default.nix
deleted file mode 100644
index abb13b021c04..000000000000
--- a/pkgs/applications/audio/foo-yc20/default.nix
+++ /dev/null
@@ -1,29 +0,0 @@
-{ lib, stdenv, fetchFromGitHub, libjack2, gtk2, lv2, faust, pkg-config }:
-
-stdenv.mkDerivation {
- version = "unstable-2015-05-21";
- pname = "foo-yc20";
- src = fetchFromGitHub {
- owner = "sampov2";
- repo = "foo-yc20";
- rev = "edd9d14c91229429b14270a181743e1046160ca8";
- sha256 = "0i8261n95n4xic766h70xkrpbvw3sag96n1883ahmg6h7yb94avq";
- };
-
- nativeBuildInputs = [ pkg-config ];
- buildInputs = [ libjack2 gtk2 lv2 faust ];
-
- makeFlags = [ "PREFIX=$(out)" ];
-
- # remove lv2 until https://github.com/sampov2/foo-yc20/issues/6 is resolved
- postInstallFixup = "rm -rf $out/lib/lv2";
-
- meta = with lib; {
- broken = true; # see: https://github.com/sampov2/foo-yc20/issues/7
- description = "A Faust implementation of a 1969 designed Yamaha combo organ, the YC-20";
- homepage = "https://github.com/sampov2/foo-yc20";
- license = with licenses; [ bsd3 lgpl21 mpl11 ];
- maintainers = [ maintainers.magnetophon ];
- platforms = platforms.linux;
- };
-}
diff --git a/pkgs/applications/blockchains/polkadot/default.nix b/pkgs/applications/blockchains/polkadot/default.nix
index 8199504839a0..24d1f2cd0f46 100644
--- a/pkgs/applications/blockchains/polkadot/default.nix
+++ b/pkgs/applications/blockchains/polkadot/default.nix
@@ -4,6 +4,7 @@
, llvmPackages
, protobuf
, rustPlatform
+, stdenv
, writeShellScriptBin
, Security
}:
@@ -33,7 +34,7 @@ rustPlatform.buildRustPackage rec {
cargoSha256 = "sha256-Gc5WbayQUlsl7Fk8NyLPh2Zg2yrLl3WJqKorNZMLi94=";
- buildInputs = [ Security ];
+ buildInputs = lib.optional stdenv.isDarwin [ Security ];
nativeBuildInputs = [ clang ];
diff --git a/pkgs/applications/emulators/fakenes/build.patch b/pkgs/applications/emulators/fakenes/build.patch
deleted file mode 100644
index 90799d977a14..000000000000
--- a/pkgs/applications/emulators/fakenes/build.patch
+++ /dev/null
@@ -1,84 +0,0 @@
-diff --git a/build/openal.cbd b/build/openal.cbd
-index d18e62d..74af061 100644
---- a/build/openal.cbd
-+++ b/build/openal.cbd
-@@ -23,7 +23,7 @@ CFLAGS += ' -DUSE_OPENAL'
- # --
-
- do ifplat unix
-- LDFLAGS += ' `openal-config --libs`'
-+ LDFLAGS += ' -lopenal'
- else
- LDFLAGS += ' -lOpenAL32'
- done
-diff --git a/build/alleggl.cbd b/build/alleggl.cbd
-index e2708ff..e826371 100644
---- a/build/alleggl.cbd
-+++ b/build/alleggl.cbd
-@@ -22,7 +22,7 @@ CFLAGS += ' -DUSE_ALLEGROGL'
-
- # --
-
--LIBAGL = agl
-+LIBAGL = alleggl
-
- ifopt debug LIBAGL = 'agld'
-
-diff --git a/src/apu.cpp b/src/apu.cpp
-index af59f1c..893a798 100644
---- a/src/apu.cpp
-+++ b/src/apu.cpp
-@@ -1930,7 +1930,7 @@ static void amplify(real& sample)
- gain -= releaseRate;
- }
-
-- real output = (1.0 / max(gain, EPSILON));
-+ real output = (1.0 / MAX(gain, EPSILON));
- output = fixf(output, apu_agc_gain_floor, apu_agc_gain_ceiling);
- sample *= output;
- }
-diff --git a/src/audio.cpp b/src/audio.cpp
-index b9650dc..c21c05e 100644
---- a/src/audio.cpp
-+++ b/src/audio.cpp
-@@ -7,6 +7,7 @@
- You must read and accept the license prior to use. */
-
- #include
-+#include
- #include
- #include
- #include
-@@ -234,7 +235,7 @@ void audio_update(void)
- const unsigned queuedFrames = (audioQueue.size() / audio_channels);
- if(queuedFrames > 0) {
- // Determine how many frames we want to make room for.
-- const unsigned framesToAdd = min(queuedFrames, audio_buffer_size_frames);
-+ const unsigned framesToAdd = MIN(queuedFrames, audio_buffer_size_frames);
- // Make room for the frames in the buffer.
- const unsigned framesToMove = (audioBufferedFrames - framesToAdd);
- if(framesToMove > 0) {
-@@ -258,7 +259,7 @@ void audio_update(void)
- // Determine how many frames are available in the buffer.
- const unsigned bufferableFrames = (audio_buffer_size_frames - audioBufferedFrames);
- // Determine the number of frames to copy to the buffer.
-- const unsigned framesToCopy = min(queuedFrames, bufferableFrames);
-+ const unsigned framesToCopy = MIN(queuedFrames, bufferableFrames);
-
- // Copy frames to the buffer.
- for(unsigned frame = 0; frame < framesToCopy; frame++) {
-diff --git a/src/include/common.h b/src/include/common.h
-index be28795..e2d21d1 100644
---- a/src/include/common.h
-+++ b/src/include/common.h
-@@ -41,8 +41,10 @@ extern "C" {
- #define true TRUE
- #define false FALSE
-
-+/*
- #define min(x,y) MIN((x),(y))
- #define max(x,y) MAX((x),(y))
-+*/
-
- #define true_or_false(x) ((x) ? true : false)
-
diff --git a/pkgs/applications/emulators/fakenes/default.nix b/pkgs/applications/emulators/fakenes/default.nix
deleted file mode 100644
index 6bc4b1480ffc..000000000000
--- a/pkgs/applications/emulators/fakenes/default.nix
+++ /dev/null
@@ -1,34 +0,0 @@
-{lib, stdenv, fetchurl, allegro, openal, libGLU, libGL, zlib, hawknl, freeglut, libX11,
- libXxf86vm, libXcursor, libXpm }:
-
-stdenv.mkDerivation rec {
- pname = "fakenes";
- version = "0.5.9-beta3";
-
- src = fetchurl {
- url = "mirror://sourceforge/fakenes/fakenes-${version}.tar.gz";
- sha256 = "026h67s4pzc1vma59pmzk02iy379255qbai2q74wln9bxqcpniy4";
- };
-
- buildInputs = [ allegro openal libGLU libGL zlib hawknl freeglut libX11
- libXxf86vm libXcursor libXpm ];
-
- hardeningDisable = [ "format" ];
-
- installPhase = ''
- mkdir -p $out/bin
- cp fakenes $out/bin
- '';
-
- NIX_LDFLAGS = "-lX11 -lXxf86vm -lXcursor -lXpm";
-
- patches = [ ./build.patch ];
-
- meta = {
- homepage = "http://fakenes.sourceforge.net/";
- license = lib.licenses.gpl2Plus;
- description = "Portable Open Source NES Emulator";
- platforms = lib.platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/applications/emulators/qmc2/default.nix b/pkgs/applications/emulators/qmc2/default.nix
deleted file mode 100644
index 6c6a52fc65ca..000000000000
--- a/pkgs/applications/emulators/qmc2/default.nix
+++ /dev/null
@@ -1,41 +0,0 @@
-{ lib, stdenv
-, fetchurl, qttools, pkg-config
-, minizip, zlib
-, qtbase, qtsvg, qtmultimedia, qtwebkit, qttranslations, qtxmlpatterns
-, rsync, SDL2, xwininfo
-, util-linux
-, xorg
-}:
-
-stdenv.mkDerivation rec {
- pname = "qmc2";
- version = "0.195";
-
- src = fetchurl {
- url = "mirror://sourceforge/project/qmc2/qmc2/${version}/${pname}-${version}.tar.gz";
- sha256 = "1dzmjlfk8pdspns6zg1jmd5fqzg8igd4q38cz4a1vf39lx74svns";
- };
-
- preBuild = ''
- patchShebangs scripts
- '';
-
- nativeBuildInputs = [ qttools pkg-config ];
- buildInputs = [ minizip qtbase qtsvg qtmultimedia qtwebkit
- qttranslations qtxmlpatterns rsync SDL2
- xwininfo zlib util-linux xorg.libxcb ];
-
- makeFlags = [ "DESTDIR=$(out)"
- "PREFIX=/"
- "DATADIR=/share/"
- "SYSCONFDIR=/etc" ];
-
- meta = with lib; {
- description = "A Qt frontend for MAME/MESS";
- homepage = "https://qmc2.batcom-it.net";
- license = licenses.gpl2;
- maintainers = [ ];
- platforms = platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/applications/graphics/photivo/default.nix b/pkgs/applications/graphics/photivo/default.nix
deleted file mode 100644
index 338f716e9bbd..000000000000
--- a/pkgs/applications/graphics/photivo/default.nix
+++ /dev/null
@@ -1,54 +0,0 @@
-{ lib
-, stdenv
-, fetchhg
-, fetchpatch
-, cmake
-, qt4
-, fftw
-, graphicsmagick_q16
-, lcms2
-, lensfun
-, pkg-config
-, libjpeg
-, exiv2
-, liblqr1
-}:
-
-stdenv.mkDerivation {
- pname = "photivo";
- version = "2014-01-25";
-
- src = fetchhg {
- url = "http://code.google.com/p/photivo/";
- rev = "d687864489da";
- sha256 = "0f6y18k7db2ci6xn664zcwm1g1k04sdv7gg1yd5jk41bndjb7z8h";
- };
-
- patches = [
- # Patch fixing build with lensfun >= 0.3, taken from
- # https://www.linuxquestions.org/questions/slackware-14/photivo-4175530230/#post5296578
- (fetchpatch {
- url = "https://www.linuxquestions.org/questions/attachment.php?attachmentid=17287&d=1420577220";
- name = "lensfun-0.3.patch";
- sha256 = "0ys45x4r4bjjlx0zpd5d56rgjz7k8gxili4r4k8zx3zfka4a3zwv";
- })
- ./gcc6.patch
- ];
-
- postPatch = '' # kinda icky
- sed -e '/("@INSTALL@")/d' \
- -e s,@INSTALL@,$out/share/photivo, \
- -i Sources/ptSettings.cpp
- sed '1i#include ' -i Sources/filters/ptFilter_StdCurve.cpp
- '';
-
- nativeBuildInputs = [ cmake pkg-config ];
-
- buildInputs = [ qt4 fftw graphicsmagick_q16 lcms2 lensfun libjpeg exiv2 liblqr1 ];
-
- meta = with lib; {
- platforms = platforms.linux;
- license = licenses.gpl3;
- broken = true; # exiv2 0.27.1 FTBFS
- };
-}
diff --git a/pkgs/applications/graphics/photivo/gcc6.patch b/pkgs/applications/graphics/photivo/gcc6.patch
deleted file mode 100644
index e2eb795fc8e2..000000000000
--- a/pkgs/applications/graphics/photivo/gcc6.patch
+++ /dev/null
@@ -1,13 +0,0 @@
-diff --git c/Sources/ptImage.cpp i/Sources/ptImage.cpp
-index 9c95093..623c157 100755
---- c/Sources/ptImage.cpp
-+++ i/Sources/ptImage.cpp
-@@ -5291,7 +5291,7 @@ ptImage* ptImage::Box(const uint16_t MaxRadius, float* Mask) {
- NewRow = NewRow < 0? -NewRow : NewRow > Height1? Height1_2-NewRow : NewRow ;
- NewRow *= m_Width;
- for(j = -IntRadius; j <= IntRadius; j++) {
-- if (Dist[abs(i)][abs(j)] < Radius) {
-+ if (Dist[int16_t(abs(i))][int16_t(abs(j))] < Radius) {
- NewCol = Col+j;
- NewCol = NewCol < 0? -NewCol : NewCol > Width1? Width1_2-NewCol : NewCol ;
-
diff --git a/pkgs/applications/networking/mailreaders/notbit/default.nix b/pkgs/applications/networking/mailreaders/notbit/default.nix
deleted file mode 100644
index 5c979bde6040..000000000000
--- a/pkgs/applications/networking/mailreaders/notbit/default.nix
+++ /dev/null
@@ -1,30 +0,0 @@
-{ lib, stdenv, fetchFromGitHub, autoreconfHook, pkg-config,
- gettext, openssl
-}:
-
-with lib;
-
-stdenv.mkDerivation {
- pname = "notbit";
- version = "2018-01-09";
-
- src = fetchFromGitHub {
- owner = "bpeel";
- repo = "notbit";
- rev = "8b5d3d2da8ce54abae2536b4d97641d2c798cff3";
- sha256 = "1623n0lvx42mamvb2vwin5i38hh0nxpxzmkr5188ss2x7m20lmii";
- };
-
- nativeBuildInputs = [ autoreconfHook pkg-config ];
-
- buildInputs = [ openssl gettext ];
-
- meta = {
- description = "A minimal Bitmessage client";
- homepage = "https://github.com/bpeel/notbit";
- license = licenses.mit;
- platforms = platforms.unix;
- maintainers = with maintainers; [ mog ];
- broken = true;
- };
-}
diff --git a/pkgs/applications/science/astronomy/openspace/assets.patch b/pkgs/applications/science/astronomy/openspace/assets.patch
deleted file mode 100644
index 38c17ad4593a..000000000000
--- a/pkgs/applications/science/astronomy/openspace/assets.patch
+++ /dev/null
@@ -1,100 +0,0 @@
-diff --git a/data/assets/scene/solarsystem/planets/jupiter/jup310.asset b/data/assets/scene/solarsystem/planets/jupiter/jup310.asset
-index c15f6d9..1f8ddaf 100755
---- a/data/assets/scene/solarsystem/planets/jupiter/jup310.asset
-+++ b/data/assets/scene/solarsystem/planets/jupiter/jup310.asset
-@@ -1,8 +1,8 @@
--local Kernels = asset.syncedResource({
-- Name = "Jupiter Spice Kernels (jup310)",
-- Type = "TorrentSynchronization",
-- Identifier = "jup310",
-- Magnet = "magnet:?xt=urn:btih:E8B7D7E136DE1C6249158B254BFC8B9ECE2A0539&dn=jup310.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
--})
-+-- local Kernels = asset.syncedResource({
-+-- Name = "Jupiter Spice Kernels (jup310)",
-+-- Type = "TorrentSynchronization",
-+-- Identifier = "jup310",
-+-- Magnet = "magnet:?xt=urn:btih:E8B7D7E136DE1C6249158B254BFC8B9ECE2A0539&dn=jup310.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
-+-- })
-
--asset.export("Kernels", Kernels .. '/jup310.bsp')
-+-- asset.export("Kernels", Kernels .. '/jup310.bsp')
-diff --git a/data/assets/scene/solarsystem/planets/mars/mar097.asset b/data/assets/scene/solarsystem/planets/mars/mar097.asset
-index e77d67d..8d738a6 100755
---- a/data/assets/scene/solarsystem/planets/mars/mar097.asset
-+++ b/data/assets/scene/solarsystem/planets/mars/mar097.asset
-@@ -1,8 +1,8 @@
--local Kernels = asset.syncedResource({
-- Name = "Mars Spice Kernels",
-- Type = "TorrentSynchronization",
-- Identifier = "mat097",
-- Magnet = "magnet:?xt=urn:btih:308F326B9AF864294D73042FBBED33B17291E27E&dn=mar097.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
--})
-+-- local Kernels = asset.syncedResource({
-+-- Name = "Mars Spice Kernels",
-+-- Type = "TorrentSynchronization",
-+-- Identifier = "mat097",
-+-- Magnet = "magnet:?xt=urn:btih:308F326B9AF864294D73042FBBED33B17291E27E&dn=mar097.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
-+-- })
-
--asset.export("Kernels", Kernels .. '/mar097.bsp')
-+-- asset.export("Kernels", Kernels .. '/mar097.bsp')
-diff --git a/data/assets/scene/solarsystem/planets/neptune/nep081.asset b/data/assets/scene/solarsystem/planets/neptune/nep081.asset
-index e9c49ce..cfb5fac 100755
---- a/data/assets/scene/solarsystem/planets/neptune/nep081.asset
-+++ b/data/assets/scene/solarsystem/planets/neptune/nep081.asset
-@@ -1,8 +1,8 @@
--local Kernels = asset.syncedResource({
-- Name = "Neptune Spice Kernels (nep081)",
-- Type = "TorrentSynchronization",
-- Identifier = "nep081",
-- Magnet = "magnet:?xt=urn:btih:A6079CF8D4BF3B6BB38F4F9F633CB7724FF91693&dn=nep081.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
--})
-+-- local Kernels = asset.syncedResource({
-+-- Name = "Neptune Spice Kernels (nep081)",
-+-- Type = "TorrentSynchronization",
-+-- Identifier = "nep081",
-+-- Magnet = "magnet:?xt=urn:btih:A6079CF8D4BF3B6BB38F4F9F633CB7724FF91693&dn=nep081.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
-+-- })
-
--asset.export("Kernels", Kernels .. '/nep081.bsp')
-+-- asset.export("Kernels", Kernels .. '/nep081.bsp')
-diff --git a/data/assets/scene/solarsystem/planets/saturn/sat375.asset b/data/assets/scene/solarsystem/planets/saturn/sat375.asset
-index a55f2ed..f904b3c 100755
---- a/data/assets/scene/solarsystem/planets/saturn/sat375.asset
-+++ b/data/assets/scene/solarsystem/planets/saturn/sat375.asset
-@@ -1,8 +1,8 @@
--local Kernels = asset.syncedResource({
-- Name = "Saturn Spice Kernels (sat375)",
-- Type = "TorrentSynchronization",
-- Identifier = "sat375",
-- Magnet = "magnet:?xt=urn:btih:79083d2069df389e65d7688bb326c7aaf1953845&dn=sat375.bsp"
--})
-+-- local Kernels = asset.syncedResource({
-+-- Name = "Saturn Spice Kernels (sat375)",
-+-- Type = "TorrentSynchronization",
-+-- Identifier = "sat375",
-+-- Magnet = "magnet:?xt=urn:btih:79083d2069df389e65d7688bb326c7aaf1953845&dn=sat375.bsp"
-+-- })
-
--asset.export("Kernels", Kernels .. '/sat375.bsp')
-+-- asset.export("Kernels", Kernels .. '/sat375.bsp')
-diff --git a/data/assets/scene/solarsystem/planets/uranus/ura111.asset b/data/assets/scene/solarsystem/planets/uranus/ura111.asset
-index 665d059..8f95f34 100755
---- a/data/assets/scene/solarsystem/planets/uranus/ura111.asset
-+++ b/data/assets/scene/solarsystem/planets/uranus/ura111.asset
-@@ -1,8 +1,8 @@
--local Kernels = asset.syncedResource({
-- Name = "Uranus Spice Kernels (ura111)",
-- Type = "TorrentSynchronization",
-- Identifier = "ura111",
-- Magnet = "magnet:?xt=urn:btih:26C4903D1A12AE439480F31B45BAEB5781D2B305&dn=ura111.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
--})
-+-- local Kernels = asset.syncedResource({
-+-- Name = "Uranus Spice Kernels (ura111)",
-+-- Type = "TorrentSynchronization",
-+-- Identifier = "ura111",
-+-- Magnet = "magnet:?xt=urn:btih:26C4903D1A12AE439480F31B45BAEB5781D2B305&dn=ura111.bsp&tr=udp%3a%2f%2ftracker.openbittorrent.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.publicbt.com%3a80%2fannounce&tr=udp%3a%2f%2ftracker.ccc.de%3a80%2fannounce"
-+-- })
-
--asset.export("Kernels", Kernels .. '/ura111.bsp')
-+-- asset.export("Kernels", Kernels .. '/ura111.bsp')
diff --git a/pkgs/applications/science/astronomy/openspace/config.patch b/pkgs/applications/science/astronomy/openspace/config.patch
deleted file mode 100644
index 826edea09071..000000000000
--- a/pkgs/applications/science/astronomy/openspace/config.patch
+++ /dev/null
@@ -1,49 +0,0 @@
-diff --git a/openspace.cfg b/openspace.cfg
-index c86830b..e7f89d9 100755
---- a/openspace.cfg
-+++ b/openspace.cfg
-@@ -2,18 +2,21 @@
- -- require('scripts/configuration_helper.lua')
- -- which defines helper functions useful to customize the configuration
-
-+userdir = os.getenv("HOME") .. "/.openspace/"
-+os.execute("mkdir -p " .. userdir)
-+
- return {
- -- Determines which SGCT configuration file is loaded, that is, if there rendering
- -- occurs in a single window, a fisheye projection, or a dome cluster system
-
- -- A regular 1280x720 window
-- SGCTConfig = sgct.config.single{},
-+ -- SGCTConfig = sgct.config.single{},
-
- -- A regular 1920x1080 window
- -- SGCTConfig = sgct.config.single{1920, 1080},
-
- -- A windowed 1920x1080 fullscreen
-- -- SGCTConfig = sgct.config.single{1920, 1080, border=false, windowPos={0,0}, shared=true, name="WV_OBS_SPOUT1"},
-+ SGCTConfig = sgct.config.single{1920, 1080, border=false, windowPos={0,0}, shared=true, name="WV_OBS_SPOUT1"},
-
- -- A 1k fisheye rendering
- -- SGCTConfig = sgct.config.fisheye{1024, 1024},
-@@ -53,15 +56,15 @@ return {
- TASKS = "${DATA}/tasks",
- WEB = "${DATA}/web",
-
-- CACHE = "${BASE}/cache",
-+ CACHE = userdir .. "cache",
- CONFIG = "${BASE}/config",
-- DOCUMENTATION = "${BASE}/documentation",
-- LOGS = "${BASE}/logs",
-+ DOCUMENTATION = userdir .. "documentation",
-+ LOGS = userdir .. "logs",
- MODULES = "${BASE}/modules",
- SCRIPTS = "${BASE}/scripts",
- SHADERS = "${BASE}/shaders",
-- SYNC = "${BASE}/sync",
-- TESTDIR = "${BASE}/tests"
-+ SYNC = userdir .. "sync",
-+ TESTDIR = userdir .. "tests"
- },
- Fonts = {
- Mono = "${FONTS}/Bitstream-Vera-Sans-Mono/VeraMono.ttf",
diff --git a/pkgs/applications/science/astronomy/openspace/constexpr.patch b/pkgs/applications/science/astronomy/openspace/constexpr.patch
deleted file mode 100644
index d9fc91d7c277..000000000000
--- a/pkgs/applications/science/astronomy/openspace/constexpr.patch
+++ /dev/null
@@ -1,91 +0,0 @@
-diff --git a/include/openspace/util/distanceconversion.h b/include/openspace/util/distanceconversion.h
-index 80a3a96..7059752 100755
---- a/include/openspace/util/distanceconversion.h
-+++ b/include/openspace/util/distanceconversion.h
-@@ -159,24 +159,34 @@ constexpr const char* nameForDistanceUnit(DistanceUnit unit, bool pluralForm = f
- }
-
- constexpr DistanceUnit distanceUnitFromString(const char* unitName) {
-+ int result = -1;
-+
- int i = 0;
- for (const char* val : DistanceUnitNamesSingular) {
- if (ghoul::equal(unitName, val)) {
-- return static_cast(i);
-+ result = i;
-+ break;
- }
- ++i;
- }
-
-- i = 0;
-- for (const char* val : DistanceUnitNamesPlural) {
-- if (ghoul::equal(unitName, val)) {
-- return static_cast(i);
-+ if (result == -1) {
-+ i = 0;
-+ for (const char* val : DistanceUnitNamesPlural) {
-+ if (ghoul::equal(unitName, val)) {
-+ result = i;
-+ break;
-+ }
-+ ++i;
- }
-- ++i;
- }
-
-- ghoul_assert(false, "Unit name is not a valid name");
-- throw ghoul::MissingCaseException();
-+ if (result != -1)
-+ return static_cast(result);
-+ else {
-+ ghoul_assert(false, "Unit name is not a valid name");
-+ throw ghoul::MissingCaseException();
-+ }
- }
-
-
-diff --git a/include/openspace/util/timeconversion.h b/include/openspace/util/timeconversion.h
-index a36c92a..699bca9 100755
---- a/include/openspace/util/timeconversion.h
-+++ b/include/openspace/util/timeconversion.h
-@@ -142,23 +142,32 @@ constexpr const char* nameForTimeUnit(TimeUnit unit, bool pluralForm = false) {
- }
-
- constexpr TimeUnit timeUnitFromString(const char* unitName) {
-+ int result = -1;
-+
- int i = 0;
- for (const char* val : TimeUnitNamesSingular) {
- if (ghoul::equal(unitName, val)) {
-- return static_cast(i);
-+ result = i;
-+ break;
- }
- ++i;
- }
-
-- i = 0;
-- for (const char* val : TimeUnitNamesPlural) {
-- if (ghoul::equal(unitName, val)) {
-- return static_cast(i);
-+ if (result == -1) {
-+ i = 0;
-+ for (const char* val : TimeUnitNamesPlural) {
-+ if (ghoul::equal(unitName, val)) {
-+ result = i;
-+ break;
-+ }
-+ ++i;
- }
-- ++i;
- }
-
-- throw ghoul::MissingCaseException();
-+ if (result != -1)
-+ return static_cast(result);
-+ else
-+ throw ghoul::MissingCaseException();
- }
-
- std::pair simplifyTime(double seconds,
diff --git a/pkgs/applications/science/astronomy/openspace/default.nix b/pkgs/applications/science/astronomy/openspace/default.nix
deleted file mode 100644
index 17c721ac8693..000000000000
--- a/pkgs/applications/science/astronomy/openspace/default.nix
+++ /dev/null
@@ -1,90 +0,0 @@
-{ lib, stdenv, fetchFromGitHub, fetchurl, makeWrapper, cmake
-, curl, boost, gdal, glew, soil
-, libX11, libXi, libXxf86vm, libXcursor, libXrandr, libXinerama }:
-
-stdenv.mkDerivation rec {
- version = "0.11.1";
- pname = "openspace";
-
- src = fetchFromGitHub {
- owner = "OpenSpace";
- repo = "OpenSpace";
- rev = "a65eea61a1b8807ce3d69e9925e75f8e3dfb085d";
- sha256 = "0msqixf30r0d41xmfmzkdfw6w9jkx2ph5clq8xiwrg1jc3z9q7nv";
- fetchSubmodules = true;
- };
-
- nativeBuildInputs = [ cmake makeWrapper ];
- buildInputs = [
- curl boost gdal glew soil
- libX11 libXi libXxf86vm libXcursor libXrandr libXinerama
- ];
-
- glmPlatformH = fetchurl {
- url = "https://raw.githubusercontent.com/g-truc/glm/dd48b56e44d699a022c69155c8672caacafd9e8a/glm/simd/platform.h";
- sha256 = "0y91hlbgn5va7ijg5mz823gqkq9hqxl00lwmdwnf8q2g086rplzw";
- };
-
- # See
- prePatch = ''
- cp ${glmPlatformH} ext/sgct/include/glm/simd/platform.h
- cp ${glmPlatformH} ext/ghoul/ext/glm/glm/simd/platform.h
- '';
-
- patches = [
- # See
- ./vrpn.patch
-
- ./constexpr.patch
- ./config.patch
-
- # WARNING: This patch disables some slow torrents in a very dirty way.
- ./assets.patch
- ];
-
- bundle = "$out/usr/share/openspace";
-
- preConfigure = ''
- cmakeFlagsArray=(
- $cmakeFlagsArray
- "-DCMAKE_BUILD_TYPE="
- "-DCMAKE_INSTALL_PREFIX=${bundle}"
- )
- '';
-
- preInstall = ''
- mkdir -p $out/bin
- mkdir -p ${bundle}
- '';
-
- postInstall = ''
- cp ext/spice/libSpice.so ${bundle}/lib
- cp ext/ghoul/ext/lua/libLua.so ${bundle}/lib
- '';
-
- postFixup = ''
- for bin in ${bundle}/bin/*
- do
- rpath=$(patchelf --print-rpath $bin)
- patchelf --set-rpath $rpath:${bundle}/lib $bin
-
- name=$(basename $bin)
- makeWrapper $bin $out/bin/$name --run "cd ${bundle}"
- done
- '';
-
- meta = {
- description = "Open-source astrovisualization project";
- longDescription = ''
- OpenSpace is open source interactive data visualization software
- designed to visualize the entire known universe and portray our
- ongoing efforts to investigate the cosmos.
-
- WARNING: This build is not very usable for now.
- '';
- homepage = "https://www.openspaceproject.com/";
- license = lib.licenses.mit;
- platforms = lib.platforms.linux;
- broken = true; # fails to build
- };
-}
diff --git a/pkgs/applications/science/astronomy/openspace/vrpn.patch b/pkgs/applications/science/astronomy/openspace/vrpn.patch
deleted file mode 100644
index 9386d0257b7f..000000000000
--- a/pkgs/applications/science/astronomy/openspace/vrpn.patch
+++ /dev/null
@@ -1,13 +0,0 @@
-diff --git a/ext/sgct/src/deps/vrpn/vrpn_Connection.C b/ext/sgct/src/deps/vrpn/vrpn_Connection.C
-index d6ffdc5..f90a2b2 100755
---- a/ext/sgct/src/deps/vrpn/vrpn_Connection.C
-+++ b/ext/sgct/src/deps/vrpn/vrpn_Connection.C
-@@ -2489,7 +2489,7 @@ static int vrpn_start_server(const char *machine, char *server_name, char *args,
- #if defined(sparc) || defined(FreeBSD) || defined(_AIX) || defined(__ANDROID__)
- int status; // doesn't exist on sparc_solaris or FreeBSD
- #else
-- union wait status;
-+ int status;
- #endif
-
- /* Check to see if they called back yet. */
diff --git a/pkgs/applications/science/biology/ncbi-tools/default.nix b/pkgs/applications/science/biology/ncbi-tools/default.nix
deleted file mode 100644
index dff041971ea7..000000000000
--- a/pkgs/applications/science/biology/ncbi-tools/default.nix
+++ /dev/null
@@ -1,34 +0,0 @@
-{stdenv, fetchurl, cpio}:
-
-# The NCBI package only builds on 32bits - on 64bits it breaks because
-# of position dependent code. Debian packagers have written replacement
-# make files(!). Either we use these, or negotiate a version which can
-# be pushed upstream to NCBI.
-#
-# Another note: you may want the older and deprecated C-libs at ftp://ftp.ncbi.nih.gov/toolbox/ncbi_tools++/2008/Mar_17_2008/NCBI_C_Toolkit/ncbi_c--Mar_17_2008.tar.gz
-
-stdenv.mkDerivation rec {
- pname = "ncbi_tools";
- version = "Dec_31_2008";
- src = fetchurl {
- url = "ftp://ftp.ncbi.nih.gov/toolbox/ncbi_tools++/2008/${version}/ncbi_cxx--${version}.tar.gz";
- sha256 = "1b2v0dcdqn3bysgdkj57sxmd6s0hc9wpnxssviz399g6plhxggbr";
- };
-
- configureFlags = [
- "--without-debug"
- "--with-bin-release"
- "--with-dll"
- "--without-static"
- ];
- buildInputs = [ cpio ];
-
- meta = {
- description = "NCBI Bioinformatics toolbox (incl. BLAST)";
- longDescription = "The NCBI Bioinformatics toolsbox, including command-line utilties, libraries and include files. No X11 support";
- homepage = "http://www.ncbi.nlm.nih.gov/IEB/ToolBox/";
- license = "GPL";
- priority = 5; # zlib.so gives a conflict with zlib
- broken = true;
- };
-}
diff --git a/pkgs/applications/science/logic/jonprl/default.nix b/pkgs/applications/science/logic/jonprl/default.nix
deleted file mode 100644
index 379a9a483540..000000000000
--- a/pkgs/applications/science/logic/jonprl/default.nix
+++ /dev/null
@@ -1,35 +0,0 @@
-{ fetchgit, lib, stdenv, smlnj, which }:
-
-stdenv.mkDerivation rec {
- pname = "jonprl";
- version = "0.1.0";
-
- src = fetchgit {
- url = "https://github.com/jonsterling/JonPRL.git";
- deepClone = true;
- rev = "refs/tags/v${version}";
- sha256 = "0czs13syvnw8fz24d075n4pmsyfs8rs8c7ksmvd7cgb3h55fvp4p";
- };
-
- buildInputs = [ smlnj which ];
-
- installPhase = ''
- mkdir -p "$out/bin"
- cp bin/.heapimg.* "$out/bin/"
- build/mkexec.sh "${smlnj}/bin/sml" "$out" jonprl
- '';
-
- meta = {
- description = "Proof Refinement Logic - Computational Type Theory";
- longDescription = ''
- An proof refinement logic for computational type theory
- based on Brouwer-realizability & meaning explanations.
- Inspired by Nuprl
- '';
- homepage = "https://github.com/jonsterling/JonPRL";
- license = lib.licenses.mit;
- maintainers = with lib.maintainers; [ puffnfresh ];
- platforms = lib.platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/applications/science/logic/lean2/default.nix b/pkgs/applications/science/logic/lean2/default.nix
deleted file mode 100644
index 24d11c3a5319..000000000000
--- a/pkgs/applications/science/logic/lean2/default.nix
+++ /dev/null
@@ -1,37 +0,0 @@
-{ lib, stdenv, fetchFromGitHub, cmake, gmp, mpfr, python2
-, gperftools, ninja, makeWrapper }:
-
-stdenv.mkDerivation {
- pname = "lean2";
- version = "2017-07-22";
-
- src = fetchFromGitHub {
- owner = "leanprover";
- repo = "lean2";
- rev = "34dbd6c3ae612186b8f0f80d12fbf5ae7a059ec9";
- sha256 = "1xv3j487zhh1zf2b4v19xzw63s2sgjhg8d62a0kxxyknfmdf3khl";
- };
-
- nativeBuildInputs = [ cmake makeWrapper ninja ];
- buildInputs = [ gmp mpfr python2 gperftools ];
-
- preConfigure = ''
- patchShebangs bin/leantags
- cd src
- '';
-
- cmakeFlags = [ "-GNinja" ];
-
- postInstall = ''
- wrapProgram $out/bin/linja --prefix PATH : $out/bin:${ninja}/bin
- '';
-
- meta = with lib; {
- description = "Automatic and interactive theorem prover (version with HoTT support)";
- homepage = "http://leanprover.github.io";
- license = licenses.asl20;
- platforms = platforms.unix;
- maintainers = with maintainers; [ thoughtpolice gebner ];
- broken = true;
- };
-}
diff --git a/pkgs/applications/science/logic/otter/default.nix b/pkgs/applications/science/logic/otter/default.nix
deleted file mode 100644
index 2ad066e53f74..000000000000
--- a/pkgs/applications/science/logic/otter/default.nix
+++ /dev/null
@@ -1,53 +0,0 @@
-{lib, stdenv, fetchurl, tcsh, libXaw, libXt, libX11}:
-let
- s = # Generated upstream information
- rec {
- version = "3.3f";
- name = "otter";
- url = "https://www.cs.unm.edu/~mccune/otter/otter-${version}.tar.gz";
- sha256 = "16mc1npl7sk9cmqhrf3ghfmvx29inijw76f1b1lsykllaxjqqb1r";
- };
- buildInputs = [
- tcsh libXaw libXt libX11
- ];
-in
-stdenv.mkDerivation {
- name = "${s.name}-${s.version}";
- inherit buildInputs;
- src = fetchurl {
- inherit (s) url sha256;
- };
-
- hardeningDisable = [ "format" ];
-
- buildPhase = ''
- find . -name Makefile | xargs sed -i -e "s@/bin/rm@$(type -P rm)@g"
- find . -name Makefile | xargs sed -i -e "s@/bin/mv@$(type -P mv)@g"
- find . -perm -0100 -type f | xargs sed -i -e "s@/bin/csh@$(type -P csh)@g"
- find . -perm -0100 -type f | xargs sed -i -e "s@/bin/rm@$(type -P rm)@g"
- find . -perm -0100 -type f | xargs sed -i -e "s@/bin/mv@$(type -P mv)@g"
-
- sed -i -e "s/^XLIBS *=.*/XLIBS=-lXaw -lXt -lX11/" source/formed/Makefile
-
- make all
- make -C examples all
- make -C examples-mace2 all
- make -C source/formed realclean
- make -C source/formed formed
- '';
-
- installPhase = ''
- mkdir -p "$out"/{bin,share/otter}
- cp bin/* source/formed/formed "$out/bin/"
- cp -r examples examples-mace2 documents README* Legal Changelog Contents index.html "$out/share/otter/"
- '';
-
- meta = {
- inherit (s) version;
- description = "A reliable first-order theorem prover";
- license = lib.licenses.publicDomain ;
- maintainers = [lib.maintainers.raskin];
- platforms = lib.platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/applications/science/misc/openmvs/default.nix b/pkgs/applications/science/misc/openmvs/default.nix
deleted file mode 100644
index a92920c5e795..000000000000
--- a/pkgs/applications/science/misc/openmvs/default.nix
+++ /dev/null
@@ -1,77 +0,0 @@
-{ lib
-, stdenv
-, fetchFromGitHub
-, pkg-config
-, cmake
-, eigen
-, opencv
-, ceres-solver
-, cgal
-, boost
-, vcg
-, gmp
-, mpfr
-, glog
-, gflags
-, libjpeg_turbo
-}:
-
-stdenv.mkDerivation {
- pname = "openmvs";
- version = "unstable-2018-05-26";
-
- src = fetchFromGitHub {
- owner = "cdcseacave";
- repo = "openmvs";
- rev = "939033c55b50478339084431aac2c2318041afad";
- sha256 = "12dgkwwfdp24581y3i41gsd1k9hq0aw917q0ja5s0if4qbmc8pni";
- };
-
- buildInputs = [ eigen opencv ceres-solver cgal boost vcg gmp mpfr glog gflags libjpeg_turbo ];
-
- nativeBuildInputs = [ cmake pkg-config ];
-
- preConfigure = ''
- cmakeFlagsArray=(
- $cmakeFlagsArray
- "-DCMAKE_CXX_FLAGS=-std=c++11"
- "-DBUILD_SHARED_LIBS=ON"
- "-DBUILD_STATIC_RUNTIME=ON"
- "-DINSTALL_BIN_DIR=$out/bin"
- "-DVCG_DIR=${vcg}"
- "-DCGAL_ROOT=${cgal}/lib/cmake/CGAL"
- "-DCERES_DIR=${ceres-solver}/lib/cmake/Ceres/"
- )
- '';
-
- postFixup = ''
- rp=$(patchelf --print-rpath $out/bin/DensifyPointCloud)
- patchelf --set-rpath $rp:$out/lib/OpenMVS $out/bin/DensifyPointCloud
-
- rp=$(patchelf --print-rpath $out/bin/InterfaceVisualSFM)
- patchelf --set-rpath $rp:$out/lib/OpenMVS $out/bin/InterfaceVisualSFM
-
- rp=$(patchelf --print-rpath $out/bin/ReconstructMesh)
- patchelf --set-rpath $rp:$out/lib/OpenMVS $out/bin/ReconstructMesh
-
- rp=$(patchelf --print-rpath $out/bin/RefineMesh)
- patchelf --set-rpath $rp:$out/lib/OpenMVS $out/bin/RefineMesh
-
- rp=$(patchelf --print-rpath $out/bin/TextureMesh)
- patchelf --set-rpath $rp:$out/lib/OpenMVS $out/bin/TextureMesh
- '';
-
- cmakeDir = "./";
-
- dontUseCmakeBuildDir = true;
-
- meta = with lib; {
- description = "A library for computer-vision scientists and especially targeted to the Multi-View Stereo reconstruction community";
- homepage = "http://cdcseacave.github.io/openMVS/";
- license = licenses.agpl3;
- platforms = platforms.linux;
- maintainers = with maintainers; [ mdaiter ];
- # 20190414-174115: CMake cannot find CGAL which is passed as build input
- broken = true;
- };
-}
diff --git a/pkgs/applications/version-management/bitkeeper/default.nix b/pkgs/applications/version-management/bitkeeper/default.nix
deleted file mode 100644
index c185a4fb759b..000000000000
--- a/pkgs/applications/version-management/bitkeeper/default.nix
+++ /dev/null
@@ -1,56 +0,0 @@
-{ lib, stdenv, fetchurl, perl, gperf, bison, groff
-, pkg-config, libXft, pcre
-, libtomcrypt, libtommath, lz4 }:
-
-stdenv.mkDerivation rec {
- pname = "bitkeeper";
- version = "7.3.1ce";
-
- src = fetchurl {
- url = "https://www.bitkeeper.org/downloads/${version}/bk-${version}.src.tar.gz";
- sha256 = "0l6jwvcg4s1q00vb01hdv58jgv03l8x5mhjl73cwgfiff80zx147";
- };
-
- hardeningDisable = [ "fortify" ];
-
- enableParallelBuilding = true;
-
- nativeBuildInputs = [ pkg-config ];
- buildInputs = [
- perl gperf bison groff libXft
- pcre libtomcrypt libtommath lz4
- ];
-
- postPatch = ''
- substituteInPlace port/unix_platform.sh \
- --replace /bin/rm rm
- substituteInPlace ./undo.c \
- --replace /bin/cat cat
- '';
-
- sourceRoot = "bk-${version}/src";
- buildPhase = ''
- make -j6 V=1 p
- make image
- '';
-
- installPhase = ''
- ./utils/bk-* $out/bitkeeper
- mkdir -p $out/bin
- $out/bitkeeper/bk links $out/bin
- chmod g-w $out
- '';
-
- meta = {
- description = "A distributed version control system";
- longDescription = ''
- BitKeeper is a fast, enterprise-ready, distributed SCM that
- scales up to very large projects and down to tiny ones.
- '';
- homepage = "https://www.bitkeeper.org/";
- license = lib.licenses.asl20;
- platforms = lib.platforms.linux;
- maintainers = with lib.maintainers; [ wscott thoughtpolice ];
- broken = true; # seems to fail on recent glibc versions
- };
-}
diff --git a/pkgs/applications/version-management/git-and-tools/git-dit/default.nix b/pkgs/applications/version-management/git-and-tools/git-dit/default.nix
deleted file mode 100644
index f1aeda1a5c7b..000000000000
--- a/pkgs/applications/version-management/git-and-tools/git-dit/default.nix
+++ /dev/null
@@ -1,58 +0,0 @@
-{ lib, stdenv
-, fetchFromGitHub
-, openssl_1_0_2
-, zlib
-, libssh
-, cmake
-, perl
-, pkg-config
-, rustPlatform
-, curl
-, libiconv
-, CoreFoundation
-, Security
-}:
-
-with rustPlatform;
-
-buildRustPackage rec {
- pname = "git-dit";
- version = "0.4.0";
-
- src = fetchFromGitHub {
- owner = "neithernut";
- repo = "git-dit";
- rev = "v${version}";
- sha256 = "1sx6sc2dj3l61gbiqz8vfyhw5w4xjdyfzn1ixz0y8ipm579yc7a2";
- };
-
- cargoSha256 = "1vbcwl4aii0x4l8w9jhm70vi4s95jr138ly65jpkkv26rl6zjiph";
-
- nativeBuildInputs = [
- cmake
- pkg-config
- perl
- ];
-
- buildInputs = [
- openssl_1_0_2
- libssh
- zlib
- ] ++ lib.optionals (stdenv.isDarwin) [
- curl
- libiconv
- CoreFoundation
- Security
- ];
-
- meta = with lib; {
- inherit (src.meta) homepage;
- description = "Decentralized Issue Tracking for git";
- # This has not had a release in years and its cargo vendored dependencies
- # fail to compile. It also depends on an unsupported openssl:
- # https://github.com/NixOS/nixpkgs/issues/77503
- broken = true;
- license = licenses.gpl2;
- maintainers = with maintainers; [ Profpatsch matthiasbeyer ];
- };
-}
diff --git a/pkgs/applications/window-managers/clfswm/default.nix b/pkgs/applications/window-managers/clfswm/default.nix
deleted file mode 100644
index 9984e8788460..000000000000
--- a/pkgs/applications/window-managers/clfswm/default.nix
+++ /dev/null
@@ -1,51 +0,0 @@
-{ lib, stdenv, fetchgit, autoconf, sbcl, lispPackages, xdpyinfo, texinfo4
-, makeWrapper }:
-
-stdenv.mkDerivation {
- pname = "clfswm";
- version = "unstable-2016-11-12";
-
- src = fetchgit {
- url = "https://gitlab.common-lisp.net/clfswm/clfswm.git";
- rev = "3c7721dba6339ebb4f8c8d7ce2341740fa86f837";
- sha256 = "0hynzh3a1zr719cxfb0k4cvh5lskzs616hwn7p942isyvhwzhynd";
- };
-
- buildInputs = [
- texinfo4 makeWrapper autoconf
- sbcl
- lispPackages.clx
- lispPackages.cl-ppcre
- xdpyinfo
- ];
-
- patches = [ ./require-clx.patch ];
-
- # Stripping destroys the generated SBCL image
- dontStrip = true;
-
- configurePhase = ''
- substituteInPlace load.lisp --replace \
- ";; (setf *contrib-dir* \"/usr/local/lib/clfswm/\")" \
- "(setf *contrib-dir* \"$out/lib/clfswm/\")"
- '';
-
- installPhase = ''
- mkdir -pv $out/bin
- make DESTDIR=$out install
-
- # Paths in the compressed image $out/bin/clfswm are not
- # recognized by Nix. Add explicit reference here.
- mkdir $out/nix-support
- echo ${xdpyinfo} ${lispPackages.clx} ${lispPackages.cl-ppcre} > $out/nix-support/depends
- '';
-
- meta = with lib; {
- description = "A(nother) Common Lisp FullScreen Window Manager";
- homepage = "https://common-lisp.net/project/clfswm/";
- license = licenses.gpl3;
- maintainers = with maintainers; [ robgssp ];
- platforms = platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/applications/window-managers/clfswm/require-clx.patch b/pkgs/applications/window-managers/clfswm/require-clx.patch
deleted file mode 100644
index ae2234461d25..000000000000
--- a/pkgs/applications/window-managers/clfswm/require-clx.patch
+++ /dev/null
@@ -1,13 +0,0 @@
-diff --git a/load.lisp b/load.lisp
-index c8c4cf0..8c9ca2e 100644
---- a/load.lisp
-+++ b/load.lisp
-@@ -111,6 +111,8 @@ from $XDG_CONFIG_HOME/clfswm/clfswmrc")
- ;;;------------------
- (load-info "Requiring CLX")
-
-+(require 'clx)
-+
- ;;; Loading clisp dynamic module. This part needs clisp >= 2.50
- ;;#+(AND CLISP (not CLX))
- ;;(when (fboundp 'require)
diff --git a/pkgs/build-support/docker/default.nix b/pkgs/build-support/docker/default.nix
index 5718cadd4ffa..96ea363c811e 100644
--- a/pkgs/build-support/docker/default.nix
+++ b/pkgs/build-support/docker/default.nix
@@ -6,6 +6,7 @@
, coreutils
, e2fsprogs
, fakechroot
+, fakeNss
, fakeroot
, findutils
, go
@@ -747,25 +748,7 @@ rec {
# Useful when packaging binaries that insist on using nss to look up
# username/groups (like nginx).
# /bin/sh is fine to not exist, and provided by another shim.
- fakeNss = symlinkJoin {
- name = "fake-nss";
- paths = [
- (writeTextDir "etc/passwd" ''
- root:x:0:0:root user:/var/empty:/bin/sh
- nobody:x:65534:65534:nobody:/var/empty:/bin/sh
- '')
- (writeTextDir "etc/group" ''
- root:x:0:
- nobody:x:65534:
- '')
- (writeTextDir "etc/nsswitch.conf" ''
- hosts: files dns
- '')
- (runCommand "var-empty" { } ''
- mkdir -p $out/var/empty
- '')
- ];
- };
+ inherit fakeNss; # alias
# This provides a /usr/bin/env, for shell scripts using the
# "#!/usr/bin/env executable" shebang.
diff --git a/pkgs/build-support/fake-nss/default.nix b/pkgs/build-support/fake-nss/default.nix
new file mode 100644
index 000000000000..9e0b60133e00
--- /dev/null
+++ b/pkgs/build-support/fake-nss/default.nix
@@ -0,0 +1,24 @@
+# Provide a /etc/passwd and /etc/group that contain root and nobody.
+# Useful when packaging binaries that insist on using nss to look up
+# username/groups (like nginx).
+# /bin/sh is fine to not exist, and provided by another shim.
+{ symlinkJoin, writeTextDir, runCommand }:
+symlinkJoin {
+ name = "fake-nss";
+ paths = [
+ (writeTextDir "etc/passwd" ''
+ root:x:0:0:root user:/var/empty:/bin/sh
+ nobody:x:65534:65534:nobody:/var/empty:/bin/sh
+ '')
+ (writeTextDir "etc/group" ''
+ root:x:0:
+ nobody:x:65534:
+ '')
+ (writeTextDir "etc/nsswitch.conf" ''
+ hosts: files dns
+ '')
+ (runCommand "var-empty" { } ''
+ mkdir -p $out/var/empty
+ '')
+ ];
+}
diff --git a/pkgs/build-support/kernel/make-initrd-ng-tool.nix b/pkgs/build-support/kernel/make-initrd-ng-tool.nix
new file mode 100644
index 000000000000..66ffc09d43cf
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng-tool.nix
@@ -0,0 +1,9 @@
+{ rustPlatform }:
+
+rustPlatform.buildRustPackage {
+ pname = "make-initrd-ng";
+ version = "0.1.0";
+
+ src = ./make-initrd-ng;
+ cargoLock.lockFile = ./make-initrd-ng/Cargo.lock;
+}
diff --git a/pkgs/build-support/kernel/make-initrd-ng.nix b/pkgs/build-support/kernel/make-initrd-ng.nix
new file mode 100644
index 000000000000..9fd202c44847
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng.nix
@@ -0,0 +1,79 @@
+let
+ # Some metadata on various compression programs, relevant to naming
+ # the initramfs file and, if applicable, generating a u-boot image
+ # from it.
+ compressors = import ./initrd-compressor-meta.nix;
+ # Get the basename of the actual compression program from the whole
+ # compression command, for the purpose of guessing the u-boot
+ # compression type and filename extension.
+ compressorName = fullCommand: builtins.elemAt (builtins.match "([^ ]*/)?([^ ]+).*" fullCommand) 1;
+in
+{ stdenvNoCC, perl, cpio, ubootTools, lib, pkgsBuildHost, makeInitrdNGTool, patchelf, runCommand, glibc
+# Name of the derivation (not of the resulting file!)
+, name ? "initrd"
+
+# Program used to compress the cpio archive; use "cat" for no compression.
+# This can also be a function which takes a package set and returns the path to the compressor,
+# such as `pkgs: "${pkgs.lzop}/bin/lzop"`.
+, compressor ? "gzip"
+, _compressorFunction ?
+ if lib.isFunction compressor then compressor
+ else if ! builtins.hasContext compressor && builtins.hasAttr compressor compressors then compressors.${compressor}.executable
+ else _: compressor
+, _compressorExecutable ? _compressorFunction pkgsBuildHost
+, _compressorName ? compressorName _compressorExecutable
+, _compressorMeta ? compressors.${_compressorName} or {}
+
+# List of arguments to pass to the compressor program, or null to use its defaults
+, compressorArgs ? null
+, _compressorArgsReal ? if compressorArgs == null then _compressorMeta.defaultArgs or [] else compressorArgs
+
+# Filename extension to use for the compressed initramfs. This is
+# included for clarity, but $out/initrd will always be a symlink to
+# the final image.
+# If this isn't guessed, you may want to complete the metadata above and send a PR :)
+, extension ? _compressorMeta.extension or
+ (throw "Unrecognised compressor ${_compressorName}, please specify filename extension")
+
+# List of { object = path_or_derivation; symlink = "/path"; }
+# The paths are copied into the initramfs in their nix store path
+# form, then linked at the root according to `symlink`.
+, contents
+
+# List of uncompressed cpio files to prepend to the initramfs. This
+# can be used to add files in specified paths without them becoming
+# symlinks to store paths.
+, prepend ? []
+
+# Whether to wrap the initramfs in a u-boot image.
+, makeUInitrd ? stdenvNoCC.hostPlatform.linux-kernel.target == "uImage"
+
+# If generating a u-boot image, the architecture to use. The default
+# guess may not align with u-boot's nomenclature correctly, so it can
+# be overridden.
+# See https://gitlab.denx.de/u-boot/u-boot/-/blob/9bfb567e5f1bfe7de8eb41f8c6d00f49d2b9a426/common/image.c#L81-106 for a list.
+, uInitrdArch ? stdenvNoCC.hostPlatform.linuxArch
+
+# The name of the compression, as recognised by u-boot.
+# See https://gitlab.denx.de/u-boot/u-boot/-/blob/9bfb567e5f1bfe7de8eb41f8c6d00f49d2b9a426/common/image.c#L195-204 for a list.
+# If this isn't guessed, you may want to complete the metadata above and send a PR :)
+, uInitrdCompression ? _compressorMeta.ubootName or
+ (throw "Unrecognised compressor ${_compressorName}, please specify uInitrdCompression")
+}: runCommand name {
+ compress = "${_compressorExecutable} ${lib.escapeShellArgs _compressorArgsReal}";
+ passthru = {
+ compressorExecutableFunction = _compressorFunction;
+ compressorArgs = _compressorArgsReal;
+ };
+
+ passAsFile = ["contents"];
+ contents = lib.concatMapStringsSep "\n" ({ object, symlink, ... }: "${object}\n${if symlink == null then "" else symlink}") contents + "\n";
+
+ nativeBuildInputs = [makeInitrdNGTool patchelf glibc cpio];
+} ''
+ mkdir ./root
+ make-initrd-ng "$contentsPath" ./root
+ mkdir "$out"
+ (cd root && find * .[^.*] -exec touch -h -d '@1' '{}' +)
+ (cd root && find * .[^.*] -print0 | sort -z | cpio -o -H newc -R +0:+0 --reproducible --null | eval -- $compress >> "$out/initrd")
+''
diff --git a/pkgs/build-support/kernel/make-initrd-ng/Cargo.lock b/pkgs/build-support/kernel/make-initrd-ng/Cargo.lock
new file mode 100644
index 000000000000..75e732029b51
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng/Cargo.lock
@@ -0,0 +1,5 @@
+# This file is automatically @generated by Cargo.
+# It is not intended for manual editing.
+[[package]]
+name = "make-initrd-ng"
+version = "0.1.0"
diff --git a/pkgs/build-support/kernel/make-initrd-ng/Cargo.toml b/pkgs/build-support/kernel/make-initrd-ng/Cargo.toml
new file mode 100644
index 000000000000..9076f6b15617
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng/Cargo.toml
@@ -0,0 +1,9 @@
+[package]
+name = "make-initrd-ng"
+version = "0.1.0"
+authors = ["Will Fancher "]
+edition = "2018"
+
+# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
+
+[dependencies]
diff --git a/pkgs/build-support/kernel/make-initrd-ng/README.md b/pkgs/build-support/kernel/make-initrd-ng/README.md
new file mode 100644
index 000000000000..741eba67e43f
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng/README.md
@@ -0,0 +1,79 @@
+# What is this for?
+
+NixOS's traditional initrd is generated by listing the paths that
+should be included in initrd and copying the full runtime closure of
+those paths into the archive. For most things, like almost any
+executable, this involves copying the entirety of huge packages like
+glibc, when only things like the shared library files are needed. To
+solve this, NixOS does a variety of patchwork to edit the files being
+copied in so they only refer to small, patched up paths. For instance,
+executables and their shared library dependencies are copied into an
+`extraUtils` derivation, and every ELF file is patched to refer to
+files in that output.
+
+The problem with this is that it is often difficult to correctly patch
+some things. For instance, systemd bakes the path to the `mount`
+command into the binary, so patchelf is no help. Instead, it's very
+often easier to simply copy the desired files to their original store
+locations in initrd and not copy their entire runtime closure. This
+does mean that it is the burden of the developer to ensure that all
+necessary dependencies are copied in, as closures won't be
+consulted. However, it is rare that full closures are actually
+desirable, so in the traditional initrd, the developer was likely to
+do manual work on patching the dependencies explicitly anyway.
+
+# How it works
+
+This program is similar to its inspiration (`find-libs` from the
+traditional initrd), except that it also handles symlinks and
+directories according to certain rules. As input, it receives a
+sequence of pairs of paths. The first path is an object to copy into
+initrd. The second path (if not empty) is the path to a symlink that
+should be placed in the initrd, pointing to that object. How that
+object is copied depends on its type.
+
+1. A regular file is copied directly to the same absolute path in the
+ initrd.
+
+ - If it is *also* an ELF file, then all of its direct shared
+ library dependencies are also listed as objects to be copied.
+
+2. A directory's direct children are listed as objects to be copied,
+ and a directory at the same absolute path in the initrd is created.
+
+3. A symlink's target is listed as an object to be copied.
+
+There are a couple of quirks to mention here. First, the term "object"
+refers to the final file path that the developer intends to have
+copied into initrd. This means any parent directory is not considered
+an object just because its child was listed as an object in the
+program input; instead those intermediate directories are simply
+created in support of the target object. Second, shared libraries,
+directory children, and symlink targets aren't immediately recursed,
+because they simply get listed as objects themselves, and are
+therefore traversed when they themselves are processed. Finally,
+symlinks in the intermediate directories leading to an object are
+preserved, meaning an input object `/a/symlink/b` will just result in
+initrd containing `/a/symlink -> /target/b` and `/target/b`, even if
+`/target` has other children. Preserving symlinks in this manner is
+important for things like systemd.
+
+These rules automate the most important and obviously necessary
+copying that needs to be done in most cases, allowing programs and
+configuration files to go unpatched, while keeping the content of the
+initrd to a minimum.
+
+# Why Rust?
+
+- A prototype of this logic was written in Bash, in an attempt to keep
+ with its `find-libs` ancestor, but that program was difficult to
+ write, and ended up taking several minutes to run. This program runs
+ in less than a second, and the code is substantially easier to work
+ with.
+
+- This will not require end users to install a rust toolchain to use
+ NixOS, as long as this tool is cached by Hydra. And if you're
+ bootstrapping NixOS from source, rustc is already required anyway.
+
+- Rust was favored over Python for its type system, and because if you
+ want to go fast, why not go *really fast*?
diff --git a/pkgs/build-support/kernel/make-initrd-ng/src/main.rs b/pkgs/build-support/kernel/make-initrd-ng/src/main.rs
new file mode 100644
index 000000000000..1342734590f7
--- /dev/null
+++ b/pkgs/build-support/kernel/make-initrd-ng/src/main.rs
@@ -0,0 +1,208 @@
+use std::collections::{HashSet, VecDeque};
+use std::env;
+use std::ffi::OsStr;
+use std::fs;
+use std::hash::Hash;
+use std::io::{BufReader, BufRead, Error, ErrorKind};
+use std::os::unix;
+use std::path::{Component, Path, PathBuf};
+use std::process::{Command, Stdio};
+
+struct NonRepeatingQueue {
+ queue: VecDeque,
+ seen: HashSet,
+}
+
+impl NonRepeatingQueue {
+ fn new() -> NonRepeatingQueue {
+ NonRepeatingQueue {
+ queue: VecDeque::new(),
+ seen: HashSet::new(),
+ }
+ }
+}
+
+impl NonRepeatingQueue {
+ fn push_back(&mut self, value: T) -> bool {
+ if self.seen.contains(&value) {
+ false
+ } else {
+ self.seen.insert(value.clone());
+ self.queue.push_back(value);
+ true
+ }
+ }
+
+ fn pop_front(&mut self) -> Option {
+ self.queue.pop_front()
+ }
+}
+
+fn patch_elf, P: AsRef>(mode: S, path: P) -> Result {
+ let output = Command::new("patchelf")
+ .arg(&mode)
+ .arg(&path)
+ .stderr(Stdio::inherit())
+ .output()?;
+ if output.status.success() {
+ Ok(String::from_utf8(output.stdout).expect("Failed to parse output"))
+ } else {
+ Err(Error::new(ErrorKind::Other, format!("failed: patchelf {:?} {:?}", OsStr::new(&mode), OsStr::new(&path))))
+ }
+}
+
+fn copy_file + AsRef, S: AsRef>(
+ source: P,
+ target: S,
+ queue: &mut NonRepeatingQueue>,
+) -> Result<(), Error> {
+ fs::copy(&source, target)?;
+
+ if !Command::new("ldd").arg(&source).output()?.status.success() {
+ //stdout(Stdio::inherit()).stderr(Stdio::inherit()).
+ println!("{:?} is not dynamically linked. Not recursing.", OsStr::new(&source));
+ return Ok(());
+ }
+
+ let rpath_string = patch_elf("--print-rpath", &source)?;
+ let needed_string = patch_elf("--print-needed", &source)?;
+ // Shared libraries don't have an interpreter
+ if let Ok(interpreter_string) = patch_elf("--print-interpreter", &source) {
+ queue.push_back(Box::from(Path::new(&interpreter_string.trim())));
+ }
+
+ let rpath = rpath_string.trim().split(":").map(|p| Box::::from(Path::new(p))).collect::>();
+
+ for line in needed_string.lines() {
+ let mut found = false;
+ for path in &rpath {
+ let lib = path.join(line);
+ if lib.exists() {
+ // No need to recurse. The queue will bring it back round.
+ queue.push_back(Box::from(lib.as_path()));
+ found = true;
+ break;
+ }
+ }
+ if !found {
+ // glibc makes it tricky to make this an error because
+ // none of the files have a useful rpath.
+ println!("Warning: Couldn't satisfy dependency {} for {:?}", line, OsStr::new(&source));
+ }
+ }
+
+ Ok(())
+}
+
+fn queue_dir>(
+ source: P,
+ queue: &mut NonRepeatingQueue>,
+) -> Result<(), Error> {
+ for entry in fs::read_dir(source)? {
+ let entry = entry?;
+ // No need to recurse. The queue will bring us back round here on its own.
+ queue.push_back(Box::from(entry.path().as_path()));
+ }
+
+ Ok(())
+}
+
+fn handle_path(
+ root: &Path,
+ p: &Path,
+ queue: &mut NonRepeatingQueue>,
+) -> Result<(), Error> {
+ let mut source = PathBuf::new();
+ let mut target = Path::new(root).to_path_buf();
+ let mut iter = p.components().peekable();
+ while let Some(comp) = iter.next() {
+ match comp {
+ Component::Prefix(_) => panic!("This tool is not meant for Windows"),
+ Component::RootDir => {
+ target.clear();
+ target.push(root);
+ source.clear();
+ source.push("/");
+ }
+ Component::CurDir => {}
+ Component::ParentDir => {
+ // Don't over-pop the target if the path has too many ParentDirs
+ if source.pop() {
+ target.pop();
+ }
+ }
+ Component::Normal(name) => {
+ target.push(name);
+ source.push(name);
+ let typ = fs::symlink_metadata(&source)?.file_type();
+ if typ.is_file() && !target.exists() {
+ copy_file(&source, &target, queue)?;
+ } else if typ.is_symlink() {
+ let link_target = fs::read_link(&source)?;
+
+ // Create the link, then push its target to the queue
+ if !target.exists() {
+ unix::fs::symlink(&link_target, &target)?;
+ }
+ source.pop();
+ source.push(link_target);
+ while let Some(c) = iter.next() {
+ source.push(c);
+ }
+ let link_target_path = source.as_path();
+ if link_target_path.exists() {
+ queue.push_back(Box::from(link_target_path));
+ }
+ break;
+ } else if typ.is_dir() {
+ if !target.exists() {
+ fs::create_dir(&target)?;
+ }
+
+ // Only recursively copy if the directory is the target object
+ if iter.peek().is_none() {
+ queue_dir(&source, queue)?;
+ }
+ }
+ }
+ }
+ }
+
+ Ok(())
+}
+
+fn main() -> Result<(), Error> {
+ let args: Vec = env::args().collect();
+ let input = fs::File::open(&args[1])?;
+ let output = &args[2];
+ let out_path = Path::new(output);
+
+ let mut queue = NonRepeatingQueue::>::new();
+
+ let mut lines = BufReader::new(input).lines();
+ while let Some(obj) = lines.next() {
+ // Lines should always come in pairs
+ let obj = obj?;
+ let sym = lines.next().unwrap()?;
+
+ let obj_path = Path::new(&obj);
+ queue.push_back(Box::from(obj_path));
+ if !sym.is_empty() {
+ println!("{} -> {}", &sym, &obj);
+ // We don't care about preserving symlink structure here
+ // nearly as much as for the actual objects.
+ let link_string = format!("{}/{}", output, sym);
+ let link_path = Path::new(&link_string);
+ let mut link_parent = link_path.to_path_buf();
+ link_parent.pop();
+ fs::create_dir_all(link_parent)?;
+ unix::fs::symlink(obj_path, link_path)?;
+ }
+ }
+ while let Some(obj) = queue.pop_front() {
+ println!("{:?}", obj);
+ handle_path(out_path, &*obj, &mut queue)?;
+ }
+
+ Ok(())
+}
diff --git a/pkgs/data/documentation/rnrs/r3rs.nix b/pkgs/data/documentation/rnrs/r3rs.nix
deleted file mode 100644
index d252a1680bd7..000000000000
--- a/pkgs/data/documentation/rnrs/r3rs.nix
+++ /dev/null
@@ -1,7 +0,0 @@
-{ fetchurl, stdenv, texinfo }:
-
-import ./common.nix {
- inherit fetchurl stdenv texinfo;
- revision = 3;
- sha256 = "0knrpkr74s8yn4xcqxkqpgxmzdmzrvahh1n1csqc1wwd2rb4vnpr";
-}
diff --git a/pkgs/data/misc/hackage/pin.json b/pkgs/data/misc/hackage/pin.json
index f3e784b47c6f..d6138cf23176 100644
--- a/pkgs/data/misc/hackage/pin.json
+++ b/pkgs/data/misc/hackage/pin.json
@@ -1,6 +1,6 @@
{
- "commit": "f504760b580057f368d85ed6f6c4e78a38968ff4",
- "url": "https://github.com/commercialhaskell/all-cabal-hashes/archive/f504760b580057f368d85ed6f6c4e78a38968ff4.tar.gz",
- "sha256": "0m3w7bawx0qxj2qn3yx1d4j90dq89k5c4604f6z38cxxx0rszmzj",
- "msg": "Update from Hackage at 2022-03-26T03:24:04Z"
+ "commit": "a02557e981025a281de13f66204c2cd2e788732f",
+ "url": "https://github.com/commercialhaskell/all-cabal-hashes/archive/a02557e981025a281de13f66204c2cd2e788732f.tar.gz",
+ "sha256": "0c6jg9s4p65ynkkk0z6p9q4whz5hs1vmbq8zsn7pavxkzwa8ych1",
+ "msg": "Update from Hackage at 2022-03-30T19:23:57Z"
}
diff --git a/pkgs/desktops/xfce/applications/xfce4-screensaver/default.nix b/pkgs/desktops/xfce/applications/xfce4-screensaver/default.nix
new file mode 100644
index 000000000000..4ac72b02da1a
--- /dev/null
+++ b/pkgs/desktops/xfce/applications/xfce4-screensaver/default.nix
@@ -0,0 +1,49 @@
+{ mkXfceDerivation
+, dbus-glib
+, garcon
+, glib
+, gtk3
+, libX11
+, libXScrnSaver
+, libXrandr
+, libwnck
+, libxfce4ui
+, libxklavier
+, pam
+, systemd
+, xfconf
+, lib
+}:
+
+mkXfceDerivation {
+ category = "apps";
+ pname = "xfce4-screensaver";
+ version = "4.16.0";
+
+ sha256 = "1vblqhhzhv85yd5bz1xg14yli82ys5qrjdcabg3l53glbk61n99p";
+
+ buildInputs = [
+ dbus-glib
+ garcon
+ glib
+ gtk3
+ libX11
+ libXScrnSaver
+ libXrandr
+ libwnck
+ libxfce4ui
+ libxklavier
+ pam
+ systemd
+ xfconf
+ ];
+
+ configureFlags = [ "--without-console-kit" ];
+
+ makeFlags = [ "DBUS_SESSION_SERVICE_DIR=$(out)/etc" ];
+
+ meta = {
+ description = "Screensaver for Xfce";
+ maintainers = with lib.maintainers; [ symphorien ];
+ };
+}
diff --git a/pkgs/desktops/xfce/default.nix b/pkgs/desktops/xfce/default.nix
index 0205a7226398..b181cc29c966 100644
--- a/pkgs/desktops/xfce/default.nix
+++ b/pkgs/desktops/xfce/default.nix
@@ -82,6 +82,8 @@ lib.makeScope pkgs.newScope (self: with self; {
xfce4-terminal = callPackage ./applications/xfce4-terminal { };
+ xfce4-screensaver = callPackage ./applications/xfce4-screensaver { };
+
xfce4-screenshooter = callPackage ./applications/xfce4-screenshooter {
inherit (pkgs.gnome) libsoup;
};
diff --git a/pkgs/development/compilers/aldor/default.nix b/pkgs/development/compilers/aldor/default.nix
deleted file mode 100644
index 11a2904f6086..000000000000
--- a/pkgs/development/compilers/aldor/default.nix
+++ /dev/null
@@ -1,54 +0,0 @@
-{ fetchFromGitHub, lib, stdenv, gmp, which, flex, bison, makeWrapper
-, autoconf, automake, libtool, jdk, perl }:
-
-stdenv.mkDerivation {
- pname = "aldor";
- version = "1.2.0";
-
- src = fetchFromGitHub {
- owner = "aldorlang";
- repo = "aldor";
- rev = "15471e75f3d65b93150f414ebcaf59a03054b68d";
- sha256 = "sha256-phKCghCeM+/QlxjIxfNQySo+5XMRqfOqlS9kgp07YKc=";
- };
-
- nativeBuildInputs = [ makeWrapper autoconf automake ];
- buildInputs = [ gmp which flex bison libtool jdk perl ];
-
- preConfigure = ''
- cd aldor ;
- ./autogen.sh ;
- '';
-
- postInstall = ''
- for prog in aldor unicl javagen ;
- do
- wrapProgram $out/bin/$prog --set ALDORROOT $out \
- --prefix PATH : ${jdk}/bin \
- --prefix PATH : ${stdenv.cc}/bin ;
- done
- '';
-
- meta = {
- # Please become a maintainer to fix this package
- broken = true;
- homepage = "http://www.aldor.org/";
- description = "Programming language with an expressive type system";
- license = lib.licenses.asl20;
-
- longDescription = ''
- Aldor is a programming language with an expressive type system well-suited
- for mathematical computing and which has been used to develop a number of
- computer algebra libraries. Originally known as A#, Aldor was conceived as
- an extension language for the Axiom system, but is now used more in other settings.
- In Aldor, types and functions are first class values that can be constructed
- and manipulated within programs. Pervasive support for dependent types allows
- static checking of dynamic objects. What does this mean for a normal user? Aldor
- solves many difficulties encountered in widely-used object-oriented programming
- languages. It allows programs to use a natural style, combining the more attractive
- and powerful properties of functional, object-oriented and aspect-oriented styles.
- '';
-
- platforms = lib.platforms.linux;
- };
-}
diff --git a/pkgs/development/compilers/aliceml/default.nix b/pkgs/development/compilers/aliceml/default.nix
deleted file mode 100644
index fe223cacec89..000000000000
--- a/pkgs/development/compilers/aliceml/default.nix
+++ /dev/null
@@ -1,59 +0,0 @@
-{lib, stdenv, gcc, glibc, fetchurl, fetchgit, libtool, autoconf, automake, file, gnumake, which, zsh, m4, pkg-config, perl, gnome2, gtk2, pango, sqlite, libxml2, zlib, gmp, smlnj }:
-
-stdenv.mkDerivation {
- pname = "aliceml";
- version = "1.4-7d44dc8e";
-
- src = fetchgit {
- url = "https://github.com/aliceml/aliceml";
- rev = "7d44dc8e4097c6f85888bbf4ff86d51fe05b0a08";
- sha256 = "1xpvia00cpig0i7qvz29sx7xjic6kd472ng722x4rapz8mjnf8bk";
- fetchSubmodules = true;
- };
-
- gecodeSrc = fetchurl {
- url = "http://www.gecode.org/download/gecode-1.3.1.tar.gz";
- sha256 = "0mgc6llbq166jmlq3alvagqsg3730670zvbwwkdgsqklw70v9355";
- };
-
- nativeBuildInputs = [ autoconf automake ];
- buildInputs = [
- gcc glibc
- libtool gnumake
- file which zsh m4 gtk2 zlib gmp
- gnome2.libgnomecanvas pango sqlite
- libxml2 pkg-config perl smlnj
- ];
-
- makePatch = ./make.patch;
- seamPatch = ./seam.patch;
-
- phases = [ "unpackPhase" "patchPhase" "configurePhase" "buildPhase" ];
-
- patchPhase = ''
- sed -i -e "s@wget ..GECODE_URL. -O - | tar xz@tar xf $gecodeSrc@" make/Makefile
- patch -p1 <$makePatch
- patch -p1 <$seamPatch
- '';
-
- configurePhase = ''
- make -C make setup PREFIX="$out"
- '';
-
- buildPhase = ''
- gmp="${gmp.dev}" zlib="${zlib.dev}" PATH=$PATH:`pwd`/seam-support/install/bin make -C make all PREFIX="$out"
- '';
-
- meta = {
- description = "Functional programming language based on Standard ML";
- longDescription = ''
- Alice ML is a functional programming language based on Standard ML,
- extended with rich support for concurrent, distributed, and constraint
- programming.
- '';
- homepage = "https://www.ps.uni-saarland.de/alice/";
- license = lib.licenses.mit;
- maintainers = [ lib.maintainers.doublec ];
- broken = true;
- };
-}
diff --git a/pkgs/development/compilers/aliceml/make.patch b/pkgs/development/compilers/aliceml/make.patch
deleted file mode 100644
index 78e2b28974e8..000000000000
--- a/pkgs/development/compilers/aliceml/make.patch
+++ /dev/null
@@ -1,20 +0,0 @@
-diff --git a/Makefile b/Makefile
-index 6a55b06..84a6000 100644
---- a/make/Makefile
-+++ b/make/Makefile
-@@ -387,6 +387,7 @@ configure-seam-linux64:
- ../sources/configure \
- --prefix='$(PREFIX)' \
- --with-warnings=yes \
-+ --with-zlib='$(zlib)' \
- --disable-lightning)
-
- .PHONY: configure-seam-darwin64
-@@ -434,6 +435,7 @@ configure-alice-ll-linux:
- (cd $(PWD)/alice/build && \
- ../sources/vm-seam/configure \
- --prefix='$(PREFIX)' \
-+ --with-gmp='$(gmp)' \
- --with-warnings=yes)
-
- .PHONY: rebuild-alice-ll
diff --git a/pkgs/development/compilers/aliceml/seam.patch b/pkgs/development/compilers/aliceml/seam.patch
deleted file mode 100644
index d489037fef4a..000000000000
--- a/pkgs/development/compilers/aliceml/seam.patch
+++ /dev/null
@@ -1,13 +0,0 @@
-diff --git a/Makefile.cvs b/Makefile.cvs
-index b59434a..cd1316f 100644
---- a/seam/sources/Makefile.cvs
-+++ b/seam/sources/Makefile.cvs
-@@ -32,7 +32,7 @@ autotools:
- aclocal -I .
- autoconf
- automake --add-missing
-- cd libltdl; aclocal; autoconf; automake --add-missing
-+ cd libltdl; chmod +w *; aclocal; autoconf; automake --add-missing
-
- lightning:
- rm -rf lightning
diff --git a/pkgs/development/compilers/hhvm/default.nix b/pkgs/development/compilers/hhvm/default.nix
deleted file mode 100644
index d8495977e780..000000000000
--- a/pkgs/development/compilers/hhvm/default.nix
+++ /dev/null
@@ -1,68 +0,0 @@
-{ lib, stdenv, fetchgit, cmake, pkg-config, boost, libunwind, libmemcached
-, pcre, libevent, gd, curl, libxml2, icu, flex, bison, openssl, zlib, php
-, expat, libcap, oniguruma, libdwarf, libmcrypt, tbb, gperftools, glog, libkrb5
-, bzip2, openldap, readline, libelf, uwimap, binutils, cyrus_sasl, pam, libpng
-, libxslt, freetype, gdb, git, perl, libmysqlclient, gmp, libyaml, libedit
-, libvpx, imagemagick, fribidi, gperf, which, ocamlPackages
-}:
-
-stdenv.mkDerivation rec {
- pname = "hhvm";
- version = "3.23.2";
-
- # use git version since we need submodules
- src = fetchgit {
- url = "https://github.com/facebook/hhvm.git";
- rev = "HHVM-${version}";
- sha256 = "1nic49j8nghx82lgvz0b95r78sqz46qaaqv4nx48p8yrj9ysnd7i";
- fetchSubmodules = true;
- };
-
- nativeBuildInputs = [ cmake pkg-config flex bison ];
- buildInputs =
- [ boost libunwind libmysqlclient libmemcached pcre gdb git perl
- libevent gd curl libxml2 icu openssl zlib php expat libcap
- oniguruma libdwarf libmcrypt tbb gperftools bzip2 openldap readline
- libelf uwimap binutils cyrus_sasl pam glog libpng libxslt libkrb5
- gmp libyaml libedit libvpx imagemagick fribidi gperf which
- ocamlPackages.ocaml ocamlPackages.ocamlbuild
- ];
-
- patches = [
- ./flexible-array-members-gcc6.patch
- ];
-
- dontUseCmakeBuildDir = true;
- NIX_LDFLAGS = "-lpam -L${pam}/lib";
-
- # work around broken build system
- NIX_CFLAGS_COMPILE = "-I${freetype.dev}/include/freetype2";
-
- # the cmake package does not handle absolute CMAKE_INSTALL_INCLUDEDIR correctly
- # (setting it to an absolute path causes include files to go to $out/$out/include,
- # because the absolute path is interpreted with root at $out).
- cmakeFlags = [ "-DCMAKE_INSTALL_INCLUDEDIR=include" ];
-
- prePatch = ''
- substituteInPlace ./configure \
- --replace "/usr/bin/env bash" ${stdenv.shell}
- substituteInPlace ./third-party/ocaml/CMakeLists.txt \
- --replace "/bin/bash" ${stdenv.shell}
- perl -pi -e 's/([ \t(])(isnan|isinf)\(/$1std::$2(/g' \
- hphp/runtime/base/*.cpp \
- hphp/runtime/ext/std/*.cpp \
- hphp/runtime/ext_zend_compat/php-src/main/*.cpp \
- hphp/runtime/ext_zend_compat/php-src/main/*.h
- sed '1i#include ' -i third-party/mcrouter/src/mcrouter/lib/cycles/Cycles.h
- patchShebangs .
- '';
-
- meta = {
- description = "High-performance JIT compiler for PHP/Hack";
- homepage = "https://hhvm.com";
- license = "PHP/Zend";
- platforms = [ "x86_64-linux" ];
- maintainers = [ lib.maintainers.thoughtpolice ];
- broken = true; # Since 2018-04-21, see https://hydra.nixos.org/build/73059373
- };
-}
diff --git a/pkgs/development/compilers/hhvm/flexible-array-members-gcc6.patch b/pkgs/development/compilers/hhvm/flexible-array-members-gcc6.patch
deleted file mode 100644
index 61b6e5e8d8c3..000000000000
--- a/pkgs/development/compilers/hhvm/flexible-array-members-gcc6.patch
+++ /dev/null
@@ -1,20 +0,0 @@
-diff --git a/third-party/re2/src/re2/dfa.cc b/third-party/re2/src/re2/dfa.cc
-index 483f678..3aa3610 100644
---- a/third-party/re2/src/re2/dfa.cc
-+++ b/third-party/re2/src/re2/dfa.cc
-@@ -101,8 +101,13 @@ class DFA {
- uint flag_; // Empty string bitfield flags in effect on the way
- // into this state, along with kFlagMatch if this
- // is a matching state.
-- std::atomic next_[]; // Outgoing arrows from State,
-- // one per input byte class
-+// Work around the bug affecting flexible array members in GCC 6.1 and 6.2.
-+// (https://gcc.gnu.org/bugzilla/show_bug.cgi?id=70932)
-+#if !defined(__clang__) && defined(__GNUC__) && __GNUC__ == 6 && __GNUC_MINOR__ >= 1
-+ std::atomic next_[0]; // Outgoing arrows from State, one per input byte class
-+#else
-+ std::atomic next_[]; // Outgoing arrows from State, one per input byte class
-+#endif
- };
-
- enum {
diff --git a/pkgs/development/compilers/ocaml/metaocaml-3.09.nix b/pkgs/development/compilers/ocaml/metaocaml-3.09.nix
deleted file mode 100644
index e13f3006be57..000000000000
--- a/pkgs/development/compilers/ocaml/metaocaml-3.09.nix
+++ /dev/null
@@ -1,34 +0,0 @@
-{ lib, stdenv, fetchurl, xlibsWrapper, ncurses }:
-
-stdenv.mkDerivation ({
-
- pname = "metaocaml";
- version = "3.09-alpha-30";
-
- src = fetchurl {
- url = "http://www.metaocaml.org/dist/old/MetaOCaml_309_alpha_030.tar.gz";
- sha256 = "0migbn0zwfb7yb24dy7qfqi19sv3drqcv4369xi7xzpds2cs35fd";
- };
-
- prefixKey = "-prefix ";
- configureFlags = ["-no-tk" "-x11lib" xlibsWrapper];
- buildFlags = [ "world" "bootstrap" "world.opt" ];
- buildInputs = [xlibsWrapper ncurses];
- installTargets = "install installopt";
- patchPhase = ''
- CAT=$(type -tp cat)
- sed -e "s@/bin/cat@$CAT@" -i config/auto-aux/sharpbang
- '';
- postBuild = ''
- mkdir -p $out/include
- ln -sv $out/lib/ocaml/caml $out/include/caml
- '';
-
- meta = {
- homepage = "http://www.metaocaml.org/";
- license = with lib.licenses; [ qpl lgpl2 ];
- description = "A compiled, type-safe, multi-stage programming language";
- broken = true;
- };
-
-})
diff --git a/pkgs/development/embedded/stm32/betaflight/default.nix b/pkgs/development/embedded/stm32/betaflight/default.nix
deleted file mode 100644
index 1ecf9be5d8d0..000000000000
--- a/pkgs/development/embedded/stm32/betaflight/default.nix
+++ /dev/null
@@ -1,64 +0,0 @@
-{ lib, stdenv, fetchFromGitHub
-, gcc-arm-embedded, binutils-arm-embedded, python2
-, skipTargets ? [
- # These targets do not build, for the reasons listed, along with the last version checked.
- # Probably all of the issues with these targets need to be addressed upstream.
- "AG3X" # 3.4.0-rc4: has not specified a valid STM group, must be one of F1, F3, F405, F411 or F7x5. Have you prepared a valid target.mk?
- "ALIENWHOOP" # 3.4.0-rc4: has not specified a valid STM group, must be one of F1, F3, F405, F411 or F7x5. Have you prepared a valid target.mk?
- "FURYF3" # 3.4.0-rc4: flash region overflow
- "OMNINXT" # 3.4.0-rc4: has not specified a valid STM group, must be one of F1, F3, F405, F411 or F7x5. Have you prepared a valid target.mk?
-]}:
-
-stdenv.mkDerivation rec {
-
- pname = "betaflight";
- version = "3.4.0-rc4";
-
- src = fetchFromGitHub {
- owner = "betaflight";
- repo = "betaflight";
- rev = "8e9e7574481b1abba9354b24f41eb31054943785"; # Always use a commit id here!
- sha256 = "1wyp23p876xbfi9z6gm4xn1nwss3myvrjjjq9pd3s0vf5gkclkg5";
- };
-
- nativeBuildInputs = [
- gcc-arm-embedded binutils-arm-embedded
- python2
- ];
-
- postPatch = ''
- sed -ri "s/REVISION.*=.*git log.*/REVISION = ${builtins.substring 0 10 src.rev}/" Makefile # Simulate abbrev'd rev.
- sed -ri "s/binary hex/hex/" Makefile # No need for anything besides .hex
-
- substituteInPlace Makefile \
- --replace "--specs=nano.specs" ""
- '';
-
- enableParallelBuilding = true;
-
- preBuild = ''
- buildFlagsArray=(
- "NOBUILD_TARGETS=${toString skipTargets}"
- "GCC_REQUIRED_VERSION=$(arm-none-eabi-gcc -dumpversion)"
- all
- )
- '';
-
- installPhase = ''
- runHook preInstall
-
- mkdir -p $out
- cp obj/*.hex $out
-
- runHook postInstall
- '';
-
- meta = with lib; {
- description = "Flight controller software (firmware) used to fly multi-rotor craft and fixed wing craft";
- homepage = "https://github.com/betaflight/betaflight";
- license = licenses.gpl3;
- maintainers = with maintainers; [ elitak ];
- broken = true;
- };
-
-}
diff --git a/pkgs/development/embedded/stm32/inav/default.nix b/pkgs/development/embedded/stm32/inav/default.nix
deleted file mode 100644
index c1f762e47d86..000000000000
--- a/pkgs/development/embedded/stm32/inav/default.nix
+++ /dev/null
@@ -1,56 +0,0 @@
-{ lib, stdenv, fetchFromGitHub
-, gcc-arm-embedded, binutils-arm-embedded, ruby
-}:
-
-stdenv.mkDerivation rec {
-
- pname = "inav";
- version = "2.0.0-rc2";
-
- src = fetchFromGitHub {
- owner = "iNavFlight";
- repo = "inav";
- rev = "a8415e89c2956d133d8175827c079bcf3bc3766c"; # Always use a commit id here!
- sha256 = "15zai8qf43b06fmws1sbkmdgip51zp7gkfj7pp9b6gi8giarzq3y";
- };
-
- nativeBuildInputs = [
- gcc-arm-embedded binutils-arm-embedded
- ruby
- ];
-
- postPatch = ''
- sed -ri "s/REVISION.*=.*shell git.*/REVISION = ${builtins.substring 0 10 src.rev}/" Makefile # Simulate abbrev'd rev.
- sed -ri "s/-j *[0-9]+//" Makefile # Eliminate parallel build args in submakes
- sed -ri "s/binary hex/hex/" Makefile # No need for anything besides .hex
-
- substituteInPlace Makefile \
- --replace "--specs=nano.specs" ""
- '';
-
- enableParallelBuilding = true;
-
- preBuild = ''
- buildFlagsArray=(
- all
- )
- '';
-
- installPhase = ''
- runHook preInstall
-
- mkdir -p $out
- cp obj/*.hex $out
-
- runHook postInstall
- '';
-
- meta = with lib; {
- description = "Navigation-enabled flight control software";
- homepage = "https://inavflight.github.io";
- license = licenses.gpl3;
- maintainers = with maintainers; [ elitak ];
- broken = true;
- };
-
-}
diff --git a/pkgs/development/haskell-modules/configuration-common.nix b/pkgs/development/haskell-modules/configuration-common.nix
index dfa47f2a82c5..0302ca2e54ce 100644
--- a/pkgs/development/haskell-modules/configuration-common.nix
+++ b/pkgs/development/haskell-modules/configuration-common.nix
@@ -23,6 +23,12 @@ self: super: {
# There are numerical tests on random data, that may fail occasionally
lapack = dontCheck super.lapack;
+ # fix tests failure for base≥4.15 (https://github.com/kim/leveldb-haskell/pull/41)
+ leveldb-haskell = appendPatch (fetchpatch {
+ url = "https://github.com/kim/leveldb-haskell/commit/f5249081f589233890ddb1945ec548ca9fb717cf.patch";
+ sha256 = "14gllipl28lqry73c5dnclsskzk1bsrrgazibl4lkl8z98j2csjb";
+ }) super.leveldb-haskell;
+
# Arion's test suite needs a Nixpkgs, which is cumbersome to do from Nixpkgs
# itself. For instance, pkgs.path has dirty sources and puts a huge .git in the
# store. Testing is done upstream.
@@ -1821,19 +1827,6 @@ self: super: {
vivid-osc = dontCheck super.vivid-osc;
vivid-supercollider = dontCheck super.vivid-supercollider;
- yarn2nix = assert super.yarn2nix.version == "0.8.0";
- lib.pipe (super.yarn2nix.override {
- regex-tdfa-text = null; # dependency dropped in 0.10.1
- }) [
- (overrideCabal {
- version = "0.10.1";
- sha256 = "17f96563v9hp56ycd276fxri7z6nljd7yaiyzpgaa3px6rf48a0m";
- editedCabalFile = null;
- revision = null;
- })
- (addBuildDepends [ self.aeson-better-errors ]) # 0.8.0 didn't depend on this
- ];
-
# cabal-install switched to build type simple in 3.2.0.0
# as a result, the cabal(1) man page is no longer installed
# automatically. Instead we need to use the `cabal man`
@@ -2241,7 +2234,7 @@ self: super: {
# but with too strict lower bounds for our lts-18.
# Disable aeson for now, future release should support it
graphql =
- assert super.graphql.version == "1.0.2.0";
+ assert super.graphql.version == "1.0.3.0";
appendConfigureFlags [
"-f-json"
] (lib.warnIf (lib.versionAtLeast self.hspec.version "2.9.0") "@NixOS/haskell: Remove jailbreak for graphql" doJailbreak super.graphql);
@@ -2584,9 +2577,6 @@ self: super: {
})
] super.elm2nix;
- # Fixes test suite with modern-uri 0.3.4.3, waiting for Stackage LTS to follow suit
- mmark = doDistribute self.mmark_0_0_7_5;
-
# https://github.com/Synthetica9/nix-linter/issues/65
nix-linter = super.nix-linter.overrideScope (self: super: {
aeson = self.aeson_1_5_6_0;
diff --git a/pkgs/development/haskell-modules/configuration-hackage2nix/broken.yaml b/pkgs/development/haskell-modules/configuration-hackage2nix/broken.yaml
index 28a6e8f3e5dd..ba23a9a5b28f 100644
--- a/pkgs/development/haskell-modules/configuration-hackage2nix/broken.yaml
+++ b/pkgs/development/haskell-modules/configuration-hackage2nix/broken.yaml
@@ -268,6 +268,7 @@ broken-packages:
- avatar-generator
- aviation-units
- avl-static
+ - avro-piper
- avr-shake
- avwx
- awesome-prelude
@@ -452,7 +453,6 @@ broken-packages:
- botpp
- bottom
- boundingboxes
- - bower-json
- bowntz
- bpath
- braid
@@ -1445,6 +1445,7 @@ broken-packages:
- fingertree-tf
- finitary
- finite
+ - FiniteCategories
- finite-fields
- firefly-example
- first-and-last
@@ -1786,6 +1787,7 @@ broken-packages:
- graphmod-plugin
- graphql-api
- graphql-parser
+ - graphql-spice
- graphql-w-persistent
- graph-rewriting
- graph-serialize
@@ -2539,7 +2541,6 @@ broken-packages:
- hylolib
- hyperdrive
- hyperfunctions
- - hyper-haskell-server
- hyperion
- hyperloglogplus
- hyperscript
@@ -2917,7 +2918,6 @@ broken-packages:
- lens-xml
- less-arbitrary
- Level0
- - leveldb-haskell
- level-monad
- levenshtein
- levmar
@@ -4162,6 +4162,8 @@ broken-packages:
- react-haskell
- reaction-logic
- reactive-bacon
+ - reactive-banana-automation
+ - reactive-banana-bunch
- reactive-banana-gi-gtk
- reactive-banana-sdl2
- reactive-banana-threepenny
@@ -4815,6 +4817,7 @@ broken-packages:
- stm-stats
- stochastic
- Stomp
+ - stooq-api
- storable
- storable-static-array
- stp
@@ -5012,6 +5015,7 @@ broken-packages:
- tensorflow
- tensorflow-opgen
- tensor-safe
+ - termbox-banana
- termbox-bindings
- termination-combinators
- termplot
diff --git a/pkgs/development/haskell-modules/configuration-hackage2nix/main.yaml b/pkgs/development/haskell-modules/configuration-hackage2nix/main.yaml
index 3f2b936f21c6..dfa46c41b935 100644
--- a/pkgs/development/haskell-modules/configuration-hackage2nix/main.yaml
+++ b/pkgs/development/haskell-modules/configuration-hackage2nix/main.yaml
@@ -319,6 +319,7 @@ package-maintainers:
- shakespeare
roberth:
- arion-compose
+ - cabal-pkg-config-version-hook
- hercules-ci-agent
- hercules-ci-api
- hercules-ci-api-agent
@@ -403,6 +404,7 @@ unsupported-platforms:
dx9d3d: [ i686-linux, x86_64-linux, x86_64-darwin, aarch64-darwin, aarch64-linux, armv7l-linux ]
dx9d3dx: [ i686-linux, x86_64-linux, x86_64-darwin, aarch64-darwin, aarch64-linux, armv7l-linux ]
Euterpea: [ x86_64-darwin, aarch64-darwin ]
+ essence-of-live-coding-PortMidi: [ x86_64-darwin, aarch64-darwin ]
follow-file: [ x86_64-darwin, aarch64-darwin ]
freenect: [ x86_64-darwin, aarch64-darwin ]
FTGL: [ x86_64-darwin, aarch64-darwin ]
@@ -421,6 +423,7 @@ unsupported-platforms:
gi-webkit2: [ x86_64-darwin, aarch64-darwin ] # webkitgtk marked broken on darwin
gi-wnck: [ x86_64-darwin, aarch64-darwin ]
gnome-keyring: [ x86_64-darwin, aarch64-darwin ]
+ grid-proto: [ x86_64-darwin, aarch64-darwin ]
gtk3-mac-integration: [ x86_64-linux, aarch64-linux ]
gtk-mac-integration: [ i686-linux, x86_64-linux, aarch64-linux, armv7l-linux ]
gtk-sni-tray: [ x86_64-darwin, aarch64-darwin ]
@@ -428,6 +431,7 @@ unsupported-platforms:
hbro-contrib: [ x86_64-darwin, aarch64-darwin ] # webkitgtk marked broken on darwin
hbro: [ x86_64-darwin, aarch64-darwin ] # webkitgtk marked broken on darwin
hcwiid: [ x86_64-darwin, aarch64-darwin ]
+ HDRUtils: [ x86_64-darwin, aarch64-darwin ]
HFuse: [ x86_64-darwin, aarch64-darwin ]
hidapi: [ x86_64-darwin, aarch64-darwin ]
hinotify-bytestring: [ x86_64-darwin, aarch64-darwin ]
@@ -461,6 +465,7 @@ unsupported-platforms:
lio-fs: [ x86_64-darwin, aarch64-darwin ]
logging-facade-journald: [ x86_64-darwin, aarch64-darwin ]
longshot: [ aarch64-linux ]
+ lxc: [ x86_64-darwin, aarch64-darwin ]
midi-alsa: [ x86_64-darwin, aarch64-darwin ]
mpi-hs: [ aarch64-linux, x86_64-darwin, aarch64-darwin ]
mpi-hs-binary: [ aarch64-linux, x86_64-darwin, aarch64-darwin ]
diff --git a/pkgs/development/haskell-modules/configuration-hackage2nix/stackage.yaml b/pkgs/development/haskell-modules/configuration-hackage2nix/stackage.yaml
index 2f4b75ef813e..51741597999a 100644
--- a/pkgs/development/haskell-modules/configuration-hackage2nix/stackage.yaml
+++ b/pkgs/development/haskell-modules/configuration-hackage2nix/stackage.yaml
@@ -1,4 +1,4 @@
-# Stackage LTS 19.0
+# Stackage LTS 19.1
# This file is auto-generated by
# maintainers/scripts/haskell/update-stackage.sh
default-package-overrides:
@@ -36,7 +36,7 @@ default-package-overrides:
- Agda ==2.6.2.1
- agda2lagda ==0.2021.6.1
- al ==0.1.4.2
- - alarmclock ==0.7.0.5
+ - alarmclock ==0.7.0.6
- alerts ==0.1.2.0
- alex ==3.2.7.1
- alex-meta ==0.3.0.13
@@ -77,15 +77,16 @@ default-package-overrides:
- array-memoize ==0.6.0
- arrow-extras ==0.1.0.1
- arrows ==0.4.4.2
- - ascii ==1.1.1.2
+ - ascii ==1.1.2.0
- ascii-case ==1.0.0.10
- ascii-char ==1.0.0.14
- asciidiagram ==1.3.3.3
- - ascii-group ==1.0.0.10
- - ascii-predicates ==1.0.0.8
+ - ascii-group ==1.0.0.12
+ - ascii-numbers ==1.0.0.0
+ - ascii-predicates ==1.0.0.10
- ascii-progress ==0.3.3.0
- - ascii-superset ==1.0.1.10
- - ascii-th ==1.0.0.8
+ - ascii-superset ==1.0.1.12
+ - ascii-th ==1.0.0.10
- asn1-encoding ==0.9.6
- asn1-parse ==0.9.5
- asn1-types ==0.3.4
@@ -117,7 +118,7 @@ default-package-overrides:
- auto-update ==0.1.6
- aws-cloudfront-signed-cookies ==0.2.0.10
- backtracking ==0.1.0
- - bank-holidays-england ==0.2.0.6
+ - bank-holidays-england ==0.2.0.7
- barbies ==2.0.3.1
- barrier ==0.1.1
- base16 ==0.3.1.0
@@ -137,7 +138,7 @@ default-package-overrides:
- base-compat-batteries ==0.11.2
- basement ==0.0.14
- base-orphans ==0.8.6
- - base-prelude ==1.6
+ - base-prelude ==1.6.1
- base-unicode-symbols ==0.2.4.2
- basic-prelude ==0.7.0
- battleship-combinatorics ==0.0.1
@@ -151,7 +152,7 @@ default-package-overrides:
- bech32 ==1.1.2
- bech32-th ==1.1.1
- bench ==1.0.12
- - benchpress ==0.2.2.18
+ - benchpress ==0.2.2.19
- bencode ==0.6.1.1
- bencoding ==0.4.5.4
- between ==0.11.0.0
@@ -161,7 +162,7 @@ default-package-overrides:
- bimaps ==0.1.0.2
- bimap-server ==0.1.0.1
- bin ==0.1.2
- - binance-exports ==0.1.0.0
+ - binance-exports ==0.1.1.0
- binary-conduit ==1.3.1
- binaryen ==0.0.6.0
- binary-generic-combinators ==0.4.4.0
@@ -186,7 +187,7 @@ default-package-overrides:
- bitarray ==0.0.1.1
- bits ==0.6
- bitset-word8 ==0.1.1.2
- - bits-extra ==0.0.2.0
+ - bits-extra ==0.0.2.3
- bitvec ==1.1.2.0
- bitwise-enum ==1.0.1.0
- blake2 ==0.3.0
@@ -214,7 +215,7 @@ default-package-overrides:
- Boolean ==0.2.4
- boolean-like ==0.1.1.0
- boolsimplifier ==0.1.8
- - boomerang ==1.4.7
+ - boomerang ==1.4.8
- boots ==0.2.0.1
- bordacount ==0.1.0.0
- boring ==0.2
@@ -256,10 +257,10 @@ default-package-overrides:
- bz2 ==1.0.1.0
- bzlib ==0.5.1.0
- bzlib-conduit ==0.3.0.2
- - c14n ==0.1.0.1
+ - c14n ==0.1.0.2
- c2hs ==0.28.8
- cabal2spec ==2.6.2
- - cabal-appimage ==0.3.0.3
+ - cabal-appimage ==0.3.0.4
- cabal-clean ==0.1.20210924
- cabal-doctest ==1.0.9
- cabal-file ==0.1.1
@@ -275,7 +276,7 @@ default-package-overrides:
- call-alloy ==0.3
- call-stack ==0.4.0
- can-i-haz ==0.3.1.0
- - capability ==0.5.0.0
+ - capability ==0.5.0.1
- capataz ==0.2.1.0
- ca-province-codes ==1.0.0.0
- cardano-coin-selection ==1.0.1
@@ -364,7 +365,7 @@ default-package-overrides:
- comfort-array ==0.5.1
- comfort-array-shape ==0.0
- comfort-fftw ==0.0
- - comfort-graph ==0.0.3.1
+ - comfort-graph ==0.0.3.2
- commonmark ==0.2.1.1
- commonmark-extensions ==0.2.3
- commonmark-pandoc ==0.2.1.2
@@ -410,7 +411,7 @@ default-package-overrides:
- constraints ==0.13.3
- constraints-extras ==0.3.2.1
- constraint-tuples ==0.1.2
- - construct ==0.3.0.2
+ - construct ==0.3.1
- containers-unicode-symbols ==0.3.1.3
- contravariant ==1.5.5
- contravariant-extras ==0.3.5.3
@@ -482,7 +483,7 @@ default-package-overrides:
- cutter ==0.0
- cyclotomic ==1.1.1
- czipwith ==1.0.1.4
- - d10 ==1.0.0.2
+ - d10 ==1.0.1.0
- data-accessor ==0.2.3
- data-accessor-mtl ==0.2.0.4
- data-accessor-transformers ==0.2.1.7
@@ -605,11 +606,11 @@ default-package-overrides:
- doldol ==0.4.1.2
- do-list ==1.0.1
- domain ==0.1.1.3
- - domain-core ==0.1.0.1
- - domain-optics ==0.1.0.2
+ - domain-core ==0.1.0.2
+ - domain-optics ==0.1.0.3
- do-notation ==0.1.0.2
- dot ==0.3
- - dotenv ==0.9.0.0
+ - dotenv ==0.9.0.2
- dotgen ==0.4.3
- dotnet-timespan ==0.0.1.0
- double-conversion ==2.0.4.1
@@ -654,7 +655,7 @@ default-package-overrides:
- elynx-seq ==0.6.1.1
- elynx-tools ==0.6.1.1
- elynx-tree ==0.6.1.1
- - email-validate ==2.3.2.15
+ - email-validate ==2.3.2.16
- emd ==0.2.0.0
- emojis ==0.1.2
- enclosed-exceptions ==1.0.3
@@ -730,7 +731,7 @@ default-package-overrides:
- feature-flags ==0.1.0.1
- fedora-dists ==2.0.0
- fedora-haskell-tools ==1.0
- - feed ==1.3.2.0
+ - feed ==1.3.2.1
- FenwickTree ==0.1.2.1
- fft ==0.1.8.7
- fftw-ffi ==0.1
@@ -854,7 +855,7 @@ default-package-overrides:
- genvalidity-persistent ==1.0.0.0
- genvalidity-property ==1.0.0.0
- genvalidity-scientific ==1.0.0.0
- - genvalidity-text ==1.0.0.0
+ - genvalidity-text ==1.0.0.1
- genvalidity-time ==1.0.0.0
- genvalidity-unordered-containers ==1.0.0.0
- genvalidity-uuid ==1.0.0.0
@@ -925,7 +926,7 @@ default-package-overrides:
- Glob ==0.10.2
- glob-posix ==0.2.0.1
- gloss ==1.13.2.1
- - gloss-algorithms ==1.13.0.2
+ - gloss-algorithms ==1.13.0.3
- gloss-raster ==1.13.1.2
- gloss-rendering ==1.13.1.1
- GLURaw ==2.0.0.5
@@ -955,7 +956,7 @@ default-package-overrides:
- group-by-date ==0.1.0.4
- grouped-list ==0.2.3.0
- groups ==0.5.3
- - gtk2hs-buildtools ==0.13.8.2
+ - gtk2hs-buildtools ==0.13.8.3
- gtk-sni-tray ==0.1.8.0
- gtk-strut ==0.1.3.0
- guarded-allocation ==0.0.1
@@ -965,7 +966,7 @@ default-package-overrides:
- hadoop-streaming ==0.2.0.3
- hakyll ==4.15.1.1
- hakyll-convert ==0.3.0.4
- - hal ==0.4.9
+ - hal ==0.4.10
- half ==0.3.1
- hall-symbols ==0.1.0.6
- hamilton ==0.1.0.3
@@ -977,7 +978,7 @@ default-package-overrides:
- happy ==1.20.0
- happy-meta ==0.2.0.11
- HasBigDecimal ==0.1.1
- - hasbolt ==0.1.6.1
+ - hasbolt ==0.1.6.2
- hashable ==1.3.5.0
- hashable-time ==0.3
- hashids ==1.0.2.7
@@ -1192,36 +1193,36 @@ default-package-overrides:
- hunit-dejafu ==2.0.0.5
- hvect ==0.4.0.1
- hvega ==0.12.0.2
- - hw-balancedparens ==0.4.1.1
- - hw-bits ==0.7.2.1
- - hw-conduit ==0.2.1.0
+ - hw-balancedparens ==0.4.1.2
+ - hw-bits ==0.7.2.2
+ - hw-conduit ==0.2.1.1
- hw-conduit-merges ==0.2.1.0
- hw-diagnostics ==0.0.1.0
- - hw-dsv ==0.4.1.0
+ - hw-dsv ==0.4.1.1
- hweblib ==0.6.3
- - hw-eliasfano ==0.1.2.0
+ - hw-eliasfano ==0.1.2.1
- hw-excess ==0.2.3.0
- - hw-fingertree ==0.1.2.0
- - hw-fingertree-strict ==0.1.2.0
- - hw-hedgehog ==0.1.1.0
+ - hw-fingertree ==0.1.2.1
+ - hw-fingertree-strict ==0.1.2.1
+ - hw-hedgehog ==0.1.1.1
- hw-int ==0.0.2.0
- - hw-ip ==2.4.2.0
- - hw-json-simd ==0.1.1.0
- - hw-json-simple-cursor ==0.1.1.0
- - hw-json-standard-cursor ==0.2.3.1
+ - hw-ip ==2.4.2.1
+ - hw-json-simd ==0.1.1.1
+ - hw-json-simple-cursor ==0.1.1.1
+ - hw-json-standard-cursor ==0.2.3.2
- hw-kafka-client ==4.0.3
- - hw-mquery ==0.2.1.0
+ - hw-mquery ==0.2.1.1
- hworker ==0.1.0.1
- - hw-packed-vector ==0.2.1.0
+ - hw-packed-vector ==0.2.1.1
- hw-parser ==0.1.1.0
- - hw-prim ==0.6.3.0
- - hw-rankselect ==0.13.4.0
+ - hw-prim ==0.6.3.1
+ - hw-rankselect ==0.13.4.1
- hw-rankselect-base ==0.3.4.1
- - hw-simd ==0.1.2.0
+ - hw-simd ==0.1.2.1
- hw-streams ==0.0.1.0
- - hw-string-parse ==0.0.0.4
+ - hw-string-parse ==0.0.0.5
- hw-succinct ==0.1.0.1
- - hw-xml ==0.5.1.0
+ - hw-xml ==0.5.1.1
- hxt ==9.3.1.22
- hxt-charproperties ==9.5.0.0
- hxt-css ==0.1.0.3
@@ -1266,7 +1267,7 @@ default-package-overrides:
- inline-c ==0.9.1.5
- inline-c-cpp ==0.5.0.0
- inliterate ==0.1.0
- - input-parsers ==0.2.3.1
+ - input-parsers ==0.2.3.2
- insert-ordered-containers ==0.2.5.1
- inspection-testing ==0.4.6.0
- instance-control ==0.1.2.0
@@ -1283,6 +1284,7 @@ default-package-overrides:
- intro ==0.9.0.0
- intset-imperative ==0.1.0.0
- invariant ==0.5.5
+ - invert ==1.0.0.2
- invertible ==0.2.0.7
- invertible-grammar ==0.1.3.2
- io-machine ==0.2.0.0
@@ -1318,8 +1320,8 @@ default-package-overrides:
- js-flot ==0.8.3
- js-jquery ==3.3.1
- json ==0.10
- - json-feed ==2.0.0.0
- - jsonifier ==0.2
+ - json-feed ==2.0.0.1
+ - jsonifier ==0.2.0.1
- jsonpath ==0.2.1.0
- json-stream ==0.4.3.0
- JuicyPixels ==3.3.7
@@ -1341,20 +1343,20 @@ default-package-overrides:
- ki ==0.2.0.1
- kind-apply ==0.3.2.1
- kind-generics ==0.4.1.4
- - kind-generics-th ==0.2.2.2
+ - kind-generics-th ==0.2.2.3
- kleene ==0.1
- kmeans ==0.1.3
- koji ==0.0.2
- krank ==0.2.3
- l10n ==0.1.0.1
- labels ==0.3.3
- - lackey ==2.0.0.0
+ - lackey ==2.0.0.1
- LambdaHack ==0.11.0.0
- lame ==0.2.0
- language-bash ==0.9.2
- language-c ==0.9.0.2
- language-c-quote ==0.13
- - language-docker ==10.4.2
+ - language-docker ==10.4.3
- language-dot ==0.1.1
- language-glsl ==0.3.0
- language-java ==0.2.9
@@ -1392,7 +1394,7 @@ default-package-overrides:
- lens-properties ==4.11.1
- lens-regex ==0.1.3
- lens-regex-pcre ==1.1.0.0
- - lentil ==1.5.3.2
+ - lentil ==1.5.4.0
- LetsBeRational ==1.0.0.0
- leveldb-haskell ==0.6.5
- lexer-applicative ==2.1.0.2
@@ -1489,7 +1491,7 @@ default-package-overrides:
- mbox ==0.3.4
- mbox-utility ==0.0.3.1
- mbtiles ==0.6.0.0
- - mcmc ==0.6.2.0
+ - mcmc ==0.6.2.2
- mcmc-types ==1.0.3
- median-stream ==0.7.0.0
- med-module ==0.1.2.2
@@ -1502,7 +1504,7 @@ default-package-overrides:
- mergeless ==0.3.0.0
- mersenne-random ==1.0.0.1
- mersenne-random-pure64 ==0.2.2.0
- - messagepack ==0.5.4
+ - messagepack ==0.5.5
- metrics ==0.4.1.1
- mfsolve ==0.3.2.1
- microlens ==0.4.12.0
@@ -1531,7 +1533,7 @@ default-package-overrides:
- MissingH ==1.5.0.1
- mixed-types-num ==0.5.9.1
- mmap ==0.5.9
- - mmark ==0.0.7.4
+ - mmark ==0.0.7.5
- mmark-cli ==0.0.5.1
- mmark-ext ==0.2.1.4
- mmorph ==1.1.5
@@ -1546,7 +1548,7 @@ default-package-overrides:
- monad-chronicle ==1.0.0.1
- monad-control ==1.0.3.1
- monad-control-aligned ==0.0.1.1
- - monad-coroutine ==0.9.1.3
+ - monad-coroutine ==0.9.2
- monad-extras ==0.6.0
- monadic-arrays ==0.2.2
- monad-journal ==0.8.1
@@ -1604,7 +1606,7 @@ default-package-overrides:
- mwc-random-monad ==0.7.3.1
- mx-state-codes ==1.0.0.0
- mysql ==0.2.1
- - mysql-simple ==0.4.7.1
+ - mysql-simple ==0.4.7.2
- n2o ==0.11.1
- n2o-nitro ==0.11.2
- nagios-check ==0.3.2
@@ -1688,7 +1690,7 @@ default-package-overrides:
- ochintin-daicho ==0.3.4.2
- o-clock ==1.2.1.1
- oeis ==0.3.10
- - oeis2 ==1.0.6
+ - oeis2 ==1.0.7
- ofx ==0.4.4.0
- old-locale ==1.0.0.7
- old-time ==1.1.0.3
@@ -1715,10 +1717,10 @@ default-package-overrides:
- operational ==0.2.4.1
- operational-class ==0.3.0.0
- opml-conduit ==0.9.0.0
- - optics ==0.4
- - optics-core ==0.4
- - optics-extra ==0.4
- - optics-th ==0.4
+ - optics ==0.4.1
+ - optics-core ==0.4.1
+ - optics-extra ==0.4.1
+ - optics-th ==0.4.1
- optics-vl ==0.2.1
- optima ==0.4.0.3
- optional-args ==1.0.2
@@ -1791,7 +1793,7 @@ default-package-overrides:
- peano ==0.1.0.1
- pem ==0.2.4
- percent-format ==0.0.2
- - peregrin ==0.3.1
+ - peregrin ==0.3.2
- perf ==0.9.0
- perfect-hash-generator ==0.2.0.6
- persist ==0.1.1.5
@@ -1800,7 +1802,7 @@ default-package-overrides:
- persistent-documentation ==0.1.0.4
- persistent-mongoDB ==2.13.0.1
- persistent-mtl ==0.4.0.0
- - persistent-mysql ==2.13.1.2
+ - persistent-mysql ==2.13.1.3
- persistent-pagination ==0.1.1.2
- persistent-postgresql ==2.13.5.0
- persistent-qq ==2.12.0.2
@@ -1874,8 +1876,8 @@ default-package-overrides:
- postgresql-schema ==0.1.14
- postgresql-simple ==0.6.4
- postgresql-simple-url ==0.2.1.0
- - postgresql-syntax ==0.4
- - postgresql-typed ==0.6.2.0
+ - postgresql-syntax ==0.4.0.2
+ - postgresql-typed ==0.6.2.1
- post-mess-age ==0.2.1.0
- pptable ==0.3.0.0
- pqueue ==1.4.1.4
@@ -1996,7 +1998,7 @@ default-package-overrides:
- rattle ==0.2
- rattletrap ==11.2.4
- Rattus ==0.5.0.1
- - rawfilepath ==1.0.0
+ - rawfilepath ==1.0.1
- rawstring-qm ==0.2.3.0
- raw-strings-qq ==1.1
- rcu ==0.2.5
@@ -2046,7 +2048,7 @@ default-package-overrides:
- renderable ==0.2.0.1
- reorder-expression ==0.1.0.0
- repa ==3.4.1.5
- - repa-io ==3.4.1.1
+ - repa-io ==3.4.1.2
- replace-attoparsec ==1.4.5.0
- replace-megaparsec ==1.4.4.0
- repline ==0.4.0.0
@@ -2100,7 +2102,7 @@ default-package-overrides:
- safe-exceptions-checked ==0.1.0
- safe-foldable ==0.1.0.0
- safeio ==0.0.5.0
- - safe-json ==1.1.3.0
+ - safe-json ==1.1.3.1
- safe-money ==0.9.1
- SafeSemaphore ==0.10.1
- salak ==0.3.6
@@ -2179,10 +2181,10 @@ default-package-overrides:
- servant-pipes ==0.15.3
- servant-rawm ==1.0.0.0
- servant-ruby ==0.9.0.0
- - servant-server ==0.19
+ - servant-server ==0.19.1
- servant-static-th ==1.0.0.0
- servant-subscriber ==0.7.0.0
- - servant-swagger ==1.1.10
+ - servant-swagger ==1.1.11
- servant-swagger-ui ==0.3.5.4.5.0
- servant-swagger-ui-core ==0.3.5
- servant-swagger-ui-redoc ==0.3.4.1.22.3
@@ -2220,7 +2222,7 @@ default-package-overrides:
- silently ==1.2.5.2
- simple-affine-space ==0.1.1
- simple-cabal ==0.1.3
- - simple-cmd ==0.2.3
+ - simple-cmd ==0.2.4
- simple-cmd-args ==0.1.7
- simple-log ==0.9.12
- simple-media-timestamp ==0.2.0.0
@@ -2292,13 +2294,13 @@ default-package-overrides:
- sqlite-simple ==0.4.18.0
- sql-words ==0.1.6.4
- squeather ==0.8.0.0
- - srcloc ==0.6
+ - srcloc ==0.6.0.1
- srt ==0.1.1.0
- srt-attoparsec ==0.1.0.0
- srt-dhall ==0.1.0.0
- srt-formatting ==0.1.0.0
- stache ==2.3.1
- - stack-all ==0.4
+ - stack-all ==0.4.0.1
- stack-clean-old ==0.4.6
- stackcollapse-ghc ==0.0.1.4
- stack-templatizer ==0.1.0.2
@@ -2307,7 +2309,7 @@ default-package-overrides:
- StateVar ==1.2.2
- stateWriter ==0.3.0
- static-text ==0.2.0.7
- - statistics ==0.16.0.1
+ - statistics ==0.16.0.2
- status-notifier-item ==0.3.1.0
- stb-image-redux ==0.2.1.2
- step-function ==0.2
@@ -2361,8 +2363,8 @@ default-package-overrides:
- stripe-scotty ==1.1.0.2
- stripe-signature ==1.0.0.14
- stripe-wreq ==1.0.1.14
- - strive ==6.0.0.1
- - strong-path ==1.1.3.0
+ - strive ==6.0.0.2
+ - strong-path ==1.1.4.0
- structs ==0.1.6
- structured ==0.1.1
- structured-cli ==2.7.0.1
@@ -2437,7 +2439,7 @@ default-package-overrides:
- tcp-streams ==1.0.1.1
- tdigest ==0.2.1.1
- teardown ==0.5.0.1
- - telegram-bot-simple ==0.4.3
+ - telegram-bot-simple ==0.4.4
- template-haskell-compat-v0208 ==0.1.7
- temporary ==1.3
- temporary-rc ==1.2.0.3
@@ -2446,7 +2448,7 @@ default-package-overrides:
- tensors ==0.1.5
- termbox ==0.3.0
- terminal-progress-bar ==0.4.1
- - terminal-size ==0.3.2.1
+ - terminal-size ==0.3.3
- termonad ==4.2.0.1
- test-framework ==0.8.2.0
- test-framework-hunit ==0.3.0.2
@@ -2465,7 +2467,7 @@ default-package-overrides:
- text-latin1 ==0.3.1
- text-ldap ==0.1.1.14
- textlocal ==0.1.0.5
- - text-manipulate ==0.3.0.0
+ - text-manipulate ==0.3.1.0
- text-metrics ==0.3.2
- text-postgresql ==0.0.3.1
- text-printer ==0.5.0.2
@@ -2489,7 +2491,7 @@ default-package-overrides:
- these-skinny ==0.7.5
- th-expand-syns ==0.4.9.0
- th-extras ==0.0.0.6
- - th-lego ==0.3
+ - th-lego ==0.3.0.1
- th-lift ==0.8.2
- th-lift-instances ==0.1.19
- th-nowq ==0.1.0.5
@@ -2539,7 +2541,7 @@ default-package-overrides:
- torsor ==0.1
- tostring ==0.2.1.1
- tracing ==0.0.7.2
- - tracing-control ==0.0.7.2
+ - tracing-control ==0.0.7.3
- transaction ==0.1.1.3
- transformers-base ==0.4.6
- transformers-bifunctors ==0.1
@@ -2590,7 +2592,7 @@ default-package-overrides:
- typography-geometry ==1.0.1.0
- tz ==0.1.3.6
- tzdata ==0.2.20220315.0
- - ua-parser ==0.7.6.0
+ - ua-parser ==0.7.7.0
- uglymemo ==0.1.0.1
- unagi-chan ==0.4.1.4
- unbounded-delays ==0.1.1.1
@@ -2604,8 +2606,8 @@ default-package-overrides:
- unicode ==0.0.1.1
- unicode-collation ==0.1.3.1
- unicode-data ==0.3.0
- - unicode-show ==0.1.1.0
- - unicode-transforms ==0.4.0
+ - unicode-show ==0.1.1.1
+ - unicode-transforms ==0.4.0.1
- unidecode ==0.1.0.4
- unification-fd ==0.11.1
- union ==0.1.2
@@ -2702,7 +2704,7 @@ default-package-overrides:
- void ==0.7.3
- vty ==5.33
- wai ==3.2.3
- - wai-app-static ==3.1.7.3
+ - wai-app-static ==3.1.7.4
- wai-cli ==0.2.3
- wai-conduit ==3.0.0.4
- wai-cors ==0.2.7
@@ -2720,11 +2722,11 @@ default-package-overrides:
- wai-middleware-prometheus ==1.0.0.1
- wai-middleware-static ==0.9.2
- wai-rate-limit ==0.2.0.0
- - wai-rate-limit-redis ==0.2.0.0
- - wai-saml2 ==0.2.1.2
+ - wai-rate-limit-redis ==0.2.0.1
+ - wai-saml2 ==0.2.1.3
- wai-session ==0.3.3
- wai-session-postgresql ==0.2.1.3
- - wai-session-redis ==0.1.0.4
+ - wai-session-redis ==0.1.0.5
- wai-slack-middleware ==0.2.0
- wai-transformers ==0.1.0
- wai-websockets ==3.0.1.2
@@ -2740,7 +2742,7 @@ default-package-overrides:
- webgear-openapi ==1.0.1
- webgear-server ==1.0.1
- webpage ==0.0.5.1
- - web-plugins ==0.4.0
+ - web-plugins ==0.4.1
- web-routes ==0.27.14.3
- web-routes-boomerang ==0.28.4.2
- web-routes-happstack ==0.23.12.1
@@ -2758,7 +2760,7 @@ default-package-overrides:
- Win32-notify ==0.3.0.3
- windns ==0.1.0.1
- wire-streams ==0.1.1.0
- - witch ==1.0.0.1
+ - witch ==1.0.0.2
- withdependencies ==0.3.0
- witherable ==0.4.2
- within ==0.2.0.1
@@ -2821,7 +2823,7 @@ default-package-overrides:
- xxhash-ffi ==0.2.0.0
- yaml ==0.11.8.0
- yamlparse-applicative ==0.2.0.1
- - yaml-unscrambler ==0.1.0.8
+ - yaml-unscrambler ==0.1.0.9
- yarn-lock ==0.6.5
- yeshql-core ==4.2.0.0
- yesod ==1.6.2
@@ -2830,8 +2832,8 @@ default-package-overrides:
- yesod-auth-basic ==0.1.0.3
- yesod-auth-hashdb ==1.7.1.7
- yesod-auth-oauth2 ==0.7.0.1
- - yesod-bin ==1.6.2
- - yesod-core ==1.6.21.0
+ - yesod-bin ==1.6.2.1
+ - yesod-core ==1.6.22.0
- yesod-eventsource ==1.6.0.1
- yesod-form ==1.7.0
- yesod-form-bootstrap4 ==3.0.1
@@ -2871,4 +2873,4 @@ default-package-overrides:
- zlib-lens ==0.1.2.1
- zot ==0.0.3
- zstd ==0.1.3.0
- - ztail ==1.2.0.2
+ - ztail ==1.2.0.3
diff --git a/pkgs/development/haskell-modules/configuration-hackage2nix/transitive-broken.yaml b/pkgs/development/haskell-modules/configuration-hackage2nix/transitive-broken.yaml
index 71775add849e..674735fd16e7 100644
--- a/pkgs/development/haskell-modules/configuration-hackage2nix/transitive-broken.yaml
+++ b/pkgs/development/haskell-modules/configuration-hackage2nix/transitive-broken.yaml
@@ -660,9 +660,9 @@ dont-distribute-packages:
- arithmetic-circuits
- array-forth
- arraylist
+ - ascii
- ascii-cows
- ascii-table
- - ascii_1_1_2_0
- asic
- asif
- assert4hs-hspec
@@ -795,7 +795,6 @@ dont-distribute-packages:
- bip32
- birch-beer
- bird
- - bisc
- biscuit-servant
- bit-array
- bitcoin-address
@@ -1849,7 +1848,6 @@ dont-distribute-packages:
- graphql-utils
- graphtype
- greencard-lib
- - grid-proto
- gridbounds
- gridland
- groot
@@ -2110,7 +2108,6 @@ dont-distribute-packages:
- hie-core
- hierarchical-env
- hierarchical-spectral-clustering
- - higher-leveldb
- highjson-swagger
- highjson-th
- himpy
@@ -3129,7 +3126,6 @@ dont-distribute-packages:
- potoki-conduit
- potoki-hasql
- potoki-zlib
- - powerqueue-levelmem
- powerqueue-sqs
- pqueue-mtl
- practice-room
@@ -3272,10 +3268,13 @@ dont-distribute-packages:
- rdioh
- react-flux-servant
- reactive
+ - reactive-balsa
- reactive-banana-sdl
- reactive-banana-wx
- reactive-fieldtrip
- reactive-glut
+ - reactive-jack
+ - reactive-midyim
- reactor
- readline-in-other-words
- readpyc
@@ -3317,6 +3316,7 @@ dont-distribute-packages:
- regions-monadstf
- regions-mtl
- registry-hedgehog
+ - registry-hedgehog-aeson
- regular-extras
- regular-web
- regular-xmlpickler
@@ -3638,7 +3638,6 @@ dont-distribute-packages:
- sock2stream
- socket-io
- sockets
- - socketson
- solga
- solga-swagger
- solr
@@ -3647,7 +3646,6 @@ dont-distribute-packages:
- soundgen
- source-code-server
- spade
- - spago
- sparkle
- sparrow
- sparsebit
@@ -3903,7 +3901,6 @@ dont-distribute-packages:
- triangulation
- tries
- trimpolya
- - tripLL
- tropical-geometry
- truelevel
- trurl
diff --git a/pkgs/development/haskell-modules/generic-builder.nix b/pkgs/development/haskell-modules/generic-builder.nix
index 04973d3251e6..a9692b5a0f01 100644
--- a/pkgs/development/haskell-modules/generic-builder.nix
+++ b/pkgs/development/haskell-modules/generic-builder.nix
@@ -181,7 +181,8 @@ let
] ++ optionals (!isHaLVM) [
"--hsc2hs-option=--cross-compile"
(optionalString enableHsc2hsViaAsm "--hsc2hs-option=--via-asm")
- ];
+ ] ++ optional (allPkgconfigDepends != [])
+ "--with-pkg-config=${pkg-config.targetPrefix}pkg-config";
parallelBuildingFlags = "-j$NIX_BUILD_CORES" + optionalString stdenv.isLinux " +RTS -A64M -RTS";
diff --git a/pkgs/development/haskell-modules/hackage-packages.nix b/pkgs/development/haskell-modules/hackage-packages.nix
index d800f05e07d5..abfa19d7ced6 100644
--- a/pkgs/development/haskell-modules/hackage-packages.nix
+++ b/pkgs/development/haskell-modules/hackage-packages.nix
@@ -6106,6 +6106,26 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "FiniteCategories" = callPackage
+ ({ mkDerivation, base, containers, directory, fgl, filepath
+ , graphviz, process, random, text
+ }:
+ mkDerivation {
+ pname = "FiniteCategories";
+ version = "0.1.0.0";
+ sha256 = "12f55g2lkyzbaq3sl8q2qbdk5dqf3dkiarch0crqd5kxklygm57n";
+ libraryHaskellDepends = [
+ base containers directory fgl filepath graphviz process random text
+ ];
+ testHaskellDepends = [
+ base containers directory fgl filepath graphviz process random text
+ ];
+ description = "Finite categories and usual categorical constructions on them";
+ license = lib.licenses.gpl3Plus;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
+ }) {};
+
"FiniteMap" = callPackage
({ mkDerivation, base, haskell98 }:
mkDerivation {
@@ -8121,6 +8141,9 @@ self: {
librarySystemDepends = [ pfstools ];
description = "Utilities for reading, manipulating, and writing HDR images";
license = lib.licenses.bsd3;
+ platforms = [
+ "aarch64-linux" "armv7l-linux" "i686-linux" "x86_64-linux"
+ ];
}) {inherit (pkgs) pfstools;};
"HERA" = callPackage
@@ -25107,8 +25130,8 @@ self: {
}:
mkDerivation {
pname = "aeson-match-qq";
- version = "1.4.0";
- sha256 = "0gbgrw8ww1hk5zsr66cc0k96ha6azw61f54p5yhk0w36p47annv6";
+ version = "1.4.1";
+ sha256 = "0l9x20hqx6k6grdmni2smiznsiigzhzxmpks1qdg7850sb6lw5fg";
libraryHaskellDepends = [
aeson attoparsec base bytestring either haskell-src-meta scientific
template-haskell text unordered-containers vector
@@ -26321,24 +26344,6 @@ self: {
}) {inherit (pkgs) openal;};
"alarmclock" = callPackage
- ({ mkDerivation, async, base, clock, hspec, stm, time
- , unbounded-delays
- }:
- mkDerivation {
- pname = "alarmclock";
- version = "0.7.0.5";
- sha256 = "0197phsc4rn5mn155hbmxplxi2ymra1x6lxq16xs6a8zrk4gfkj9";
- libraryHaskellDepends = [
- async base clock stm time unbounded-delays
- ];
- testHaskellDepends = [
- async base clock hspec stm time unbounded-delays
- ];
- description = "Wake up and perform an action at a certain time";
- license = lib.licenses.bsd3;
- }) {};
-
- "alarmclock_0_7_0_6" = callPackage
({ mkDerivation, async, base, clock, hspec, stm, time
, unbounded-delays
}:
@@ -26354,7 +26359,6 @@ self: {
];
description = "Wake up and perform an action at a certain time";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"alea" = callPackage
@@ -32944,8 +32948,8 @@ self: {
}:
mkDerivation {
pname = "arch-hs";
- version = "0.10.0.0";
- sha256 = "1qpd1a5jv4g4chbc5rqbf067zgcxb222qx7gpj37i83sp2rys68m";
+ version = "0.10.1.0";
+ sha256 = "1lkhw3v7gmzgnv4y6p9l3m7qgpdahjiivx12w50kn35crkscscry";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -34033,24 +34037,6 @@ self: {
}) {};
"ascii" = callPackage
- ({ mkDerivation, ascii-case, ascii-char, ascii-group
- , ascii-predicates, ascii-superset, ascii-th, base, bytestring
- , text
- }:
- mkDerivation {
- pname = "ascii";
- version = "1.1.1.2";
- sha256 = "0wyr8s678dz2f45aiaish7xagdpnzn9rdx56zd4cs0aib0w71gl6";
- libraryHaskellDepends = [
- ascii-case ascii-char ascii-group ascii-predicates ascii-superset
- ascii-th base bytestring text
- ];
- testHaskellDepends = [ base text ];
- description = "The ASCII character set and encoding";
- license = lib.licenses.asl20;
- }) {};
-
- "ascii_1_1_2_0" = callPackage
({ mkDerivation, ascii-case, ascii-char, ascii-group, ascii-numbers
, ascii-predicates, ascii-superset, ascii-th, base, bytestring
, hedgehog, text
@@ -34137,18 +34123,6 @@ self: {
}) {};
"ascii-group" = callPackage
- ({ mkDerivation, ascii-char, base, hashable }:
- mkDerivation {
- pname = "ascii-group";
- version = "1.0.0.10";
- sha256 = "0swkv40jlcix8qs62zszkbsvw0k833l6rmrx21jzxvfi41pycd5r";
- libraryHaskellDepends = [ ascii-char base hashable ];
- testHaskellDepends = [ ascii-char base ];
- description = "ASCII character groups";
- license = lib.licenses.asl20;
- }) {};
-
- "ascii-group_1_0_0_12" = callPackage
({ mkDerivation, ascii-char, base, hashable, hedgehog }:
mkDerivation {
pname = "ascii-group";
@@ -34158,7 +34132,6 @@ self: {
testHaskellDepends = [ ascii-char base hedgehog ];
description = "ASCII character groups";
license = lib.licenses.asl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"ascii-holidays" = callPackage
@@ -34199,18 +34172,6 @@ self: {
}) {};
"ascii-predicates" = callPackage
- ({ mkDerivation, ascii-char, base }:
- mkDerivation {
- pname = "ascii-predicates";
- version = "1.0.0.8";
- sha256 = "1pl1pw6z1yc2r21v70qrm1wfnbzyq8cl0z3xn0268w1qx4qlnpng";
- libraryHaskellDepends = [ ascii-char base ];
- testHaskellDepends = [ ascii-char base ];
- description = "Various categorizations of ASCII characters";
- license = lib.licenses.asl20;
- }) {};
-
- "ascii-predicates_1_0_0_10" = callPackage
({ mkDerivation, ascii-char, base, hedgehog }:
mkDerivation {
pname = "ascii-predicates";
@@ -34220,7 +34181,6 @@ self: {
testHaskellDepends = [ ascii-char base hedgehog ];
description = "Various categorizations of ASCII characters";
license = lib.licenses.asl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"ascii-progress" = callPackage
@@ -34268,20 +34228,6 @@ self: {
}) {};
"ascii-superset" = callPackage
- ({ mkDerivation, ascii-char, base, bytestring, hashable, text }:
- mkDerivation {
- pname = "ascii-superset";
- version = "1.0.1.10";
- sha256 = "1filq9yr5lmwmn6m5ax0hpnyxlk160qbw2ikvjk4rs6078xwjwl9";
- libraryHaskellDepends = [
- ascii-char base bytestring hashable text
- ];
- testHaskellDepends = [ ascii-char base text ];
- description = "Representing ASCII with refined supersets";
- license = lib.licenses.asl20;
- }) {};
-
- "ascii-superset_1_0_1_12" = callPackage
({ mkDerivation, ascii-char, base, bytestring, hashable, hedgehog
, text
}:
@@ -34295,7 +34241,6 @@ self: {
testHaskellDepends = [ ascii-char base hedgehog text ];
description = "Representing ASCII with refined supersets";
license = lib.licenses.asl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"ascii-table" = callPackage
@@ -34316,24 +34261,6 @@ self: {
}) {};
"ascii-th" = callPackage
- ({ mkDerivation, ascii-char, ascii-superset, base, bytestring
- , template-haskell, text
- }:
- mkDerivation {
- pname = "ascii-th";
- version = "1.0.0.8";
- sha256 = "1685msxir8di3blnaykj036b640z8jsmlzvj1vwr86wf92g9gbdz";
- libraryHaskellDepends = [
- ascii-char ascii-superset base template-haskell
- ];
- testHaskellDepends = [
- ascii-char ascii-superset base bytestring text
- ];
- description = "Template Haskell support for ASCII";
- license = lib.licenses.asl20;
- }) {};
-
- "ascii-th_1_0_0_10" = callPackage
({ mkDerivation, ascii-char, ascii-superset, base, bytestring
, hedgehog, template-haskell, text
}:
@@ -34349,7 +34276,6 @@ self: {
];
description = "Template Haskell support for ASCII";
license = lib.licenses.asl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"ascii-vector-avc" = callPackage
@@ -37031,8 +36957,8 @@ self: {
}:
mkDerivation {
pname = "avro";
- version = "0.6.0.2";
- sha256 = "1xv0l5glji6g4qxib4lga55q5c58694iv1kzjimf7zdz45gs10xp";
+ version = "0.6.1.0";
+ sha256 = "0fvpva4516y9yxh2bh8kp9vzrcyh2hcffpn2f4g27l2pqsdjanyq";
libraryHaskellDepends = [
aeson array base base16-bytestring bifunctors binary bytestring
containers data-binary-ieee754 deepseq fail HasBigDecimal hashable
@@ -37089,6 +37015,8 @@ self: {
];
description = "Tool for decoding avro";
license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
}) {};
"avwx" = callPackage
@@ -38293,12 +38221,12 @@ self: {
, mtl, neat-interpolation, optparse-applicative, parallel, parsec
, posix-pty, pretty, pretty-show, process, QuickCheck, random
, shake, syb, tagged, template, temporary, text, time, transformers
- , unix, unordered-containers, vector, yaml
+ , unix, unordered-containers, vector, with-utf8, yaml
}:
mkDerivation {
pname = "b9";
- version = "3.2.0";
- sha256 = "00zsrvqj46a9f7fa8g64xrlmzbwy8gca2bsgvnkv0chzbgn26pjk";
+ version = "3.2.3";
+ sha256 = "1rczlvx3bqnm5a7ss7dgq6nhk7v578nbq9rcilrx7fwczs01k9sn";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -38314,7 +38242,7 @@ self: {
aeson base binary bytestring containers directory
extensible-effects filepath hspec hspec-expectations lens
neat-interpolation optparse-applicative process QuickCheck shake
- text unordered-containers vector yaml
+ text unordered-containers vector with-utf8 yaml
];
testHaskellDepends = [
aeson base binary bytestring containers directory
@@ -38770,18 +38698,6 @@ self: {
}) {};
"bank-holidays-england" = callPackage
- ({ mkDerivation, base, containers, hspec, QuickCheck, time }:
- mkDerivation {
- pname = "bank-holidays-england";
- version = "0.2.0.6";
- sha256 = "1g8x61byxikanfdpnmfc354gp1kyd5c4jlym9w65sh7l1jpbm4ss";
- libraryHaskellDepends = [ base containers time ];
- testHaskellDepends = [ base containers hspec QuickCheck time ];
- description = "Calculation of bank holidays in England and Wales";
- license = lib.licenses.bsd3;
- }) {};
-
- "bank-holidays-england_0_2_0_7" = callPackage
({ mkDerivation, base, containers, hspec, QuickCheck, time }:
mkDerivation {
pname = "bank-holidays-england";
@@ -38791,7 +38707,6 @@ self: {
testHaskellDepends = [ base containers hspec QuickCheck time ];
description = "Calculation of bank holidays in England and Wales";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"banwords" = callPackage
@@ -39166,17 +39081,6 @@ self: {
}) {};
"base-prelude" = callPackage
- ({ mkDerivation, base }:
- mkDerivation {
- pname = "base-prelude";
- version = "1.6";
- sha256 = "1qh45ymq4j4vr39h0641hqpbmmxcdz3lwzabfnhxl3rgm8vkcpcv";
- libraryHaskellDepends = [ base ];
- description = "Featureful preludes formed solely from the \"base\" package";
- license = lib.licenses.mit;
- }) {};
-
- "base-prelude_1_6_1" = callPackage
({ mkDerivation, base }:
mkDerivation {
pname = "base-prelude";
@@ -39185,7 +39089,6 @@ self: {
libraryHaskellDepends = [ base ];
description = "Featureful preludes formed solely from the \"base\" package";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"base-unicode-symbols" = callPackage
@@ -39223,6 +39126,31 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "base16_0_3_2_0" = callPackage
+ ({ mkDerivation, base, base16-bytestring, bytestring, criterion
+ , deepseq, primitive, QuickCheck, random-bytestring, tasty
+ , tasty-hunit, tasty-quickcheck, text, text-short
+ }:
+ mkDerivation {
+ pname = "base16";
+ version = "0.3.2.0";
+ sha256 = "149kpmx63b8bmlwjpldkxxb4ldf28qz4h4i3ars6dwlyhzxg6qav";
+ libraryHaskellDepends = [
+ base bytestring deepseq primitive text text-short
+ ];
+ testHaskellDepends = [
+ base base16-bytestring bytestring QuickCheck random-bytestring
+ tasty tasty-hunit tasty-quickcheck text text-short
+ ];
+ benchmarkHaskellDepends = [
+ base base16-bytestring bytestring criterion deepseq
+ random-bytestring text
+ ];
+ description = "Fast RFC 4648-compliant Base16 encoding";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"base16-bytestring_0_1_1_7" = callPackage
({ mkDerivation, base, bytestring, ghc-prim }:
mkDerivation {
@@ -39296,6 +39224,30 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "base32_0_2_2_0" = callPackage
+ ({ mkDerivation, base, bytestring, criterion, deepseq, memory
+ , QuickCheck, random-bytestring, tasty, tasty-hunit
+ , tasty-quickcheck, text, text-short
+ }:
+ mkDerivation {
+ pname = "base32";
+ version = "0.2.2.0";
+ sha256 = "1g4yb3v1rgggl4ks4wznidssycs23zjl6fz1iiachf730hz79w31";
+ libraryHaskellDepends = [
+ base bytestring deepseq text text-short
+ ];
+ testHaskellDepends = [
+ base bytestring memory QuickCheck random-bytestring tasty
+ tasty-hunit tasty-quickcheck text text-short
+ ];
+ benchmarkHaskellDepends = [
+ base bytestring criterion deepseq memory random-bytestring text
+ ];
+ description = "Fast RFC 4648-compliant Base32 encoding";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"base32-bytestring" = callPackage
({ mkDerivation, base, bits-extras, bytestring, cpu, criterion
, hspec, QuickCheck
@@ -39461,6 +39413,31 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "base64_0_4_2_4" = callPackage
+ ({ mkDerivation, base, base64-bytestring, bytestring, criterion
+ , deepseq, QuickCheck, random-bytestring, tasty, tasty-hunit
+ , tasty-quickcheck, text, text-short
+ }:
+ mkDerivation {
+ pname = "base64";
+ version = "0.4.2.4";
+ sha256 = "119mpqcv1rwkhwm69ga2b4f7hr825fa5wfm1w3i1szmhzh52s2k4";
+ libraryHaskellDepends = [
+ base bytestring deepseq text text-short
+ ];
+ testHaskellDepends = [
+ base base64-bytestring bytestring QuickCheck random-bytestring
+ tasty tasty-hunit tasty-quickcheck text text-short
+ ];
+ benchmarkHaskellDepends = [
+ base base64-bytestring bytestring criterion deepseq
+ random-bytestring text
+ ];
+ description = "A modern RFC 4648-compliant Base64 library";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"base64-bytes" = callPackage
({ mkDerivation, base, base64, base64-bytestring, byte-order
, bytebuild, byteslice, bytestring, gauge, natural-arithmetic
@@ -39556,6 +39533,8 @@ self: {
pname = "base64-lens";
version = "0.3.1";
sha256 = "1iszvlc22h7crwqhcafy974l0l1rgxbcjf6lb5yxsvp6q66gzhrn";
+ revision = "1";
+ editedCabalFile = "04mm8fq2lr4lv2a64aiy1q9mzg9n5cd1s62jpcbq1jgq0q4wilkh";
libraryHaskellDepends = [
base base64 bytestring lens text text-short
];
@@ -40805,20 +40784,6 @@ self: {
}) {};
"benchpress" = callPackage
- ({ mkDerivation, base, bytestring, mtl, time }:
- mkDerivation {
- pname = "benchpress";
- version = "0.2.2.18";
- sha256 = "1ihg97zkvhq7sbp851q3qdpf2mmi2l88w742pq6cldhlhb8q7xa5";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [ base mtl time ];
- executableHaskellDepends = [ base bytestring time ];
- description = "Micro-benchmarking with detailed statistics";
- license = lib.licenses.bsd3;
- }) {};
-
- "benchpress_0_2_2_19" = callPackage
({ mkDerivation, base, bytestring, mtl, time }:
mkDerivation {
pname = "benchpress";
@@ -40830,7 +40795,6 @@ self: {
executableHaskellDepends = [ base bytestring time ];
description = "Micro-benchmarking with detailed statistics";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"bencode" = callPackage
@@ -41569,21 +41533,22 @@ self: {
"binance-exports" = callPackage
({ mkDerivation, aeson, base, bytedump, bytestring, cassava
- , cmdargs, cryptohash-sha256, hedgehog, http-client, http-types
- , mtl, req, safe-exceptions, scientific, tasty, tasty-hedgehog
- , tasty-hunit, text, time
+ , cmdargs, cryptohash-sha256, directory, hedgehog, http-client
+ , http-types, mtl, raw-strings-qq, req, safe-exceptions, scientific
+ , tasty, tasty-hedgehog, tasty-hunit, text, time, xdg-basedir, yaml
}:
mkDerivation {
pname = "binance-exports";
- version = "0.1.0.0";
- sha256 = "0kx3kj84myn4vai0mw1710bwqn3vpp55qigmwidvjrs047r1vzrl";
- revision = "4";
- editedCabalFile = "17c5041sa6kas0fimik0zrynyyr9r8i4yz8lhbrjf8ar20piqx7m";
+ version = "0.1.1.0";
+ sha256 = "18gaky4kyyx6v3jxay0ax8scbqnljrfxk6papbri9hm0ylh2vh8l";
+ revision = "1";
+ editedCabalFile = "0v5ss5mn2r3ir7lbwbiszw9l4khgmvw4dfavdfg29mhv39hr1y6v";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
aeson base bytedump bytestring cassava cmdargs cryptohash-sha256
- http-client http-types mtl req safe-exceptions scientific text time
+ directory http-client http-types mtl raw-strings-qq req
+ safe-exceptions scientific text time xdg-basedir yaml
];
executableHaskellDepends = [ base ];
testHaskellDepends = [
@@ -43478,20 +43443,19 @@ self: {
];
description = "A small tool that clears cookies (and more)";
license = lib.licenses.gpl3Only;
- hydraPlatforms = lib.platforms.none;
}) {};
"biscuit-haskell" = callPackage
({ mkDerivation, aeson, async, attoparsec, base, base16-bytestring
, base64, bytestring, cereal, containers, criterion, cryptonite
- , memory, mtl, parser-combinators, protobuf, random, regex-tdfa
- , tasty, tasty-hunit, template-haskell, text, th-lift-instances
- , time, validation-selective
+ , lens, lens-aeson, memory, mtl, parser-combinators, protobuf
+ , random, regex-tdfa, tasty, tasty-hunit, template-haskell, text
+ , th-lift-instances, time, validation-selective
}:
mkDerivation {
pname = "biscuit-haskell";
- version = "0.2.0.1";
- sha256 = "1qvryksscidp5g9aax44i2q50yddkymrmrsyxc1qvd6wc2mhvqkz";
+ version = "0.2.1.0";
+ sha256 = "12c5cl3gc0518b7vrzc0v56ch8rlsc5xvdmhj8lxr085xm16dqng";
libraryHaskellDepends = [
async attoparsec base base16-bytestring base64 bytestring cereal
containers cryptonite memory mtl parser-combinators protobuf random
@@ -43500,9 +43464,9 @@ self: {
];
testHaskellDepends = [
aeson async attoparsec base base16-bytestring base64 bytestring
- cereal containers cryptonite mtl parser-combinators protobuf random
- tasty tasty-hunit template-haskell text th-lift-instances time
- validation-selective
+ cereal containers cryptonite lens lens-aeson mtl parser-combinators
+ protobuf random tasty tasty-hunit template-haskell text
+ th-lift-instances time validation-selective
];
benchmarkHaskellDepends = [ base criterion ];
description = "Library support for the Biscuit security token";
@@ -43518,8 +43482,8 @@ self: {
}:
mkDerivation {
pname = "biscuit-servant";
- version = "0.2.0.1";
- sha256 = "173qw2g8i8wib0qaw2z4g68yymc21gncfhbj9ahpzgf0l06byc7j";
+ version = "0.2.1.0";
+ sha256 = "1sw496bfvh5kfyb1f0sczjayb5b2vq14x2vdmww99knjjvn0ibxp";
libraryHaskellDepends = [
base biscuit-haskell bytestring mtl servant-server text wai
];
@@ -44174,28 +44138,6 @@ self: {
}) {};
"bits-extra" = callPackage
- ({ mkDerivation, base, criterion, doctest, doctest-discover
- , ghc-prim, hedgehog, hspec, hspec-discover, hw-hedgehog
- , hw-hspec-hedgehog, vector
- }:
- mkDerivation {
- pname = "bits-extra";
- version = "0.0.2.0";
- sha256 = "1c54008kinzcx93kc8vcp7wq7la662m8nk82ax76i9b0gvbkk21f";
- revision = "2";
- editedCabalFile = "01qlnzbc3kgbyacqg9c7ldab2s91h9s4kalld0wz9q2k1d4063lv";
- libraryHaskellDepends = [ base ghc-prim vector ];
- testHaskellDepends = [
- base doctest doctest-discover ghc-prim hedgehog hspec hw-hedgehog
- hw-hspec-hedgehog
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [ base criterion ghc-prim vector ];
- description = "Useful bitwise operations";
- license = lib.licenses.bsd3;
- }) {};
-
- "bits-extra_0_0_2_3" = callPackage
({ mkDerivation, base, criterion, doctest, doctest-discover
, ghc-prim, hedgehog, hspec, hspec-discover, hw-hedgehog
, hw-hspec-hedgehog, vector
@@ -44213,7 +44155,6 @@ self: {
benchmarkHaskellDepends = [ base criterion ghc-prim vector ];
description = "Useful bitwise operations";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"bits-extras" = callPackage
@@ -45449,8 +45390,8 @@ self: {
}:
mkDerivation {
pname = "bloodhound";
- version = "0.18.0.0";
- sha256 = "1dmmvpcmylnwwlw8p30azd9wfa4fk18fd13jnb1gx4wjs8jcwy7p";
+ version = "0.19.0.0";
+ sha256 = "00kb7dr6xknws3pyx2qdapyb6b8sgbgjyn39vn052428ipyb3a6z";
libraryHaskellDepends = [
aeson base blaze-builder bytestring containers exceptions hashable
http-client http-types mtl network-uri scientific semigroups semver
@@ -46116,10 +46057,10 @@ self: {
({ mkDerivation, base, containers, time }:
mkDerivation {
pname = "bookhound";
- version = "0.1.3.0";
- sha256 = "1jdnh2sirazhhl1nqjzv3iz8vzv4wj6rn6x0zii78023iv94lwwz";
+ version = "0.1.7.0";
+ sha256 = "0811day6w7rgpvp22d1pyjz0bdz175kk9qfzl04wg2bmfg577k2d";
libraryHaskellDepends = [ base containers time ];
- description = "Simple Parser Combinators & Parsers for usual data formats";
+ description = "Simple Parser Combinators & Parsers";
license = "LGPL";
}) {};
@@ -46355,21 +46296,6 @@ self: {
}) {};
"boomerang" = callPackage
- ({ mkDerivation, base, mtl, semigroups, template-haskell, text
- , th-abstraction
- }:
- mkDerivation {
- pname = "boomerang";
- version = "1.4.7";
- sha256 = "0ngrzwvzils6pqdgbc7hj4l41r19j2n82z78fqh312lnc1nni94i";
- libraryHaskellDepends = [
- base mtl semigroups template-haskell text th-abstraction
- ];
- description = "Library for invertible parsing and printing";
- license = lib.licenses.bsd3;
- }) {};
-
- "boomerang_1_4_8" = callPackage
({ mkDerivation, base, mtl, semigroups, template-haskell, text
, th-abstraction
}:
@@ -46382,7 +46308,6 @@ self: {
];
description = "Library for invertible parsing and printing";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"boomslang" = callPackage
@@ -46815,8 +46740,6 @@ self: {
];
description = "Read bower.json from Haskell";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
}) {};
"bowntz" = callPackage
@@ -47566,8 +47489,8 @@ self: {
pname = "brotli";
version = "0.0.0.0";
sha256 = "1l9qiw5cl0k1rcnqnj9pb7vgj1b06wckkk5i73nqr15ixgcjmr9j";
- revision = "3";
- editedCabalFile = "1h2p4f0sdf9b2aga9hlfb83fl0w9in6dm9qw42l5jjdapw3hv7nx";
+ revision = "4";
+ editedCabalFile = "0ih5mmpmhk5qnqc25dn6363xmq20z5k2x5458jp2yxbw1g367nwi";
libraryHaskellDepends = [ base bytestring transformers ];
libraryPkgconfigDepends = [ brotli ];
testHaskellDepends = [
@@ -47608,8 +47531,8 @@ self: {
pname = "brotli-streams";
version = "0.0.0.0";
sha256 = "14jc1nhm50razsl99d95amdf4njf75dnzx8vqkihgrgp7qisyz3z";
- revision = "3";
- editedCabalFile = "05531gbin8qww8b8djh8ij2s7hn302s2ld29qdxrrclfmqkk5qjy";
+ revision = "4";
+ editedCabalFile = "1mpp08l1vwvgl1gvki0wlndlf0kza2kwnx5qdcl7slanw7waa1fb";
libraryHaskellDepends = [ base brotli bytestring io-streams ];
testHaskellDepends = [
base bytestring HUnit io-streams QuickCheck test-framework
@@ -48046,6 +47969,28 @@ self: {
license = lib.licenses.mit;
}) {};
+ "bugsnag" = callPackage
+ ({ mkDerivation, base, bugsnag-hs, bytestring, containers, Glob
+ , hspec, http-client, http-client-tls, parsec, template-haskell
+ , text, th-lift-instances, ua-parser, unliftio
+ , unordered-containers
+ }:
+ mkDerivation {
+ pname = "bugsnag";
+ version = "1.0.0.0";
+ sha256 = "0s0ppjhn1qylbcia2rpccq7xma26ch1qk9lq578df4i1djpl07zl";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ base bugsnag-hs bytestring containers Glob http-client
+ http-client-tls parsec template-haskell text th-lift-instances
+ ua-parser unordered-containers
+ ];
+ testHaskellDepends = [ base hspec text unliftio ];
+ description = "Bugsnag error reporter for Haskell";
+ license = lib.licenses.mit;
+ }) {};
+
"bugsnag-haskell" = callPackage
({ mkDerivation, aeson, aeson-qq, base, bytestring
, case-insensitive, containers, doctest, Glob, hspec, http-client
@@ -48088,6 +48033,43 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "bugsnag-wai" = callPackage
+ ({ mkDerivation, base, bugsnag, bytestring, case-insensitive, hspec
+ , http-types, iproute, network, text, unordered-containers, wai
+ , warp
+ }:
+ mkDerivation {
+ pname = "bugsnag-wai";
+ version = "1.0.0.0";
+ sha256 = "0qarc8w1vprklccrr4i8z5x6m4qry2f09fi43ac7jnh1axywv93a";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ base bugsnag bytestring case-insensitive http-types iproute network
+ text unordered-containers wai warp
+ ];
+ testHaskellDepends = [ base bugsnag hspec unordered-containers ];
+ description = "WAI integration for Bugsnag error reporting for Haskell";
+ license = lib.licenses.mit;
+ }) {};
+
+ "bugsnag-yesod" = callPackage
+ ({ mkDerivation, base, bugsnag, bugsnag-wai, unliftio, wai
+ , yesod-core
+ }:
+ mkDerivation {
+ pname = "bugsnag-yesod";
+ version = "1.0.0.0";
+ sha256 = "181qdsq7dnzsna05g78r613mgfl3shxx6n0zllnzf4m3c05vq5j6";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ base bugsnag bugsnag-wai unliftio wai yesod-core
+ ];
+ description = "Yesod integration for Bugsnag error reporting for Haskell";
+ license = lib.licenses.mit;
+ }) {};
+
"bugzilla" = callPackage
({ mkDerivation, aeson, base, blaze-builder, bytestring, connection
, containers, data-default, http-conduit, http-types, iso8601-time
@@ -49752,19 +49734,6 @@ self: {
}) {};
"c14n" = callPackage
- ({ mkDerivation, base, bytestring, libxml2 }:
- mkDerivation {
- pname = "c14n";
- version = "0.1.0.1";
- sha256 = "0j5g36sxz6bp2z0z10d47lqh7rmclx3296zafc5vzns8d884sm0n";
- libraryHaskellDepends = [ base bytestring ];
- librarySystemDepends = [ libxml2 ];
- libraryPkgconfigDepends = [ libxml2 ];
- description = "Bindings to the c14n implementation in libxml";
- license = lib.licenses.mit;
- }) {inherit (pkgs) libxml2;};
-
- "c14n_0_1_0_2" = callPackage
({ mkDerivation, base, bytestring, libxml2 }:
mkDerivation {
pname = "c14n";
@@ -49775,7 +49744,6 @@ self: {
libraryPkgconfigDepends = [ libxml2 ];
description = "Bindings to the c14n implementation in libxml";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {inherit (pkgs) libxml2;};
"c2ats" = callPackage
@@ -49945,17 +49913,6 @@ self: {
}) {youProbablyWantCapitalCabal = null;};
"cabal-appimage" = callPackage
- ({ mkDerivation, base, Cabal, filepath }:
- mkDerivation {
- pname = "cabal-appimage";
- version = "0.3.0.3";
- sha256 = "0mkbfy9nxdmr8sbvpr6zrh2vvycslmrbc1m32mfxk9kr44f4wjli";
- libraryHaskellDepends = [ base Cabal filepath ];
- description = "Cabal support for creating AppImage applications";
- license = lib.licenses.agpl3Only;
- }) {};
-
- "cabal-appimage_0_3_0_4" = callPackage
({ mkDerivation, base, Cabal, filepath }:
mkDerivation {
pname = "cabal-appimage";
@@ -49964,7 +49921,6 @@ self: {
libraryHaskellDepends = [ base Cabal filepath ];
description = "Cabal support for creating AppImage applications";
license = lib.licenses.agpl3Only;
- hydraPlatforms = lib.platforms.none;
}) {};
"cabal-audit" = callPackage
@@ -50722,6 +50678,7 @@ self: {
libraryHaskellDepends = [ base Cabal lens process ];
description = "Make Cabal aware of pkg-config package versions";
license = lib.licenses.bsd3;
+ maintainers = with lib.maintainers; [ roberth ];
}) {};
"cabal-plan" = callPackage
@@ -50806,6 +50763,28 @@ self: {
license = lib.licenses.gpl3Only;
}) {};
+ "cabal-rpm_2_0_11_1" = callPackage
+ ({ mkDerivation, base, bytestring, Cabal, directory, extra
+ , filepath, http-client, http-client-tls, http-conduit
+ , optparse-applicative, process, simple-cabal, simple-cmd
+ , simple-cmd-args, time, unix
+ }:
+ mkDerivation {
+ pname = "cabal-rpm";
+ version = "2.0.11.1";
+ sha256 = "07a2jnzldyva1smbxxdknimzydj2rhr7whhgh5q4nwkifkiliadv";
+ isLibrary = false;
+ isExecutable = true;
+ executableHaskellDepends = [
+ base bytestring Cabal directory extra filepath http-client
+ http-client-tls http-conduit optparse-applicative process
+ simple-cabal simple-cmd simple-cmd-args time unix
+ ];
+ description = "RPM packaging tool for Haskell Cabal-based packages";
+ license = lib.licenses.gpl3Only;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"cabal-scripts" = callPackage
({ mkDerivation, base }:
mkDerivation {
@@ -52393,29 +52372,6 @@ self: {
}) {};
"capability" = callPackage
- ({ mkDerivation, base, constraints, containers, dlist, exceptions
- , generic-lens, hspec, lens, monad-control, mtl, mutable-containers
- , primitive, reflection, safe-exceptions, silently, streaming
- , temporary, text, transformers, unliftio, unliftio-core
- }:
- mkDerivation {
- pname = "capability";
- version = "0.5.0.0";
- sha256 = "116phv80mqs5jd3pv0ar29xfjcg8jf2c77fp530dk0k3da8v5d38";
- libraryHaskellDepends = [
- base constraints dlist exceptions generic-lens lens monad-control
- mtl mutable-containers primitive reflection safe-exceptions
- streaming transformers unliftio unliftio-core
- ];
- testHaskellDepends = [
- base containers dlist hspec lens mtl silently streaming temporary
- text unliftio
- ];
- description = "Extensional capabilities and deriving combinators";
- license = lib.licenses.bsd3;
- }) {};
-
- "capability_0_5_0_1" = callPackage
({ mkDerivation, base, constraints, containers, dlist, exceptions
, generic-lens, hspec, lens, monad-control, mtl, mutable-containers
, primitive, reflection, safe-exceptions, silently, streaming
@@ -52436,7 +52392,6 @@ self: {
];
description = "Extensional capabilities and deriving combinators";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"capataz" = callPackage
@@ -61117,24 +61072,6 @@ self: {
}) {};
"comfort-graph" = callPackage
- ({ mkDerivation, base, containers, QuickCheck, semigroups
- , transformers, utility-ht
- }:
- mkDerivation {
- pname = "comfort-graph";
- version = "0.0.3.1";
- sha256 = "0qmmz3z9dgjb41rj6g81ppxaj4jswqnnb8bqn2s1dd6hf6cih9n9";
- libraryHaskellDepends = [
- base containers QuickCheck semigroups transformers utility-ht
- ];
- testHaskellDepends = [
- base containers QuickCheck transformers utility-ht
- ];
- description = "Graph structure with type parameters for nodes and edges";
- license = lib.licenses.bsd3;
- }) {};
-
- "comfort-graph_0_0_3_2" = callPackage
({ mkDerivation, base, containers, doctest-exitcode-stdio
, QuickCheck, semigroups, transformers, utility-ht
}:
@@ -61151,7 +61088,6 @@ self: {
];
description = "Graph structure with type parameters for nodes and edges";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"comic" = callPackage
@@ -61434,12 +61370,12 @@ self: {
}) {};
"commutative-semigroups" = callPackage
- ({ mkDerivation, base }:
+ ({ mkDerivation, base, containers }:
mkDerivation {
pname = "commutative-semigroups";
- version = "0.0.1.0";
- sha256 = "0vpg3vl84pwv7rnrmh0g6dzg0x61w919c84bry6gpmdkil55zlll";
- libraryHaskellDepends = [ base ];
+ version = "0.0.2.0";
+ sha256 = "05nkma7rjxj2l31pzj3sd1lgyswf2jn8a25qnp6k7hcq67x3rhqm";
+ libraryHaskellDepends = [ base containers ];
description = "Commutative semigroups";
license = lib.licenses.bsd3;
}) {};
@@ -64292,8 +64228,8 @@ self: {
}:
mkDerivation {
pname = "config-value";
- version = "0.8.2";
- sha256 = "1yfy453mykwav6b3i58bmpkyb8jxyh96b96lvx2iyd4dz1i75cdk";
+ version = "0.8.2.1";
+ sha256 = "1kqkh5w4q8k2r9gab2x4grsbgx7gi18fabg7laiwpl3dm2acmz7k";
libraryHaskellDepends = [ array base containers pretty text ];
libraryToolDepends = [ alex happy ];
testHaskellDepends = [ base text ];
@@ -65030,34 +64966,6 @@ self: {
}) {};
"construct" = callPackage
- ({ mkDerivation, attoparsec, base, bytestring, Cabal, cabal-doctest
- , cereal, directory, doctest, filepath, incremental-parser
- , input-parsers, markdown-unlit, monoid-subclasses, parsers
- , rank2classes, tasty, tasty-hunit, text
- }:
- mkDerivation {
- pname = "construct";
- version = "0.3.0.2";
- sha256 = "1qng4g9x9smzg3gydpqyxalb49n9673rfn606qh3mq1xhcvj127j";
- enableSeparateDataOutput = true;
- setupHaskellDepends = [ base Cabal cabal-doctest ];
- libraryHaskellDepends = [
- attoparsec base bytestring cereal incremental-parser input-parsers
- monoid-subclasses parsers rank2classes text
- ];
- testHaskellDepends = [
- attoparsec base bytestring cereal directory doctest filepath
- incremental-parser monoid-subclasses rank2classes tasty tasty-hunit
- text
- ];
- testToolDepends = [ markdown-unlit ];
- description = "Haskell version of the Construct library for easy specification of file formats";
- license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "construct_0_3_1" = callPackage
({ mkDerivation, attoparsec, base, bytestring, Cabal, cabal-doctest
, cereal, directory, doctest, filepath, incremental-parser
, input-parsers, markdown-unlit, monoid-subclasses, parsers
@@ -70582,20 +70490,6 @@ self: {
}) {};
"d10" = callPackage
- ({ mkDerivation, base, hedgehog, template-haskell }:
- mkDerivation {
- pname = "d10";
- version = "1.0.0.2";
- sha256 = "10jc4sa986r194py1gg90mixvb2h4d1m12zwi6y5hffmrc910qva";
- revision = "1";
- editedCabalFile = "1ffwq8kfg90a5gfdm41fid7n4aszzl4j2mpnr4pp95ri174awqbz";
- libraryHaskellDepends = [ base template-haskell ];
- testHaskellDepends = [ base hedgehog template-haskell ];
- description = "Digits 0-9";
- license = lib.licenses.mit;
- }) {};
-
- "d10_1_0_1_0" = callPackage
({ mkDerivation, base, hashable, hedgehog, template-haskell }:
mkDerivation {
pname = "d10";
@@ -70608,7 +70502,6 @@ self: {
doHaddock = false;
description = "Digits 0-9";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"d3d11binding" = callPackage
@@ -73149,10 +73042,8 @@ self: {
}:
mkDerivation {
pname = "datadog";
- version = "0.2.5.0";
- sha256 = "15vbx09f2l250wlmk1wcnfrdmma81dghmy5gbyc6z7s8aqf9vib6";
- revision = "1";
- editedCabalFile = "1427mp2sjq3n3w16266012lvqzajvn5sh63dlw2rzncscy8102nf";
+ version = "0.3.0.0";
+ sha256 = "0azjwmijk9dvikyajhapmbl4ckdnrji684yqzhm0p3m34rvzj2p4";
libraryHaskellDepends = [
aeson auto-update base buffer-builder bytestring containers dlist
http-client http-client-tls http-types lens lifted-base
@@ -74303,8 +74194,8 @@ self: {
}:
mkDerivation {
pname = "dear-imgui";
- version = "1.4.0";
- sha256 = "02s649lbfil4c5hqvqrqp93sag21g45hmfw2nxbnpazj1cn1bk7w";
+ version = "1.5.0";
+ sha256 = "04h44z24712rfp8pnxa90vx5jh5szan5pz33xj8x5mly1vbqzyd7";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -74732,15 +74623,15 @@ self: {
"deep-transformations" = callPackage
({ mkDerivation, base, Cabal, cabal-doctest, doctest, generic-lens
- , markdown-unlit, rank2classes, template-haskell
+ , markdown-unlit, rank2classes, template-haskell, transformers
}:
mkDerivation {
pname = "deep-transformations";
- version = "0.1";
- sha256 = "007j67gx2nq77d5zcikywjjc5hs14x95hn94sbzrjh708azbb7gc";
+ version = "0.2";
+ sha256 = "1kk7h4vys9l0456kaapdg1y1d8lzfkzkb71mc996l2lmrdxvzz5v";
setupHaskellDepends = [ base Cabal cabal-doctest ];
libraryHaskellDepends = [
- base generic-lens rank2classes template-haskell
+ base generic-lens rank2classes template-haskell transformers
];
testHaskellDepends = [ base doctest rank2classes ];
testToolDepends = [ markdown-unlit ];
@@ -81994,22 +81885,6 @@ self: {
}) {};
"domain-core" = callPackage
- ({ mkDerivation, base, template-haskell
- , template-haskell-compat-v0208, text, th-lego, th-lift-instances
- }:
- mkDerivation {
- pname = "domain-core";
- version = "0.1.0.1";
- sha256 = "1zfn1nhhz810j5sq1l4i74iyxwf4gq9zr1gic76y1wv4gv1k096a";
- libraryHaskellDepends = [
- base template-haskell template-haskell-compat-v0208 text th-lego
- th-lift-instances
- ];
- description = "Low-level API of \"domain\"";
- license = lib.licenses.mit;
- }) {};
-
- "domain-core_0_1_0_2" = callPackage
({ mkDerivation, base, template-haskell
, template-haskell-compat-v0208, text, th-lego, th-lift-instances
}:
@@ -82023,30 +81898,9 @@ self: {
];
description = "Low-level API of \"domain\"";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"domain-optics" = callPackage
- ({ mkDerivation, base, domain, domain-core, optics, optics-core
- , rerebase, template-haskell, template-haskell-compat-v0208, text
- , th-lego, unordered-containers
- }:
- mkDerivation {
- pname = "domain-optics";
- version = "0.1.0.2";
- sha256 = "1j5165idl61gzxiknhpfqn4shji7cf2pcjlwazc2g5a86rvq0i0s";
- libraryHaskellDepends = [
- base domain-core optics-core template-haskell
- template-haskell-compat-v0208 text th-lego unordered-containers
- ];
- testHaskellDepends = [ domain optics rerebase ];
- description = "Integration of domain with optics";
- license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "domain-optics_0_1_0_3" = callPackage
({ mkDerivation, base, domain, domain-core, optics, optics-core
, rerebase, template-haskell, template-haskell-compat-v0208, text
, th-lego, unordered-containers
@@ -82210,35 +82064,6 @@ self: {
}) {};
"dotenv" = callPackage
- ({ mkDerivation, base, base-compat, containers, directory
- , exceptions, hspec, hspec-discover, hspec-megaparsec, megaparsec
- , optparse-applicative, process, text, transformers
- }:
- mkDerivation {
- pname = "dotenv";
- version = "0.9.0.0";
- sha256 = "12w7n6yn8mk5l3b2a1ppzg3s4fvs24gx2plas8amhxrqdpx4gdk7";
- isLibrary = true;
- isExecutable = true;
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- base base-compat containers directory exceptions megaparsec process
- text transformers
- ];
- executableHaskellDepends = [
- base base-compat megaparsec optparse-applicative process text
- transformers
- ];
- testHaskellDepends = [
- base base-compat containers directory exceptions hspec
- hspec-megaparsec megaparsec process text transformers
- ];
- testToolDepends = [ hspec-discover ];
- description = "Loads environment variables from dotenv files";
- license = lib.licenses.mit;
- }) {};
-
- "dotenv_0_9_0_2" = callPackage
({ mkDerivation, base, base-compat, containers, directory
, exceptions, hspec, hspec-discover, hspec-megaparsec, megaparsec
, optparse-applicative, process, text
@@ -82264,7 +82089,6 @@ self: {
testToolDepends = [ hspec-discover ];
description = "Loads environment variables from dotenv files";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"dotfs" = callPackage
@@ -86527,8 +86351,8 @@ self: {
}:
mkDerivation {
pname = "elm-street";
- version = "0.1.0.4";
- sha256 = "1dnpzc70qznbm3f678lxzkfbyihcqhlg185db09q64aj20hls5d6";
+ version = "0.2.0.0";
+ sha256 = "1q8gyig2dsqxg2r139z99pnyy57zjzh9rnawxdk3g2wb175vpa2p";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -86958,22 +86782,6 @@ self: {
}) {};
"email-validate" = callPackage
- ({ mkDerivation, attoparsec, base, bytestring, doctest, hspec
- , QuickCheck, template-haskell
- }:
- mkDerivation {
- pname = "email-validate";
- version = "2.3.2.15";
- sha256 = "0n67wss6k8lhwfkybkhsa04bbdfdv541sacbxlylkx2hqpj5r5gh";
- libraryHaskellDepends = [
- attoparsec base bytestring template-haskell
- ];
- testHaskellDepends = [ base bytestring doctest hspec QuickCheck ];
- description = "Email address validation";
- license = lib.licenses.bsd3;
- }) {};
-
- "email-validate_2_3_2_16" = callPackage
({ mkDerivation, attoparsec, base, bytestring, doctest, hspec
, QuickCheck, template-haskell
}:
@@ -86987,7 +86795,6 @@ self: {
testHaskellDepends = [ base bytestring doctest hspec QuickCheck ];
description = "Email address validation";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"email-validate-json" = callPackage
@@ -88921,6 +88728,8 @@ self: {
pname = "esqueleto";
version = "3.5.3.1";
sha256 = "16i0hnn91a77jdzmj8zwr328splaqbk0wzbj3kvrwnbylwjbdccm";
+ revision = "1";
+ editedCabalFile = "1b5q5nf5b32id5g3gbndsn3c31m3ch57a5w16akfww711dk45lyz";
libraryHaskellDepends = [
aeson attoparsec base blaze-html bytestring conduit containers
monad-logger persistent resourcet tagged text time transformers
@@ -88937,6 +88746,35 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "esqueleto_3_5_3_2" = callPackage
+ ({ mkDerivation, aeson, attoparsec, base, blaze-html, bytestring
+ , conduit, containers, exceptions, hspec, hspec-core, monad-logger
+ , mtl, mysql, mysql-simple, persistent, persistent-mysql
+ , persistent-postgresql, persistent-sqlite, postgresql-simple
+ , QuickCheck, resourcet, tagged, text, time, transformers, unliftio
+ , unordered-containers
+ }:
+ mkDerivation {
+ pname = "esqueleto";
+ version = "3.5.3.2";
+ sha256 = "0sdp8zxa8jqql1dmhm0wf20hj5yd3853ha7f8wg24dvbjff8z1yj";
+ libraryHaskellDepends = [
+ aeson attoparsec base blaze-html bytestring conduit containers
+ monad-logger persistent resourcet tagged text time transformers
+ unliftio unordered-containers
+ ];
+ testHaskellDepends = [
+ aeson attoparsec base blaze-html bytestring conduit containers
+ exceptions hspec hspec-core monad-logger mtl mysql mysql-simple
+ persistent persistent-mysql persistent-postgresql persistent-sqlite
+ postgresql-simple QuickCheck resourcet tagged text time
+ transformers unliftio unordered-containers
+ ];
+ description = "Type-safe EDSL for SQL queries on persistent backends";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"esqueleto-pgcrypto" = callPackage
({ mkDerivation, base, esqueleto, hspec, monad-logger, persistent
, persistent-postgresql, QuickCheck, text, transformers, unliftio
@@ -89023,6 +88861,9 @@ self: {
];
description = "General purpose live coding framework - PortMidi backend";
license = lib.licenses.bsd3;
+ platforms = [
+ "aarch64-linux" "armv7l-linux" "i686-linux" "x86_64-linux"
+ ];
}) {};
"essence-of-live-coding-gloss" = callPackage
@@ -93622,32 +93463,6 @@ self: {
}) {};
"feed" = callPackage
- ({ mkDerivation, base, base-compat, bytestring, doctest
- , doctest-driver-gen, HUnit, markdown-unlit, old-locale, old-time
- , safe, syb, test-framework, test-framework-hunit, text, time
- , time-locale-compat, utf8-string, xml-conduit, xml-types
- }:
- mkDerivation {
- pname = "feed";
- version = "1.3.2.0";
- sha256 = "0kv3vx3njqlhwvkmf12m1gmwl8jj97kfa60da2362vwdavhcf4dk";
- revision = "3";
- editedCabalFile = "029bip9jrmygvsdrdxn5gyb899kny41a98xjvy65gapd8ir1fd43";
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- base base-compat bytestring old-locale old-time safe text time
- time-locale-compat utf8-string xml-conduit xml-types
- ];
- testHaskellDepends = [
- base base-compat doctest doctest-driver-gen HUnit old-time syb
- test-framework test-framework-hunit text time xml-conduit xml-types
- ];
- testToolDepends = [ doctest-driver-gen markdown-unlit ];
- description = "Interfacing with RSS (v 0.9x, 2.x, 1.0) + Atom feeds.";
- license = lib.licenses.bsd3;
- }) {};
-
- "feed_1_3_2_1" = callPackage
({ mkDerivation, base, base-compat, bytestring, doctest
, doctest-driver-gen, HUnit, markdown-unlit, old-locale, old-time
, safe, syb, test-framework, test-framework-hunit, text, time
@@ -93669,7 +93484,6 @@ self: {
testToolDepends = [ doctest-driver-gen markdown-unlit ];
description = "Interfacing with RSS (v 0.9x, 2.x, 1.0) + Atom feeds.";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"feed-cli" = callPackage
@@ -101298,6 +101112,23 @@ self: {
license = lib.licenses.asl20;
}) {};
+ "fusion-plugin_0_2_4" = callPackage
+ ({ mkDerivation, base, containers, directory, filepath
+ , fusion-plugin-types, ghc, syb, time, transformers
+ }:
+ mkDerivation {
+ pname = "fusion-plugin";
+ version = "0.2.4";
+ sha256 = "1q0xsrzl0zlnx6wga8aw8h40innl76zbnn1dpb02wli6nlq237kp";
+ libraryHaskellDepends = [
+ base containers directory filepath fusion-plugin-types ghc syb time
+ transformers
+ ];
+ description = "GHC plugin to make stream fusion more predictable";
+ license = lib.licenses.asl20;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"fusion-plugin-types" = callPackage
({ mkDerivation, base }:
mkDerivation {
@@ -104242,29 +104073,6 @@ self: {
}) {};
"genvalidity-text" = callPackage
- ({ mkDerivation, array, base, criterion, genvalidity
- , genvalidity-criterion, genvalidity-hspec, hspec, QuickCheck
- , random, text, validity, validity-text
- }:
- mkDerivation {
- pname = "genvalidity-text";
- version = "1.0.0.0";
- sha256 = "1gr5wqp2rph212hz60kk94wp14p7pwrhay8vlg2b8g40ixai8qw6";
- libraryHaskellDepends = [
- array base genvalidity QuickCheck random text validity
- validity-text
- ];
- testHaskellDepends = [
- base genvalidity genvalidity-hspec hspec QuickCheck text
- ];
- benchmarkHaskellDepends = [
- base criterion genvalidity genvalidity-criterion QuickCheck text
- ];
- description = "GenValidity support for Text";
- license = lib.licenses.mit;
- }) {};
-
- "genvalidity-text_1_0_0_1" = callPackage
({ mkDerivation, array, base, criterion, genvalidity
, genvalidity-criterion, genvalidity-hspec, hspec, QuickCheck
, random, text, validity, validity-text
@@ -104285,7 +104093,6 @@ self: {
];
description = "GenValidity support for Text";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"genvalidity-time" = callPackage
@@ -105061,12 +104868,12 @@ self: {
}) {};
"ghc-datasize" = callPackage
- ({ mkDerivation, base, deepseq, ghc-prim }:
+ ({ mkDerivation, base, deepseq, ghc-heap, ghc-prim }:
mkDerivation {
pname = "ghc-datasize";
- version = "0.2.5";
- sha256 = "1n8pz93lga1mizla91fwz16gd0831wjqskqbk0qr4m585zpzhh4d";
- libraryHaskellDepends = [ base deepseq ghc-prim ];
+ version = "0.2.6";
+ sha256 = "0nprk7mzr6n63ihjdqrs2kd16hzl72n04zi3hpsjlszy8gzizqg5";
+ libraryHaskellDepends = [ base deepseq ghc-heap ghc-prim ];
description = "Determine the size of data structures in GHC's memory";
license = lib.licenses.bsd3;
hydraPlatforms = lib.platforms.none;
@@ -109499,6 +109306,25 @@ self: {
license = lib.licenses.mit;
}) {};
+ "github-webhooks_0_16_0" = callPackage
+ ({ mkDerivation, aeson, base, base16-bytestring, bytestring
+ , cryptonite, deepseq, deepseq-generics, hspec, memory, text, time
+ , vector
+ }:
+ mkDerivation {
+ pname = "github-webhooks";
+ version = "0.16.0";
+ sha256 = "1h0l4p0wyy4d6k43gxjfjx2fv0a59xd900dr14ydxdjn75yhc7g0";
+ libraryHaskellDepends = [
+ aeson base base16-bytestring bytestring cryptonite deepseq
+ deepseq-generics memory text time vector
+ ];
+ testHaskellDepends = [ aeson base bytestring hspec text vector ];
+ description = "Aeson instances for GitHub Webhook payloads";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"githud" = callPackage
({ mkDerivation, base, bytestring, daemons, data-default, directory
, filelock, mtl, network, parsec, process, tasty, tasty-hunit
@@ -110458,17 +110284,6 @@ self: {
}) {};
"gloss-algorithms" = callPackage
- ({ mkDerivation, base, containers, ghc-prim, gloss }:
- mkDerivation {
- pname = "gloss-algorithms";
- version = "1.13.0.2";
- sha256 = "0wx546hm1afgq0al5bk1g2qfgg9r520whm6igz18lkc9fsksjfgd";
- libraryHaskellDepends = [ base containers ghc-prim gloss ];
- description = "Data structures and algorithms for working with 2D graphics";
- license = lib.licenses.mit;
- }) {};
-
- "gloss-algorithms_1_13_0_3" = callPackage
({ mkDerivation, base, containers, ghc-prim, gloss }:
mkDerivation {
pname = "gloss-algorithms";
@@ -110477,7 +110292,6 @@ self: {
libraryHaskellDepends = [ base containers ghc-prim gloss ];
description = "Data structures and algorithms for working with 2D graphics";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"gloss-banana" = callPackage
@@ -115194,16 +115008,16 @@ self: {
}:
mkDerivation {
pname = "graphql";
- version = "1.0.2.0";
- sha256 = "1wnamdj6d0m1qqngslwiv5s20f16v9000hn2jq7q4m3f2y2pf2kb";
+ version = "1.0.3.0";
+ sha256 = "10b8kqzbw1cb3ylb16v7ps1qxr11irz4546plq0y1ah7cbrgs3d3";
libraryHaskellDepends = [
aeson base conduit containers exceptions hspec-expectations
megaparsec parser-combinators scientific template-haskell text
transformers unordered-containers vector
];
testHaskellDepends = [
- base conduit exceptions hspec hspec-megaparsec megaparsec
- QuickCheck text unordered-containers
+ base conduit containers exceptions hspec hspec-megaparsec
+ megaparsec QuickCheck text unordered-containers vector
];
description = "Haskell GraphQL implementation";
license = "MPL-2.0 AND BSD-3-Clause";
@@ -115273,6 +115087,28 @@ self: {
hydraPlatforms = lib.platforms.none;
}) {};
+ "graphql-spice" = callPackage
+ ({ mkDerivation, aeson, base, conduit, containers, exceptions
+ , graphql, hspec, hspec-expectations, megaparsec, scientific, text
+ , unordered-containers, vector
+ }:
+ mkDerivation {
+ pname = "graphql-spice";
+ version = "1.0.0.0";
+ sha256 = "06ni93n7wqi68k7vaqjls1hz36kiv3gcvlbnfz8wfhc5vgi8qznh";
+ libraryHaskellDepends = [
+ aeson base conduit containers exceptions graphql hspec-expectations
+ megaparsec scientific text unordered-containers vector
+ ];
+ testHaskellDepends = [
+ aeson base graphql hspec scientific text unordered-containers
+ ];
+ description = "GraphQL with batteries";
+ license = lib.licenses.mpl20;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
+ }) {};
+
"graphql-utils" = callPackage
({ mkDerivation, aeson, aeson-helper, base, graphql, text
, unordered-containers, vector
@@ -115772,26 +115608,25 @@ self: {
}) {};
"grid-proto" = callPackage
- ({ mkDerivation, aeson, base, bytestring, containers, linear, sdl2
- , sdl2-fps, sdl2-gfx, sdl2-mixer, sdl2-ttf, StateVar, text, vector
+ ({ mkDerivation, base, bytestring, containers, linear, sdl2
+ , sdl2-gfx, sdl2-mixer, sdl2-ttf, StateVar, text, vector
}:
mkDerivation {
pname = "grid-proto";
- version = "0.1.0.0";
- sha256 = "0jwwgnzv27af5wcynfi2rm1xnp5lvqrnaqi1asw27ng4413y3jqk";
+ version = "0.2.0.1";
+ sha256 = "0hg7302jab5v9v26w9g400y98mrxphjijlwj9mb5aqlcmbp93cps";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
- aeson base bytestring containers linear sdl2 sdl2-fps sdl2-gfx
- sdl2-mixer sdl2-ttf StateVar text vector
+ base bytestring containers linear sdl2 sdl2-gfx sdl2-mixer sdl2-ttf
+ StateVar text vector
];
- executableHaskellDepends = [
- aeson base bytestring containers linear sdl2 sdl2-fps sdl2-gfx
- sdl2-mixer sdl2-ttf StateVar text vector
- ];
- description = "Grid-based prototyping framework";
+ executableHaskellDepends = [ base ];
+ description = "Game engine for Prototyping on a Grid";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
+ platforms = [
+ "aarch64-linux" "armv7l-linux" "i686-linux" "x86_64-linux"
+ ];
}) {};
"gridbounds" = callPackage
@@ -116815,27 +116650,6 @@ self: {
}) {inherit (pkgs) xlibsWrapper;};
"gtk2hs-buildtools" = callPackage
- ({ mkDerivation, alex, array, base, Cabal, containers, directory
- , filepath, happy, hashtables, pretty, process, random
- }:
- mkDerivation {
- pname = "gtk2hs-buildtools";
- version = "0.13.8.2";
- sha256 = "01zdjn50lj8aw0ild97m4g7k1jfscsxvabs2f6laxk6ql6jy5iag";
- isLibrary = true;
- isExecutable = true;
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- array base Cabal containers directory filepath hashtables pretty
- process random
- ];
- libraryToolDepends = [ alex happy ];
- executableHaskellDepends = [ base ];
- description = "Tools to build the Gtk2Hs suite of User Interface libraries";
- license = lib.licenses.gpl2Only;
- }) {};
-
- "gtk2hs-buildtools_0_13_8_3" = callPackage
({ mkDerivation, alex, array, base, Cabal, containers, directory
, filepath, happy, hashtables, pretty, process, random
}:
@@ -116854,7 +116668,6 @@ self: {
executableHaskellDepends = [ base ];
description = "Tools to build the Gtk2Hs suite of User Interface libraries";
license = lib.licenses.gpl2Only;
- hydraPlatforms = lib.platforms.none;
}) {};
"gtk2hs-cast-glade" = callPackage
@@ -119578,8 +119391,8 @@ self: {
pname = "hakyll";
version = "4.15.1.1";
sha256 = "0b3bw275q1xbx8qs9a6gzzs3c9z3qdj7skqhpp09jkchi5kdvhvi";
- revision = "1";
- editedCabalFile = "020nb84lc4xl87zysy5v81f91aw494r5aa917z08vw2zsd3jdl9g";
+ revision = "2";
+ editedCabalFile = "0rsr61xndj6kxwscbp4zcq2y5x9cg7y0r4iblj3s767yw1ajnpn4";
isLibrary = true;
isExecutable = true;
enableSeparateDataOutput = true;
@@ -119791,8 +119604,8 @@ self: {
pname = "hakyll-convert";
version = "0.3.0.4";
sha256 = "09fqr05mvs0qs53psq97kn1s4axinwn1vr5d6af4sqj3zc5k6k39";
- revision = "1";
- editedCabalFile = "0sg82zrawgklzkzpj8gpigwh1ixzi2igsxl8s881skq1z9k1fphj";
+ revision = "2";
+ editedCabalFile = "04j3f0p71y8hwx92daj31r609xj647r3v5yhxr9whzfn432wj7p1";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -120048,10 +119861,10 @@ self: {
}:
mkDerivation {
pname = "hal";
- version = "0.4.9";
- sha256 = "10mqs33bs85m65g4kscb24abbdaabnrc4841mnj6pravq165b9v7";
+ version = "0.4.10";
+ sha256 = "10byncg5m23qfzi2avlrh3yq5gdppgiy998a225wa5p95m31xh9b";
revision = "1";
- editedCabalFile = "0fdny4nsdh4m445qc2f0b87xci9i11q8ccdw59qx67qp2c2121l3";
+ editedCabalFile = "01mrqgh8n1kzpclcfqpc02jqdijj9pwks9bia5hs1s6vnasbpfg7";
libraryHaskellDepends = [
aeson base base64-bytestring bytestring case-insensitive conduit
conduit-extra containers envy exceptions hashable http-client
@@ -120066,7 +119879,7 @@ self: {
license = lib.licenses.bsd3;
}) {};
- "hal_0_4_10" = callPackage
+ "hal_0_4_10_1" = callPackage
({ mkDerivation, aeson, base, base64-bytestring, bytestring
, case-insensitive, conduit, conduit-extra, containers, envy
, exceptions, hashable, hedgehog, hspec, hspec-hedgehog
@@ -120075,10 +119888,10 @@ self: {
}:
mkDerivation {
pname = "hal";
- version = "0.4.10";
- sha256 = "10byncg5m23qfzi2avlrh3yq5gdppgiy998a225wa5p95m31xh9b";
+ version = "0.4.10.1";
+ sha256 = "1mxlyx0zxvklrybasx8p6di72aw431mbbyj06pb91570j9c46fp0";
revision = "1";
- editedCabalFile = "01mrqgh8n1kzpclcfqpc02jqdijj9pwks9bia5hs1s6vnasbpfg7";
+ editedCabalFile = "1y26hf8paym4yj34zvi2d2faji8mvw4g4zl17ii9jfwldfqd0r19";
libraryHaskellDepends = [
aeson base base64-bytestring bytestring case-insensitive conduit
conduit-extra containers envy exceptions hashable http-client
@@ -122010,31 +121823,6 @@ self: {
}) {};
"hasbolt" = callPackage
- ({ mkDerivation, base, base64-bytestring, binary, bytestring
- , connection, containers, criterion, data-binary-ieee754
- , data-default, deepseq, deepseq-generics, hspec, mtl, network
- , QuickCheck, text
- }:
- mkDerivation {
- pname = "hasbolt";
- version = "0.1.6.1";
- sha256 = "1skniw27z4p3103anh2jc546h0jkvsacsnwnf32zz7a4paw6z280";
- libraryHaskellDepends = [
- base binary bytestring connection containers data-binary-ieee754
- data-default deepseq deepseq-generics mtl network text
- ];
- testHaskellDepends = [
- base binary bytestring containers hspec QuickCheck text
- ];
- benchmarkHaskellDepends = [
- base base64-bytestring binary bytestring criterion data-default
- hspec
- ];
- description = "Haskell driver for Neo4j 3+ (BOLT protocol)";
- license = lib.licenses.bsd3;
- }) {};
-
- "hasbolt_0_1_6_2" = callPackage
({ mkDerivation, base, base64-bytestring, binary, bytestring
, connection, containers, criterion, data-binary-ieee754
, data-default, deepseq, deepseq-generics, hspec, mtl, network
@@ -122057,7 +121845,6 @@ self: {
];
description = "Haskell driver for Neo4j 3+ (BOLT protocol)";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hasbolt-extras" = callPackage
@@ -130679,8 +130466,8 @@ self: {
}:
mkDerivation {
pname = "hercules-ci-agent";
- version = "0.9.1";
- sha256 = "1wch2q73j8wgvdda1w4v14js85d90ag9dxz1lh3fycdwf2z0agss";
+ version = "0.9.2";
+ sha256 = "1518hkza6xgvy6ykvmv12pc0lhdf5apbjahpgw6bdrwnfyj0xicm";
isLibrary = true;
isExecutable = true;
enableSeparateDataOutput = true;
@@ -130690,9 +130477,9 @@ self: {
containers directory dlist exceptions filepath
hercules-ci-api-agent hercules-ci-api-core hercules-ci-cnix-expr
hercules-ci-cnix-store katip lens lens-aeson lifted-async
- lifted-base monad-control mtl network-uri process process-extras
- protolude safe-exceptions stm tagged temporary text time
- transformers transformers-base unbounded-delays unix unliftio
+ lifted-base monad-control mtl network network-uri process
+ process-extras protolude safe-exceptions stm tagged temporary text
+ time transformers transformers-base unbounded-delays unix unliftio
unliftio-core uuid websockets wuss
];
executableHaskellDepends = [
@@ -130765,8 +130552,8 @@ self: {
}:
mkDerivation {
pname = "hercules-ci-api-agent";
- version = "0.4.3.0";
- sha256 = "1rrh016ajy1f69bky5x0380g7kgvlvj56a25cxdq3wbd4yr6p1br";
+ version = "0.4.4.0";
+ sha256 = "1p4bclcmjmiy28f2ynjx310v0a7iqx26af5dsnrcd9qcgrzh0q7f";
libraryHaskellDepends = [
aeson base base64-bytestring-type bytestring containers cookie
deepseq exceptions hashable hercules-ci-api-core http-api-data
@@ -133082,7 +132869,6 @@ self: {
];
description = "A rich monadic API for working with leveldb databases";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"higherorder" = callPackage
@@ -133682,6 +133468,28 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "hint_0_9_0_6" = callPackage
+ ({ mkDerivation, base, bytestring, containers, directory
+ , exceptions, filepath, ghc, ghc-boot, ghc-paths, HUnit, random
+ , stm, temporary, text, transformers, typed-process, unix
+ }:
+ mkDerivation {
+ pname = "hint";
+ version = "0.9.0.6";
+ sha256 = "1j7jzx8i1rc66xw4c6gf4kjv0a8ma96j25kfz6rzswik4vp5xmky";
+ libraryHaskellDepends = [
+ base containers directory exceptions filepath ghc ghc-boot
+ ghc-paths random temporary transformers unix
+ ];
+ testHaskellDepends = [
+ base bytestring containers directory exceptions filepath HUnit stm
+ text typed-process unix
+ ];
+ description = "A Haskell interpreter built on top of the GHC API";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"hint-server" = callPackage
({ mkDerivation, base, eprocess, exceptions, hint, monad-loops, mtl
}:
@@ -134548,6 +134356,26 @@ self: {
license = lib.licenses.gpl3Only;
}) {};
+ "hkgr_0_4" = callPackage
+ ({ mkDerivation, base, bytestring, directory, extra, filepath
+ , simple-cabal, simple-cmd-args, typed-process, xdg-basedir
+ }:
+ mkDerivation {
+ pname = "hkgr";
+ version = "0.4";
+ sha256 = "1h4dxnsj729cy8x687f77y0p8gh7sz9z7dl8vgqwmcd4p65vjwlk";
+ isLibrary = false;
+ isExecutable = true;
+ enableSeparateDataOutput = true;
+ executableHaskellDepends = [
+ base bytestring directory extra filepath simple-cabal
+ simple-cmd-args typed-process xdg-basedir
+ ];
+ description = "Simple Hackage release workflow for package maintainers";
+ license = lib.licenses.gpl3Only;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"hkt" = callPackage
({ mkDerivation, base, hspec, inspection-testing, protolude, text
}:
@@ -138584,6 +138412,45 @@ self: {
license = lib.licenses.mit;
}) {};
+ "hpack_0_34_7" = callPackage
+ ({ mkDerivation, aeson, base, bifunctors, bytestring, Cabal
+ , containers, cryptonite, deepseq, directory, filepath, Glob, hspec
+ , hspec-discover, http-client, http-client-tls, http-types, HUnit
+ , infer-license, interpolate, mockery, pretty, QuickCheck
+ , scientific, template-haskell, temporary, text, transformers
+ , unordered-containers, vector, yaml
+ }:
+ mkDerivation {
+ pname = "hpack";
+ version = "0.34.7";
+ sha256 = "0nzqpma4cxp3xw79i5pxgjynl5iq0dq0nrw8vczwpj373kyijd0h";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ aeson base bifunctors bytestring Cabal containers cryptonite
+ deepseq directory filepath Glob http-client http-client-tls
+ http-types infer-license pretty scientific text transformers
+ unordered-containers vector yaml
+ ];
+ executableHaskellDepends = [
+ aeson base bifunctors bytestring Cabal containers cryptonite
+ deepseq directory filepath Glob http-client http-client-tls
+ http-types infer-license pretty scientific text transformers
+ unordered-containers vector yaml
+ ];
+ testHaskellDepends = [
+ aeson base bifunctors bytestring Cabal containers cryptonite
+ deepseq directory filepath Glob hspec http-client http-client-tls
+ http-types HUnit infer-license interpolate mockery pretty
+ QuickCheck scientific template-haskell temporary text transformers
+ unordered-containers vector yaml
+ ];
+ testToolDepends = [ hspec-discover ];
+ description = "A modern format for Haskell packages";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"hpack-convert" = callPackage
({ mkDerivation, aeson, aeson-qq, base, base-compat, bytestring
, Cabal, containers, deepseq, directory, filepath, Glob, hspec
@@ -138647,6 +138514,37 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "hpack-dhall_0_5_5" = callPackage
+ ({ mkDerivation, aeson, aeson-pretty, base, bytestring, Cabal
+ , dhall, dhall-json, Diff, directory, filepath, hpack, megaparsec
+ , microlens, optparse-applicative, prettyprinter, tasty
+ , tasty-golden, text, transformers, utf8-string, yaml
+ }:
+ mkDerivation {
+ pname = "hpack-dhall";
+ version = "0.5.5";
+ sha256 = "1256vqqncgir0ir7i0vnvr7v5jkyx5ggng8gyi4qsqs8lmqn11r3";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ aeson aeson-pretty base bytestring dhall dhall-json filepath hpack
+ megaparsec microlens prettyprinter text transformers yaml
+ ];
+ executableHaskellDepends = [
+ aeson aeson-pretty base bytestring dhall dhall-json filepath hpack
+ megaparsec microlens optparse-applicative prettyprinter text
+ transformers yaml
+ ];
+ testHaskellDepends = [
+ aeson aeson-pretty base bytestring Cabal dhall dhall-json Diff
+ directory filepath hpack megaparsec microlens prettyprinter tasty
+ tasty-golden text transformers utf8-string yaml
+ ];
+ description = "hpack's dhalling";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"hpaco" = callPackage
({ mkDerivation, aeson, base, cmdargs, filepath, hpaco-lib, strict
, utf8-string, yaml
@@ -139161,6 +139059,37 @@ self: {
broken = true;
}) {inherit (pkgs) postgresql;};
+ "hpqtypes_1_9_3_1" = callPackage
+ ({ mkDerivation, aeson, async, base, bytestring, Cabal, containers
+ , directory, exceptions, filepath, HUnit, lifted-base
+ , monad-control, mtl, postgresql, QuickCheck, random, resource-pool
+ , scientific, semigroups, test-framework, test-framework-hunit
+ , text, text-show, time, transformers, transformers-base
+ , unordered-containers, uuid-types, vector
+ }:
+ mkDerivation {
+ pname = "hpqtypes";
+ version = "1.9.3.1";
+ sha256 = "02cinc29smiic2zc8z83h9bppsf60yp56a4cb9k4agkjqf5n2036";
+ setupHaskellDepends = [ base Cabal directory filepath ];
+ libraryHaskellDepends = [
+ aeson async base bytestring containers exceptions lifted-base
+ monad-control mtl resource-pool semigroups text text-show time
+ transformers transformers-base uuid-types vector
+ ];
+ librarySystemDepends = [ postgresql ];
+ testHaskellDepends = [
+ aeson base bytestring exceptions HUnit lifted-base monad-control
+ mtl QuickCheck random scientific test-framework
+ test-framework-hunit text text-show time transformers-base
+ unordered-containers uuid-types vector
+ ];
+ description = "Haskell bindings to libpqtypes";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
+ }) {inherit (pkgs) postgresql;};
+
"hpqtypes-extras" = callPackage
({ mkDerivation, base, base16-bytestring, bytestring, containers
, cryptohash, deepseq, exceptions, extra, fields-json, hpqtypes
@@ -144381,6 +144310,8 @@ self: {
pname = "hspec-wai-json";
version = "0.11.0";
sha256 = "0cra0jfb8j9g5447lij0d8nnbqv06f5i4j51h14vjw0n7zb4i8y4";
+ revision = "1";
+ editedCabalFile = "186l9mp921vspzrmz52xii0iiiskj6psiizdja09l4b8ficfd4m9";
libraryHaskellDepends = [
aeson aeson-qq base bytestring case-insensitive hspec-wai
template-haskell
@@ -146611,10 +146542,8 @@ self: {
}:
mkDerivation {
pname = "http-io-streams";
- version = "0.1.6.0";
- sha256 = "03wndmw1pblnjqhni76s5lyyw3l8zbl1csydzl8bp0h1g5vmfpmp";
- revision = "3";
- editedCabalFile = "1cz3cnjf4gxp9iy6zyw180i9pkyi3y0bfkiz6y0dy81xn7smnq6m";
+ version = "0.1.6.1";
+ sha256 = "09ggsf9g8gf28d3d5z0rcdnl63d34al35z5d6v68k0n7r229ffb1";
libraryHaskellDepends = [
attoparsec base base64-bytestring binary blaze-builder
brotli-streams bytestring case-insensitive containers
@@ -148131,10 +148060,8 @@ self: {
}:
mkDerivation {
pname = "hw-aeson";
- version = "0.1.1.0";
- sha256 = "0d50yghgnxhynbm6w5kgkhgr8xgnghr8g1xn7zf0p9ax8dxkdy00";
- revision = "2";
- editedCabalFile = "062g7zwbp9csgcbpbbyg6ckb8zhkx1kqk5dsms36fmx95dq4zl5j";
+ version = "0.1.2.0";
+ sha256 = "0a4x97laraxyyrpkklj4qxwgh7lmxxnzdg7y0ki9041ck8ymsmdr";
libraryHaskellDepends = [ aeson base text ];
testHaskellDepends = [
aeson base doctest doctest-discover hedgehog hspec
@@ -148192,44 +148119,6 @@ self: {
}) {};
"hw-balancedparens" = callPackage
- ({ mkDerivation, base, bytestring, criterion, deepseq, directory
- , doctest, doctest-discover, generic-lens, hedgehog, hspec
- , hspec-discover, hw-bits, hw-excess, hw-fingertree
- , hw-hspec-hedgehog, hw-int, hw-prim, hw-rankselect-base, lens
- , mmap, optparse-applicative, transformers, vector
- }:
- mkDerivation {
- pname = "hw-balancedparens";
- version = "0.4.1.1";
- sha256 = "16v36fj5aawnx6glarzljl3yb93zkn06ij5cg40zba5rp8jhpg7z";
- revision = "4";
- editedCabalFile = "0hw0qqkabv0i4zmr7436pl1xn9izxcm4p9flv2k697zyhqdaccik";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base deepseq directory hedgehog hspec hw-bits hw-excess
- hw-fingertree hw-int hw-prim hw-rankselect-base vector
- ];
- executableHaskellDepends = [
- base bytestring generic-lens hw-bits hw-prim lens mmap
- optparse-applicative vector
- ];
- testHaskellDepends = [
- base directory doctest doctest-discover hedgehog hspec hw-bits
- hw-hspec-hedgehog hw-int hw-prim hw-rankselect-base transformers
- vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base criterion deepseq directory generic-lens hedgehog hw-bits
- hw-prim lens vector
- ];
- doHaddock = false;
- description = "Balanced parentheses";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-balancedparens_0_4_1_2" = callPackage
({ mkDerivation, base, bytestring, criterion, deepseq, directory
, doctest, doctest-discover, generic-lens, hedgehog, hspec
, hspec-discover, hw-bits, hw-excess, hw-fingertree
@@ -148263,35 +148152,9 @@ self: {
doHaddock = false;
description = "Balanced parentheses";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-bits" = callPackage
- ({ mkDerivation, base, bitvec, bytestring, criterion, deepseq
- , doctest, doctest-discover, hedgehog, hspec, hspec-discover
- , hw-hspec-hedgehog, hw-int, hw-prim, hw-string-parse, vector
- }:
- mkDerivation {
- pname = "hw-bits";
- version = "0.7.2.1";
- sha256 = "18l9r0yhddkzgbc2vvk0qr9brb5ih25zjfga3bddb5j8gpaaq65q";
- revision = "2";
- editedCabalFile = "1almm4nl56gf99wys1kzalqcz0dkaih0pgxsyqv4q1j1w3ggfmfq";
- libraryHaskellDepends = [
- base bitvec bytestring deepseq hw-int hw-prim hw-string-parse
- vector
- ];
- testHaskellDepends = [
- base bitvec bytestring doctest doctest-discover hedgehog hspec
- hw-hspec-hedgehog hw-prim vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [ base criterion vector ];
- description = "Bit manipulation";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-bits_0_7_2_2" = callPackage
({ mkDerivation, base, bitvec, bytestring, criterion, deepseq
, doctest, doctest-discover, hedgehog, hspec, hspec-discover
, hw-hspec-hedgehog, hw-int, hw-prim, hw-string-parse, vector
@@ -148312,7 +148175,6 @@ self: {
benchmarkHaskellDepends = [ base criterion vector ];
description = "Bit manipulation";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-ci-assist" = callPackage
@@ -148339,35 +148201,6 @@ self: {
}) {};
"hw-conduit" = callPackage
- ({ mkDerivation, array, base, bytestring, conduit
- , conduit-combinators, criterion, doctest, doctest-discover, hspec
- , hspec-discover, mmap, time, transformers, unliftio-core, vector
- , word8
- }:
- mkDerivation {
- pname = "hw-conduit";
- version = "0.2.1.0";
- sha256 = "1xnkkpqcgyii7f16jjh2k2qh4ydpsff5q2xnggyg4jf7m69yrih2";
- revision = "1";
- editedCabalFile = "1rmdwb4a7ax9yadj4xv63n582vsmk84h03qkr6npj9b9gw4qw6i3";
- libraryHaskellDepends = [
- array base bytestring conduit conduit-combinators time transformers
- unliftio-core word8
- ];
- testHaskellDepends = [
- base bytestring conduit doctest doctest-discover hspec
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring conduit criterion mmap vector
- ];
- description = "Conduits for tokenizing streams";
- license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "hw-conduit_0_2_1_1" = callPackage
({ mkDerivation, array, base, bytestring, conduit
, conduit-combinators, criterion, doctest, doctest-discover, hspec
, hspec-discover, mmap, time, transformers, unliftio-core, vector
@@ -148427,47 +148260,6 @@ self: {
}) {};
"hw-dsv" = callPackage
- ({ mkDerivation, appar, base, bits-extra, bytestring, cassava
- , criterion, deepseq, directory, doctest, doctest-discover
- , generic-lens, ghc-prim, hedgehog, hspec, hspec-discover, hw-bits
- , hw-hspec-hedgehog, hw-ip, hw-prim, hw-rankselect
- , hw-rankselect-base, hw-simd, lens, mmap, optparse-applicative
- , resourcet, text, transformers, vector, weigh
- }:
- mkDerivation {
- pname = "hw-dsv";
- version = "0.4.1.0";
- sha256 = "1wv0yg662c3bq4kpgfqfjks59v17i5h3v3mils1qpxn4c57jr3s8";
- revision = "7";
- editedCabalFile = "1x7f6k3ih3270xapfc9fnm4d51fhnha71fz0r3l2l6xx4mghcby2";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base bits-extra bytestring deepseq ghc-prim hw-bits hw-prim
- hw-rankselect hw-rankselect-base hw-simd transformers vector
- ];
- executableHaskellDepends = [
- appar base bits-extra bytestring deepseq generic-lens ghc-prim
- hedgehog hw-bits hw-ip hw-prim hw-rankselect hw-rankselect-base
- hw-simd lens optparse-applicative resourcet text transformers
- vector
- ];
- testHaskellDepends = [
- base bits-extra bytestring cassava deepseq directory doctest
- doctest-discover ghc-prim hedgehog hspec hw-bits hw-hspec-hedgehog
- hw-prim hw-rankselect hw-rankselect-base hw-simd text vector weigh
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bits-extra bytestring cassava criterion deepseq directory
- ghc-prim hw-bits hw-prim hw-rankselect hw-rankselect-base hw-simd
- mmap vector
- ];
- description = "Unbelievably fast streaming DSV file parser";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-dsv_0_4_1_1" = callPackage
({ mkDerivation, appar, base, bits-extra, bytestring, cassava
, criterion, deepseq, directory, doctest, doctest-discover
, generic-lens, ghc-prim, hedgehog, hspec, hspec-discover, hw-bits
@@ -148504,7 +148296,6 @@ self: {
];
description = "Unbelievably fast streaming DSV file parser";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-dump" = callPackage
@@ -148541,45 +148332,6 @@ self: {
}) {};
"hw-eliasfano" = callPackage
- ({ mkDerivation, base, binary, bytestring, criterion, deepseq
- , doctest, doctest-discover, generic-lens, hedgehog, hspec
- , hspec-discover, hw-bits, hw-hedgehog, hw-hspec-hedgehog, hw-int
- , hw-packed-vector, hw-prim, hw-rankselect, hw-rankselect-base
- , lens, mmap, optparse-applicative, resourcet, temporary-resourcet
- , vector
- }:
- mkDerivation {
- pname = "hw-eliasfano";
- version = "0.1.2.0";
- sha256 = "1wqpzznmz6bl88wzhrfcbgi49dw7w7i0p92hyc0m58nanqm1zgnj";
- revision = "6";
- editedCabalFile = "0svym7gnvsd9aa2wabrpfqv5661s2fg1jsqibyyblcrjy0cicdrl";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base deepseq hw-bits hw-int hw-packed-vector hw-prim hw-rankselect
- hw-rankselect-base temporary-resourcet vector
- ];
- executableHaskellDepends = [
- base binary bytestring generic-lens hw-bits hw-packed-vector
- hw-prim hw-rankselect hw-rankselect-base lens optparse-applicative
- resourcet temporary-resourcet vector
- ];
- testHaskellDepends = [
- base doctest doctest-discover hedgehog hspec hw-bits hw-hedgehog
- hw-hspec-hedgehog hw-int hw-packed-vector hw-prim hw-rankselect
- hw-rankselect-base vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring criterion hedgehog hspec hw-bits hw-hedgehog
- hw-hspec-hedgehog hw-int hw-packed-vector hw-prim mmap vector
- ];
- description = "Elias-Fano";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-eliasfano_0_1_2_1" = callPackage
({ mkDerivation, base, binary, bytestring, criterion, deepseq
, doctest, doctest-discover, generic-lens, hedgehog, hspec
, hspec-discover, hw-bits, hw-hedgehog, hw-hspec-hedgehog, hw-int
@@ -148614,7 +148366,6 @@ self: {
];
description = "Elias-Fano";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-excess" = callPackage
@@ -148645,26 +148396,6 @@ self: {
}) {};
"hw-fingertree" = callPackage
- ({ mkDerivation, base, deepseq, doctest, doctest-discover, hedgehog
- , hspec, hspec-discover, hw-hspec-hedgehog, hw-prim
- }:
- mkDerivation {
- pname = "hw-fingertree";
- version = "0.1.2.0";
- sha256 = "0b1aff5aa9ifapyf2qvqggxfm36x5w7l7c37bfy9qdll264pdh0i";
- revision = "1";
- editedCabalFile = "0hg9hnga0d15a5md67q7xl53kgp34hwvl4aw9s8xkjm4fs7a54z9";
- libraryHaskellDepends = [ base deepseq hw-prim ];
- testHaskellDepends = [
- base deepseq doctest doctest-discover hedgehog hspec
- hw-hspec-hedgehog
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- description = "Generic finger-tree structure, with example instances";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-fingertree_0_1_2_1" = callPackage
({ mkDerivation, base, deepseq, doctest, doctest-discover, hedgehog
, hspec, hspec-discover, hw-hspec-hedgehog, hw-prim
}:
@@ -148680,34 +148411,9 @@ self: {
testToolDepends = [ doctest-discover hspec-discover ];
description = "Generic finger-tree structure, with example instances";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-fingertree-strict" = callPackage
- ({ mkDerivation, base, deepseq, doctest, doctest-discover, hedgehog
- , hspec, hspec-discover, HUnit, hw-hspec-hedgehog, QuickCheck
- , test-framework, test-framework-hunit, test-framework-quickcheck2
- }:
- mkDerivation {
- pname = "hw-fingertree-strict";
- version = "0.1.2.0";
- sha256 = "1zhh694m8hbin7059ys8c6sqjvyfsazcsp0jxqg59w5ypqjznzca";
- revision = "1";
- editedCabalFile = "0vr8xqvwihg3j83bqfhcqlnlpdq7k2v6kkx1xly7fdjw2hcwgkhl";
- libraryHaskellDepends = [ base deepseq ];
- testHaskellDepends = [
- base doctest doctest-discover hedgehog hspec HUnit
- hw-hspec-hedgehog QuickCheck test-framework test-framework-hunit
- test-framework-quickcheck2
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- description = "Generic strict finger-tree structure";
- license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "hw-fingertree-strict_0_1_2_1" = callPackage
({ mkDerivation, base, deepseq, doctest, doctest-discover, hedgehog
, hspec, hspec-discover, HUnit, hw-hspec-hedgehog, QuickCheck
, test-framework, test-framework-hunit, test-framework-quickcheck2
@@ -148730,22 +148436,6 @@ self: {
}) {};
"hw-hedgehog" = callPackage
- ({ mkDerivation, base, doctest, doctest-discover, hedgehog, vector
- }:
- mkDerivation {
- pname = "hw-hedgehog";
- version = "0.1.1.0";
- sha256 = "0a2pic2h983kdkai68wabclzwjbk5i9vz229jlwvs0hyw6b0mzz9";
- revision = "1";
- editedCabalFile = "1fwgxwbfz6yfj6xfl9471q7fpsckm2wvpb8wxwb32c3x5122ly5v";
- libraryHaskellDepends = [ base hedgehog vector ];
- testHaskellDepends = [ base doctest doctest-discover ];
- testToolDepends = [ doctest-discover ];
- description = "Extra hedgehog functionality";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-hedgehog_0_1_1_1" = callPackage
({ mkDerivation, base, doctest, doctest-discover, hedgehog, vector
}:
mkDerivation {
@@ -148757,7 +148447,6 @@ self: {
testToolDepends = [ doctest-discover ];
description = "Extra hedgehog functionality";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-hspec-hedgehog" = callPackage
@@ -148800,37 +148489,6 @@ self: {
}) {};
"hw-ip" = callPackage
- ({ mkDerivation, appar, base, binary, bytestring, containers
- , doctest, doctest-discover, generic-lens, hedgehog, hspec
- , hspec-discover, hw-bits, hw-hspec-hedgehog, iproute, lens
- , optparse-applicative, text
- }:
- mkDerivation {
- pname = "hw-ip";
- version = "2.4.2.0";
- sha256 = "1bvh4fkg1ffr3y8wink62rgkynlcgjhmra7a4w01h1dmw1vb2vfx";
- revision = "5";
- editedCabalFile = "18fr2r6bhcz1a78di6g2vb7k74xaxamw4azxrjyb1bkx234laj2m";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- appar base containers generic-lens hedgehog hw-bits iproute text
- ];
- executableHaskellDepends = [
- appar base binary bytestring generic-lens lens optparse-applicative
- text
- ];
- testHaskellDepends = [
- appar base doctest doctest-discover generic-lens hedgehog hspec
- hw-bits hw-hspec-hedgehog text
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- doHaddock = false;
- description = "Library for manipulating IP addresses and CIDR blocks";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-ip_2_4_2_1" = callPackage
({ mkDerivation, appar, base, binary, bytestring, containers
, doctest, doctest-discover, generic-lens, hedgehog, hspec
, hspec-discover, hw-bits, hw-hspec-hedgehog, iproute, lens
@@ -148857,7 +148515,6 @@ self: {
doHaddock = false;
description = "Library for manipulating IP addresses and CIDR blocks";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-json" = callPackage
@@ -148956,32 +148613,6 @@ self: {
}) {};
"hw-json-simd" = callPackage
- ({ mkDerivation, base, bytestring, c2hs, doctest, doctest-discover
- , hw-prim, lens, optparse-applicative, transformers, vector
- }:
- mkDerivation {
- pname = "hw-json-simd";
- version = "0.1.1.0";
- sha256 = "0bpfyx2bd7pcr8y8bfahcdm30bznqixfawraq3xzy476vy9ppa9n";
- revision = "4";
- editedCabalFile = "0ragyq509nxy5ax58h84b6984lwnhklkk8nfafmxh5fxq66214cy";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [ base bytestring hw-prim lens vector ];
- libraryToolDepends = [ c2hs ];
- executableHaskellDepends = [
- base bytestring hw-prim lens optparse-applicative vector
- ];
- testHaskellDepends = [
- base bytestring doctest doctest-discover hw-prim lens transformers
- vector
- ];
- testToolDepends = [ doctest-discover ];
- description = "SIMD-based JSON semi-indexer";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-json-simd_0_1_1_1" = callPackage
({ mkDerivation, base, bytestring, c2hs, doctest, doctest-discover
, hw-prim, lens, optparse-applicative, transformers, vector
}:
@@ -149003,47 +148634,9 @@ self: {
testToolDepends = [ doctest-discover ];
description = "SIMD-based JSON semi-indexer";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-json-simple-cursor" = callPackage
- ({ mkDerivation, base, bytestring, criterion, directory, doctest
- , doctest-discover, generic-lens, hedgehog, hspec, hspec-discover
- , hw-balancedparens, hw-bits, hw-hspec-hedgehog, hw-json-simd
- , hw-prim, hw-rankselect, hw-rankselect-base, lens, mmap
- , optparse-applicative, text, vector, word8
- }:
- mkDerivation {
- pname = "hw-json-simple-cursor";
- version = "0.1.1.0";
- sha256 = "1kwxnqsa2mkw5sa8rc9rixjm6f75lyjdaz7f67yyhwls5v4315bl";
- revision = "7";
- editedCabalFile = "169aqi2vjzg38cljfipxaw7kzav5z3n9b68f32mjsk1drh1c5hpd";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base bytestring hw-balancedparens hw-bits hw-prim hw-rankselect
- hw-rankselect-base vector word8
- ];
- executableHaskellDepends = [
- base bytestring generic-lens hw-balancedparens hw-json-simd hw-prim
- hw-rankselect hw-rankselect-base lens mmap optparse-applicative
- text vector
- ];
- testHaskellDepends = [
- base bytestring doctest doctest-discover hedgehog hspec
- hw-balancedparens hw-bits hw-hspec-hedgehog hw-prim hw-rankselect
- hw-rankselect-base vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring criterion directory mmap
- ];
- description = "Memory efficient JSON parser";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-json-simple-cursor_0_1_1_1" = callPackage
({ mkDerivation, base, bytestring, criterion, directory, doctest
, doctest-discover, generic-lens, hedgehog, hspec, hspec-discover
, hw-balancedparens, hw-bits, hw-hspec-hedgehog, hw-json-simd
@@ -149076,49 +148669,9 @@ self: {
];
description = "Memory efficient JSON parser";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-json-standard-cursor" = callPackage
- ({ mkDerivation, array, base, bits-extra, bytestring, criterion
- , directory, doctest, doctest-discover, generic-lens, hedgehog
- , hspec, hspec-discover, hw-balancedparens, hw-bits
- , hw-hspec-hedgehog, hw-json-simd, hw-prim, hw-rankselect
- , hw-rankselect-base, lens, mmap, optparse-applicative, text
- , vector, word8
- }:
- mkDerivation {
- pname = "hw-json-standard-cursor";
- version = "0.2.3.1";
- sha256 = "1mpsspp6ba2zqv38a0rcv93mbwb1rb8snmxklf32g02djj8b4vir";
- revision = "5";
- editedCabalFile = "029hrckhsm0g1j2zijs3ff14qsk2cdw9m57l3jhjy0cw3ynwisds";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- array base bits-extra bytestring hw-balancedparens hw-bits
- hw-json-simd hw-prim hw-rankselect hw-rankselect-base mmap vector
- word8
- ];
- executableHaskellDepends = [
- base bytestring generic-lens hw-balancedparens hw-json-simd hw-prim
- hw-rankselect hw-rankselect-base lens mmap optparse-applicative
- text vector
- ];
- testHaskellDepends = [
- base bits-extra bytestring doctest doctest-discover hedgehog hspec
- hw-balancedparens hw-bits hw-hspec-hedgehog hw-prim hw-rankselect
- hw-rankselect-base vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring criterion directory mmap
- ];
- description = "Memory efficient JSON parser";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-json-standard-cursor_0_2_3_2" = callPackage
({ mkDerivation, array, base, bits-extra, bytestring, criterion
, directory, doctest, doctest-discover, generic-lens, hedgehog
, hspec, hspec-discover, hw-balancedparens, hw-bits
@@ -149153,7 +148706,6 @@ self: {
];
description = "Memory efficient JSON parser";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-kafka-avro" = callPackage
@@ -149253,32 +148805,6 @@ self: {
}) {};
"hw-mquery" = callPackage
- ({ mkDerivation, ansi-wl-pprint, base, dlist, doctest
- , doctest-discover, hedgehog, hspec, hspec-discover
- , hw-hspec-hedgehog, lens
- }:
- mkDerivation {
- pname = "hw-mquery";
- version = "0.2.1.0";
- sha256 = "1qhd8jcwffr57mjraw0g3xj9kb0jd75ybqaj1sbxw31lc2hr9w9j";
- revision = "3";
- editedCabalFile = "0mnra701p169xzibag8mvb2mrk5gdp42dwlhqr07b6dz2cly88sn";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [ ansi-wl-pprint base dlist lens ];
- executableHaskellDepends = [ base ];
- testHaskellDepends = [
- base dlist doctest doctest-discover hedgehog hspec
- hw-hspec-hedgehog lens
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- description = "Monadic query DSL";
- license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "hw-mquery_0_2_1_1" = callPackage
({ mkDerivation, ansi-wl-pprint, base, dlist, doctest
, doctest-discover, hedgehog, hspec, hspec-discover
, hw-hspec-hedgehog, lens
@@ -149303,39 +148829,6 @@ self: {
}) {};
"hw-packed-vector" = callPackage
- ({ mkDerivation, base, binary, bytestring, criterion, deepseq
- , directory, doctest, doctest-discover, generic-lens, hedgehog
- , hspec, hspec-discover, hw-bits, hw-hedgehog, hw-hspec-hedgehog
- , hw-prim, lens, optparse-applicative, vector
- }:
- mkDerivation {
- pname = "hw-packed-vector";
- version = "0.2.1.0";
- sha256 = "13hly2yzx6kx4j56iksgj4i3wmvg7rmxq57d0g87lmybzhha9q38";
- revision = "6";
- editedCabalFile = "1ryh9nmpg3925lrr5a4wfsdv3f4a6rshrqn5pzbkqchh4mx39cpf";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base bytestring deepseq hw-bits hw-prim vector
- ];
- executableHaskellDepends = [
- base binary bytestring generic-lens hw-bits hw-prim lens
- optparse-applicative vector
- ];
- testHaskellDepends = [
- base bytestring doctest doctest-discover hedgehog hspec hw-bits
- hw-hedgehog hw-hspec-hedgehog hw-prim vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base criterion directory hedgehog hspec hw-prim vector
- ];
- description = "Packed Vector";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-packed-vector_0_2_1_1" = callPackage
({ mkDerivation, base, binary, bytestring, criterion, deepseq
, directory, doctest, doctest-discover, generic-lens, hedgehog
, hspec, hspec-discover, hw-bits, hw-hedgehog, hw-hspec-hedgehog
@@ -149364,7 +148857,6 @@ self: {
];
description = "Packed Vector";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-parser" = callPackage
@@ -149407,35 +148899,6 @@ self: {
}) {};
"hw-prim" = callPackage
- ({ mkDerivation, base, bytestring, criterion, deepseq, directory
- , doctest, doctest-discover, exceptions, ghc-prim, hedgehog, hspec
- , hspec-discover, hw-hspec-hedgehog, mmap, QuickCheck, transformers
- , unliftio-core, vector
- }:
- mkDerivation {
- pname = "hw-prim";
- version = "0.6.3.0";
- sha256 = "0gqn7s0ki9x951n5whyh0pkcbbqz4kpcn80xxpsv1c0v34946xv7";
- revision = "2";
- editedCabalFile = "14x1bijg1d8jdh963rxrlwzlqa1p1vh0bc7hjdysk8dzbrc7fbmv";
- libraryHaskellDepends = [
- base bytestring deepseq ghc-prim mmap transformers unliftio-core
- vector
- ];
- testHaskellDepends = [
- base bytestring directory doctest doctest-discover exceptions
- hedgehog hspec hw-hspec-hedgehog mmap QuickCheck transformers
- vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring criterion mmap transformers vector
- ];
- description = "Primitive functions and data types";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-prim_0_6_3_1" = callPackage
({ mkDerivation, base, bytestring, criterion, deepseq, directory
, doctest, doctest-discover, exceptions, ghc-prim, hedgehog, hspec
, hspec-discover, hw-hspec-hedgehog, mmap, QuickCheck, transformers
@@ -149460,7 +148923,6 @@ self: {
];
description = "Primitive functions and data types";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-prim-bits" = callPackage
@@ -149487,45 +148949,6 @@ self: {
}) {};
"hw-rankselect" = callPackage
- ({ mkDerivation, base, bytestring, conduit, criterion, deepseq
- , directory, doctest, doctest-discover, generic-lens, hedgehog
- , hspec, hspec-discover, hw-balancedparens, hw-bits, hw-fingertree
- , hw-hedgehog, hw-hspec-hedgehog, hw-prim, hw-rankselect-base, lens
- , mmap, mtl, optparse-applicative, QuickCheck, resourcet
- , transformers, vector
- }:
- mkDerivation {
- pname = "hw-rankselect";
- version = "0.13.4.0";
- sha256 = "0chk3n4vb55px943w0l3q7pxhgbvqm64vn7lkhi7k0l2dpybycp7";
- revision = "6";
- editedCabalFile = "1j287ynfgiz56bn0hqqppa03zn2gcllnmiz2azzvfx7xkq3nkdh1";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base deepseq hedgehog hspec hw-balancedparens hw-bits hw-fingertree
- hw-prim hw-rankselect-base vector
- ];
- executableHaskellDepends = [
- base directory generic-lens hw-bits hw-prim hw-rankselect-base lens
- mmap mtl optparse-applicative vector
- ];
- testHaskellDepends = [
- base directory doctest doctest-discover hedgehog hspec hw-bits
- hw-hedgehog hw-hspec-hedgehog hw-prim hw-rankselect-base mmap
- QuickCheck transformers vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring conduit criterion directory hw-bits hw-prim
- hw-rankselect-base mmap resourcet vector
- ];
- doHaddock = false;
- description = "Rank-select";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-rankselect_0_13_4_1" = callPackage
({ mkDerivation, base, bytestring, conduit, criterion, deepseq
, directory, doctest, doctest-discover, generic-lens, hedgehog
, hspec, hspec-discover, hw-balancedparens, hw-bits, hw-fingertree
@@ -149560,7 +148983,6 @@ self: {
doHaddock = false;
description = "Rank-select";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-rankselect-base" = callPackage
@@ -149592,40 +149014,6 @@ self: {
}) {};
"hw-simd" = callPackage
- ({ mkDerivation, base, bits-extra, bytestring, c2hs, cassava
- , containers, criterion, deepseq, directory, doctest
- , doctest-discover, hedgehog, hspec, hspec-discover, hw-bits
- , hw-hedgehog, hw-hspec-hedgehog, hw-prim, hw-rankselect
- , hw-rankselect-base, lens, mmap, text, transformers, vector
- }:
- mkDerivation {
- pname = "hw-simd";
- version = "0.1.2.0";
- sha256 = "1r202xzqprb1v8ajd9n6ixckjfdy17mn8jibx4j2xgknx595v24f";
- revision = "3";
- editedCabalFile = "1dl2zqyc3rcrlda6apy5afgvax5cah37n44hzlm81y9p1nbpd205";
- libraryHaskellDepends = [
- base bits-extra bytestring deepseq hw-bits hw-prim hw-rankselect
- hw-rankselect-base transformers vector
- ];
- libraryToolDepends = [ c2hs ];
- testHaskellDepends = [
- base bits-extra bytestring deepseq directory doctest
- doctest-discover hedgehog hspec hw-bits hw-hedgehog
- hw-hspec-hedgehog hw-prim hw-rankselect hw-rankselect-base lens
- text vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bits-extra bytestring cassava containers criterion deepseq
- directory hw-bits hw-prim hw-rankselect hw-rankselect-base mmap
- transformers vector
- ];
- description = "SIMD library";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-simd_0_1_2_1" = callPackage
({ mkDerivation, base, bits-extra, bytestring, c2hs, cassava
, containers, criterion, deepseq, directory, doctest
, doctest-discover, hedgehog, hspec, hspec-discover, hw-bits
@@ -149655,7 +149043,6 @@ self: {
];
description = "SIMD library";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-simd-cli" = callPackage
@@ -149721,18 +149108,6 @@ self: {
}) {};
"hw-string-parse" = callPackage
- ({ mkDerivation, base, bytestring, hspec, QuickCheck, vector }:
- mkDerivation {
- pname = "hw-string-parse";
- version = "0.0.0.4";
- sha256 = "1dzjx6virpikbqnpzdjlliakm8kd6kxyn3y4jgr5bqhisgwfp8b4";
- libraryHaskellDepends = [ base ];
- testHaskellDepends = [ base bytestring hspec QuickCheck vector ];
- description = "String parser";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-string-parse_0_0_0_5" = callPackage
({ mkDerivation, base, bytestring, doctest, doctest-discover, hspec
, hspec-discover, QuickCheck, vector
}:
@@ -149747,7 +149122,6 @@ self: {
testToolDepends = [ doctest-discover hspec-discover ];
description = "String parser";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hw-succinct" = callPackage
@@ -149839,49 +149213,6 @@ self: {
}) {};
"hw-xml" = callPackage
- ({ mkDerivation, ansi-wl-pprint, array, attoparsec, base
- , bytestring, cereal, containers, criterion, deepseq, doctest
- , doctest-discover, generic-lens, ghc-prim, hedgehog, hspec
- , hspec-discover, hw-balancedparens, hw-bits, hw-hspec-hedgehog
- , hw-parser, hw-prim, hw-rankselect, hw-rankselect-base, lens, mmap
- , mtl, optparse-applicative, resourcet, text, transformers, vector
- , word8
- }:
- mkDerivation {
- pname = "hw-xml";
- version = "0.5.1.0";
- sha256 = "0g81kknllbc6v5wx7kgzhh78409njfzr3h7lfdx7ip0nkhhnpmw4";
- revision = "8";
- editedCabalFile = "049vaf01iw694kpgaaqk2wpg2bpd8s9f2xq39sc3wh7kz7c848fv";
- isLibrary = true;
- isExecutable = true;
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- ansi-wl-pprint array attoparsec base bytestring cereal containers
- deepseq ghc-prim hw-balancedparens hw-bits hw-parser hw-prim
- hw-rankselect hw-rankselect-base lens mmap mtl resourcet text
- transformers vector word8
- ];
- executableHaskellDepends = [
- attoparsec base bytestring deepseq generic-lens hw-balancedparens
- hw-bits hw-prim hw-rankselect lens mmap mtl optparse-applicative
- resourcet text vector
- ];
- testHaskellDepends = [
- attoparsec base bytestring doctest doctest-discover hedgehog hspec
- hw-balancedparens hw-bits hw-hspec-hedgehog hw-prim hw-rankselect
- hw-rankselect-base text vector
- ];
- testToolDepends = [ doctest-discover hspec-discover ];
- benchmarkHaskellDepends = [
- base bytestring criterion hw-balancedparens hw-bits hw-prim mmap
- resourcet vector
- ];
- description = "XML parser based on succinct data structures";
- license = lib.licenses.bsd3;
- }) {};
-
- "hw-xml_0_5_1_1" = callPackage
({ mkDerivation, ansi-wl-pprint, array, attoparsec, base
, bytestring, cereal, containers, criterion, deepseq, doctest
, doctest-discover, generic-lens, ghc-prim, hedgehog, hspec
@@ -149920,7 +149251,6 @@ self: {
];
description = "XML parser based on succinct data structures";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"hwall-auth-iitk" = callPackage
@@ -150902,8 +150232,6 @@ self: {
];
description = "Server back-end for the HyperHaskell graphical Haskell interpreter";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
}) {};
"hyperdrive" = callPackage
@@ -154494,22 +153822,6 @@ self: {
}) {};
"input-parsers" = callPackage
- ({ mkDerivation, attoparsec, base, binary, bytestring
- , monoid-subclasses, parsec, parsers, text, transformers
- }:
- mkDerivation {
- pname = "input-parsers";
- version = "0.2.3.1";
- sha256 = "0q928kmvhn3rahskjy60wywnzd5v5k2jlfc6fqkm4lzf0l8mnr05";
- libraryHaskellDepends = [
- attoparsec base binary bytestring monoid-subclasses parsec parsers
- text transformers
- ];
- description = "Extension of the parsers library with more capability and efficiency";
- license = lib.licenses.bsd3;
- }) {};
-
- "input-parsers_0_2_3_2" = callPackage
({ mkDerivation, attoparsec, base, binary, bytestring
, monoid-subclasses, parsec, parsers, text, transformers
}:
@@ -154523,7 +153835,6 @@ self: {
];
description = "Extension of the parsers library with more capability and efficiency";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"inquire" = callPackage
@@ -159161,8 +158472,8 @@ self: {
}:
mkDerivation {
pname = "jose-jwt";
- version = "0.9.3";
- sha256 = "1sdcf55mynij8bcwj65j3izay65q2h8dl7lqlhkm3670h3v3f91h";
+ version = "0.9.4";
+ sha256 = "1drdlxbhbac3b6ph2l969vvicmg1yww9yhz3pd9maq7pdajbpjcc";
libraryHaskellDepends = [
aeson attoparsec base bytestring cereal containers cryptonite
memory mtl text time transformers transformers-compat
@@ -159824,25 +159135,6 @@ self: {
}) {};
"json-feed" = callPackage
- ({ mkDerivation, aeson, base, bytestring, filepath, hspec
- , mime-types, network-uri, tagsoup, text, time
- }:
- mkDerivation {
- pname = "json-feed";
- version = "2.0.0.0";
- sha256 = "1d2xjyi5b6v5sq0g4aayirfjj4l7lskwv28w6601dxwz7yrsp234";
- libraryHaskellDepends = [
- aeson base bytestring mime-types network-uri tagsoup text time
- ];
- testHaskellDepends = [
- aeson base bytestring filepath hspec mime-types network-uri tagsoup
- text time
- ];
- description = "JSON Feed";
- license = lib.licenses.mit;
- }) {};
-
- "json-feed_2_0_0_1" = callPackage
({ mkDerivation, aeson, base, bytestring, filepath, hspec
, mime-types, network-uri, tagsoup, text, time
}:
@@ -159859,7 +159151,6 @@ self: {
];
description = "JSON Feed";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"json-fu" = callPackage
@@ -160514,26 +159805,6 @@ self: {
}) {};
"jsonifier" = callPackage
- ({ mkDerivation, aeson, base, buffer-builder, bytestring, gauge
- , hedgehog, numeric-limits, ptr-poker, rerebase, scientific, text
- , text-builder
- }:
- mkDerivation {
- pname = "jsonifier";
- version = "0.2";
- sha256 = "1bxcm4kzsscgc2kh17arq5556yyzhjl8pqc8m5i5jcqbs9ia0jh5";
- libraryHaskellDepends = [
- base bytestring ptr-poker scientific text
- ];
- testHaskellDepends = [ aeson hedgehog numeric-limits rerebase ];
- benchmarkHaskellDepends = [
- aeson buffer-builder gauge rerebase text-builder
- ];
- description = "Fast and simple JSON encoding toolkit";
- license = lib.licenses.mit;
- }) {};
-
- "jsonifier_0_2_0_1" = callPackage
({ mkDerivation, aeson, base, buffer-builder, bytestring, gauge
, hedgehog, numeric-limits, ptr-poker, rerebase, scientific, text
, text-builder
@@ -160551,7 +159822,6 @@ self: {
];
description = "Fast and simple JSON encoding toolkit";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"jsonnet" = callPackage
@@ -163282,22 +162552,6 @@ self: {
}) {};
"kind-generics-th" = callPackage
- ({ mkDerivation, base, ghc-prim, kind-generics, template-haskell
- , th-abstraction
- }:
- mkDerivation {
- pname = "kind-generics-th";
- version = "0.2.2.2";
- sha256 = "1lgz7wvz5jvq65r7zmymcfx3hwskw2b45a3vfwj0pgnddpjmh9n4";
- libraryHaskellDepends = [
- base ghc-prim kind-generics template-haskell th-abstraction
- ];
- testHaskellDepends = [ base kind-generics template-haskell ];
- description = "Template Haskell support for generating `GenericK` instances";
- license = lib.licenses.bsd3;
- }) {};
-
- "kind-generics-th_0_2_2_3" = callPackage
({ mkDerivation, base, ghc-prim, kind-generics, template-haskell
, th-abstraction
}:
@@ -163313,7 +162567,6 @@ self: {
testHaskellDepends = [ base kind-generics template-haskell ];
description = "Template Haskell support for generating `GenericK` instances";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"kinds" = callPackage
@@ -163657,19 +162910,19 @@ self: {
}) {};
"koji-tool" = callPackage
- ({ mkDerivation, base, directory, extra, filepath, format-numbers
- , Glob, http-conduit, http-directory, koji, pretty-simple, rpm-nvr
+ ({ mkDerivation, base, directory, extra, filepath, formatting, Glob
+ , http-conduit, http-directory, koji, pretty-simple, rpm-nvr
, simple-cmd, simple-cmd-args, text, time, utf8-string
, xdg-userdirs
}:
mkDerivation {
pname = "koji-tool";
- version = "0.8.1";
- sha256 = "0p6my37q0w4md05njdckj71fqm5r8ps7y8x4nwmxcmaphka46i95";
+ version = "0.8.2";
+ sha256 = "0hhpw8v09alicymbndl6lpflasmzchrf8zg1l4gqd8j9sj2rrzqg";
isLibrary = false;
isExecutable = true;
executableHaskellDepends = [
- base directory extra filepath format-numbers Glob http-conduit
+ base directory extra filepath formatting Glob http-conduit
http-directory koji pretty-simple rpm-nvr simple-cmd
simple-cmd-args text time utf8-string xdg-userdirs
];
@@ -164342,20 +163595,6 @@ self: {
}) {};
"lackey" = callPackage
- ({ mkDerivation, base, hspec, servant, servant-foreign, text }:
- mkDerivation {
- pname = "lackey";
- version = "2.0.0.0";
- sha256 = "06ad35nmppblqb7400563l5qk3zna6l3kasp5ng0iacgmqzmvcrv";
- libraryHaskellDepends = [ base servant-foreign text ];
- testHaskellDepends = [ base hspec servant servant-foreign text ];
- description = "Generate Ruby clients from Servant APIs";
- license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "lackey_2_0_0_1" = callPackage
({ mkDerivation, base, hspec, servant, servant-foreign, text }:
mkDerivation {
pname = "lackey";
@@ -165669,28 +164908,6 @@ self: {
}) {};
"language-docker" = callPackage
- ({ mkDerivation, base, bytestring, containers, data-default-class
- , hspec, hspec-megaparsec, HUnit, megaparsec, prettyprinter
- , QuickCheck, split, text, time
- }:
- mkDerivation {
- pname = "language-docker";
- version = "10.4.2";
- sha256 = "0bp1h9850v8d2b6h2f95v7ca9fdpc349cq9vlq9ywkdx9s4izy9b";
- libraryHaskellDepends = [
- base bytestring containers data-default-class megaparsec
- prettyprinter split text time
- ];
- testHaskellDepends = [
- base bytestring containers data-default-class hspec
- hspec-megaparsec HUnit megaparsec prettyprinter QuickCheck split
- text time
- ];
- description = "Dockerfile parser, pretty-printer and embedded DSL";
- license = lib.licenses.gpl3Only;
- }) {};
-
- "language-docker_10_4_3" = callPackage
({ mkDerivation, base, bytestring, containers, data-default-class
, hspec, hspec-megaparsec, HUnit, megaparsec, prettyprinter
, QuickCheck, split, text, time
@@ -165710,7 +164927,6 @@ self: {
];
description = "Dockerfile parser, pretty-printer and embedded DSL";
license = lib.licenses.gpl3Only;
- hydraPlatforms = lib.platforms.none;
}) {};
"language-dockerfile" = callPackage
@@ -166647,8 +165863,8 @@ self: {
}:
mkDerivation {
pname = "language-toolkit";
- version = "1.0.0.0";
- sha256 = "0hkhdk26dka3pa32d0g8cnp63mwrkll0jgab4i4qdgn1xx5cd1h7";
+ version = "1.0.1.0";
+ sha256 = "0wkx4sbzirfi07hsmafzliwri40amq3m1ry6lmwd2sjpbgrbd81g";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [ base containers deepseq parallel ];
@@ -168867,35 +168083,6 @@ self: {
}) {};
"lentil" = callPackage
- ({ mkDerivation, ansi-wl-pprint, base, csv, deepseq, directory
- , dlist, filemanip, filepath, hspec, megaparsec, mtl, natural-sort
- , optparse-applicative, regex-tdfa, semigroups
- , terminal-progress-bar, text
- }:
- mkDerivation {
- pname = "lentil";
- version = "1.5.3.2";
- sha256 = "0knc3g5n6h0yzr0kpgmgk44kbwh200qafjdvwpca92n3s0wf76py";
- revision = "2";
- editedCabalFile = "0n5wklh6f33c9yzblxwbx3mx04fxdx7mmqp551z9xfy6nnwg8hrp";
- isLibrary = false;
- isExecutable = true;
- executableHaskellDepends = [
- ansi-wl-pprint base csv deepseq directory dlist filemanip filepath
- megaparsec mtl natural-sort optparse-applicative regex-tdfa
- semigroups terminal-progress-bar text
- ];
- testHaskellDepends = [
- ansi-wl-pprint base csv deepseq directory dlist filemanip filepath
- hspec megaparsec mtl natural-sort optparse-applicative regex-tdfa
- semigroups terminal-progress-bar text
- ];
- description = "frugal issue tracker";
- license = lib.licenses.gpl3Only;
- maintainers = with lib.maintainers; [ rvl ];
- }) {};
-
- "lentil_1_5_4_0" = callPackage
({ mkDerivation, ansi-wl-pprint, base, csv, deepseq, directory
, dlist, filemanip, filepath, hspec, megaparsec, mtl, natural-sort
, optparse-applicative, regex-tdfa, semigroups
@@ -168919,7 +168106,6 @@ self: {
];
description = "frugal issue tracker";
license = lib.licenses.gpl3Only;
- hydraPlatforms = lib.platforms.none;
maintainers = with lib.maintainers; [ rvl ];
}) {};
@@ -169042,8 +168228,6 @@ self: {
];
description = "Haskell bindings to LevelDB";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
}) {inherit (pkgs) leveldb;};
"leveldb-haskell-fork" = callPackage
@@ -176174,6 +175358,9 @@ self: {
libraryHaskellDepends = [ base bindings-lxc mtl transformers ];
description = "High level Haskell bindings to LXC (Linux containers)";
license = lib.licenses.bsd3;
+ platforms = [
+ "aarch64-linux" "armv7l-linux" "i686-linux" "x86_64-linux"
+ ];
}) {};
"lxd-client" = callPackage
@@ -179850,31 +179037,6 @@ self: {
}) {};
"mcmc" = callPackage
- ({ mkDerivation, aeson, base, bytestring, circular, containers
- , covariance, criterion, data-default, deepseq, directory
- , dirichlet, double-conversion, hmatrix, hspec, log-domain
- , math-functions, microlens, monad-parallel, mwc-random
- , pretty-show, primitive, statistics, time, transformers, vector
- , zlib
- }:
- mkDerivation {
- pname = "mcmc";
- version = "0.6.2.0";
- sha256 = "0zsvhmdn6ss7jacihd138v5z46bj1617jbddvyw4yy73i1r67bvw";
- libraryHaskellDepends = [
- aeson base bytestring circular containers covariance data-default
- deepseq directory dirichlet double-conversion hmatrix log-domain
- math-functions microlens monad-parallel mwc-random pretty-show
- primitive statistics time transformers vector zlib
- ];
- testHaskellDepends = [ base hspec mwc-random statistics ];
- benchmarkHaskellDepends = [ base criterion microlens mwc-random ];
- description = "Sample from a posterior using Markov chain Monte Carlo";
- license = lib.licenses.gpl3Plus;
- maintainers = with lib.maintainers; [ dschrempf ];
- }) {};
-
- "mcmc_0_6_2_3" = callPackage
({ mkDerivation, aeson, async, base, bytestring, circular
, containers, covariance, criterion, data-default, deepseq
, directory, dirichlet, double-conversion, hmatrix, hspec
@@ -179883,8 +179045,34 @@ self: {
}:
mkDerivation {
pname = "mcmc";
- version = "0.6.2.3";
- sha256 = "12kyg2hcadadmzscn40km2ahfkqs0kf50vd585qm1myhnx7zw6np";
+ version = "0.6.2.2";
+ sha256 = "1si81jv8dfwm9lfq3fvfc4mibkg7p61vkjhsgfsmban74v02ja73";
+ libraryHaskellDepends = [
+ aeson async base bytestring circular containers covariance
+ data-default deepseq directory dirichlet double-conversion hmatrix
+ log-domain math-functions microlens mwc-random pretty-show
+ primitive statistics time transformers vector zlib
+ ];
+ testHaskellDepends = [ base hspec mwc-random statistics ];
+ benchmarkHaskellDepends = [
+ base criterion math-functions microlens mwc-random
+ ];
+ description = "Sample from a posterior using Markov chain Monte Carlo";
+ license = lib.licenses.gpl3Plus;
+ maintainers = with lib.maintainers; [ dschrempf ];
+ }) {};
+
+ "mcmc_0_6_2_4" = callPackage
+ ({ mkDerivation, aeson, async, base, bytestring, circular
+ , containers, covariance, criterion, data-default, deepseq
+ , directory, dirichlet, double-conversion, hmatrix, hspec
+ , log-domain, math-functions, microlens, mwc-random, pretty-show
+ , primitive, statistics, time, transformers, vector, zlib
+ }:
+ mkDerivation {
+ pname = "mcmc";
+ version = "0.6.2.4";
+ sha256 = "01ramkpjxknjaj4qp78im1a24sqv35nm72afr6wiqlwj11dcs2mq";
libraryHaskellDepends = [
aeson async base bytestring circular containers covariance
data-default deepseq directory dirichlet double-conversion hmatrix
@@ -181273,28 +180461,6 @@ self: {
}) {};
"messagepack" = callPackage
- ({ mkDerivation, base, bytestring, cereal, containers, deepseq
- , QuickCheck, test-framework, test-framework-quickcheck2
- , test-framework-th
- }:
- mkDerivation {
- pname = "messagepack";
- version = "0.5.4";
- sha256 = "0z2xbfqg9x8ymbr0j81br610ja8f0wd2wvvrnjrk222vbp0915ck";
- revision = "2";
- editedCabalFile = "199x0hqa6h6wqysaip1wc7kivc26f3wkb8y4il70mzmz80skmm29";
- libraryHaskellDepends = [
- base bytestring cereal containers deepseq
- ];
- testHaskellDepends = [
- base bytestring cereal containers QuickCheck test-framework
- test-framework-quickcheck2 test-framework-th
- ];
- description = "Serialize instance for Message Pack Object";
- license = lib.licenses.mit;
- }) {};
-
- "messagepack_0_5_5" = callPackage
({ mkDerivation, base, bytestring, cereal, containers, deepseq
, QuickCheck
}:
@@ -181310,7 +180476,6 @@ self: {
];
description = "Serialize instance for Message Pack Object";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"messagepack-rpc" = callPackage
@@ -183782,35 +182947,6 @@ self: {
}) {};
"mmark" = callPackage
- ({ mkDerivation, aeson, base, case-insensitive, containers
- , criterion, deepseq, dlist, email-validate, foldl, hashable, hspec
- , hspec-megaparsec, html-entity-map, lucid, megaparsec, microlens
- , microlens-th, modern-uri, mtl, parser-combinators, QuickCheck
- , text, text-metrics, unordered-containers, weigh, yaml
- }:
- mkDerivation {
- pname = "mmark";
- version = "0.0.7.4";
- sha256 = "0flsg9jsnzab74hfidrfdmjvarj3n86db4ysv007j2hlr3iynnxx";
- revision = "2";
- editedCabalFile = "06sq65cmqr5yva4spf14bkdsvw465m73hjmvxcfh7vxn0nslp2bc";
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- aeson base case-insensitive containers deepseq dlist email-validate
- foldl hashable html-entity-map lucid megaparsec microlens
- microlens-th modern-uri mtl parser-combinators text text-metrics
- unordered-containers yaml
- ];
- testHaskellDepends = [
- aeson base foldl hspec hspec-megaparsec lucid megaparsec modern-uri
- QuickCheck text
- ];
- benchmarkHaskellDepends = [ base criterion text weigh ];
- description = "Strict markdown processor for writers";
- license = lib.licenses.bsd3;
- }) {};
-
- "mmark_0_0_7_5" = callPackage
({ mkDerivation, aeson, base, case-insensitive, containers
, criterion, deepseq, dlist, email-validate, foldl, hashable, hspec
, hspec-megaparsec, html-entity-map, lucid, megaparsec, microlens
@@ -183835,7 +182971,6 @@ self: {
benchmarkHaskellDepends = [ base criterion text weigh ];
description = "Strict markdown processor for writers";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"mmark-cli" = callPackage
@@ -185009,21 +184144,6 @@ self: {
}) {};
"monad-coroutine" = callPackage
- ({ mkDerivation, base, monad-parallel, transformers
- , transformers-compat
- }:
- mkDerivation {
- pname = "monad-coroutine";
- version = "0.9.1.3";
- sha256 = "0ns8863695hm4yabd4908znpn1bqc7ayfnzl9bkkqhs70rff2dmh";
- libraryHaskellDepends = [
- base monad-parallel transformers transformers-compat
- ];
- description = "Coroutine monad transformer for suspending and resuming monadic computations";
- license = "GPL";
- }) {};
-
- "monad-coroutine_0_9_2" = callPackage
({ mkDerivation, base, monad-parallel, transformers
, transformers-compat
}:
@@ -185036,7 +184156,6 @@ self: {
];
description = "Coroutine monad transformer for suspending and resuming monadic computations";
license = "GPL";
- hydraPlatforms = lib.platforms.none;
}) {};
"monad-dijkstra" = callPackage
@@ -185776,6 +184895,17 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "monad-schedule" = callPackage
+ ({ mkDerivation, base, free, stm, time-domain, transformers }:
+ mkDerivation {
+ pname = "monad-schedule";
+ version = "0.1.0.0";
+ sha256 = "1jc70f71yr886wd150vg97kvbyp489nma0c98xa6drhw720rbwwz";
+ libraryHaskellDepends = [ base free stm time-domain transformers ];
+ description = "A new, simple, composable concurrency abstraction";
+ license = lib.licenses.mit;
+ }) {};
+
"monad-skeleton" = callPackage
({ mkDerivation, base }:
mkDerivation {
@@ -191246,24 +190376,6 @@ self: {
}) {};
"mysql-simple" = callPackage
- ({ mkDerivation, attoparsec, base, base16-bytestring, blaze-builder
- , bytestring, containers, hspec, mysql, old-locale, pcre-light
- , text, time, vector
- }:
- mkDerivation {
- pname = "mysql-simple";
- version = "0.4.7.1";
- sha256 = "011pmniplphwzkv6chcnl2vljb2w4hc0iakdwlicykvrhx86nh3v";
- libraryHaskellDepends = [
- attoparsec base base16-bytestring blaze-builder bytestring
- containers mysql old-locale pcre-light text time vector
- ];
- testHaskellDepends = [ base blaze-builder hspec text ];
- description = "A mid-level MySQL client library";
- license = lib.licenses.bsd3;
- }) {};
-
- "mysql-simple_0_4_7_2" = callPackage
({ mkDerivation, attoparsec, base, base16-bytestring, blaze-builder
, bytestring, containers, hspec, mysql, old-locale, pcre-light
, text, time, vector
@@ -191279,7 +190391,6 @@ self: {
testHaskellDepends = [ base blaze-builder bytestring hspec text ];
description = "A mid-level MySQL client library";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"mysql-simple-quasi" = callPackage
@@ -198413,8 +197524,8 @@ self: {
}:
mkDerivation {
pname = "oauthenticated";
- version = "0.2.1.0";
- sha256 = "08njax7jchkmha1angh98v0p3haxn8zj12lajl5npcmzlihd0k6l";
+ version = "0.3.0.0";
+ sha256 = "0ca3wkhnk0wakzirh0486g5wkd1wq0381bjgj3ljs22hf4j5i41s";
libraryHaskellDepends = [
aeson base base64-bytestring blaze-builder bytestring
case-insensitive cryptonite exceptions http-client http-types
@@ -198908,27 +198019,6 @@ self: {
}) {};
"oeis2" = callPackage
- ({ mkDerivation, aeson, base, containers, hspec, http-conduit, lens
- , lens-aeson, QuickCheck, text, vector
- }:
- mkDerivation {
- pname = "oeis2";
- version = "1.0.6";
- sha256 = "1y1i2v59nhijh50akkjk9b7cnmrx33lgmk4p13fvwimkm5g9avs2";
- libraryHaskellDepends = [
- aeson base containers http-conduit lens lens-aeson text vector
- ];
- testHaskellDepends = [
- aeson base containers hspec http-conduit lens lens-aeson QuickCheck
- text vector
- ];
- description = "Interface for Online Encyclopedia of Integer Sequences (OEIS)";
- license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "oeis2_1_0_7" = callPackage
({ mkDerivation, aeson, base, containers, hspec, http-conduit, lens
, lens-aeson, QuickCheck, text, vector
}:
@@ -201194,35 +200284,6 @@ self: {
}) {};
"optics" = callPackage
- ({ mkDerivation, array, base, bytestring, containers, criterion
- , indexed-profunctors, inspection-testing, lens, mtl, optics-core
- , optics-extra, optics-th, QuickCheck, random, tasty, tasty-hunit
- , tasty-quickcheck, template-haskell, transformers
- , unordered-containers, vector
- }:
- mkDerivation {
- pname = "optics";
- version = "0.4";
- sha256 = "18hdfmay7v2qsbq0ylzrfk3hrgax8bzs65bdmjrmck4is8vbs6h5";
- libraryHaskellDepends = [
- array base containers mtl optics-core optics-extra optics-th
- transformers
- ];
- testHaskellDepends = [
- base containers indexed-profunctors inspection-testing mtl
- optics-core QuickCheck random tasty tasty-hunit tasty-quickcheck
- template-haskell
- ];
- benchmarkHaskellDepends = [
- base bytestring containers criterion lens transformers
- unordered-containers vector
- ];
- description = "Optics as an abstract interface";
- license = lib.licenses.bsd3;
- maintainers = with lib.maintainers; [ maralorn ];
- }) {};
-
- "optics_0_4_1" = callPackage
({ mkDerivation, array, base, bytestring, containers
, indexed-profunctors, inspection-testing, lens, mtl, optics-core
, optics-extra, optics-th, QuickCheck, random, tasty, tasty-bench
@@ -201248,27 +200309,10 @@ self: {
];
description = "Optics as an abstract interface";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
maintainers = with lib.maintainers; [ maralorn ];
}) {};
"optics-core" = callPackage
- ({ mkDerivation, array, base, containers, indexed-profunctors
- , indexed-traversable, transformers
- }:
- mkDerivation {
- pname = "optics-core";
- version = "0.4";
- sha256 = "1kyxdfzha4xjym96yahrwhpbzqracks2di2lx1x34sjcn165rxry";
- libraryHaskellDepends = [
- array base containers indexed-profunctors indexed-traversable
- transformers
- ];
- description = "Optics as an abstract interface: core definitions";
- license = lib.licenses.bsd3;
- }) {};
-
- "optics-core_0_4_1" = callPackage
({ mkDerivation, array, base, containers, indexed-profunctors
, indexed-traversable, transformers
}:
@@ -201282,30 +200326,9 @@ self: {
];
description = "Optics as an abstract interface: core definitions";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"optics-extra" = callPackage
- ({ mkDerivation, array, base, bytestring, containers, hashable
- , indexed-profunctors, indexed-traversable-instances, mtl
- , optics-core, text, transformers, unordered-containers, vector
- }:
- mkDerivation {
- pname = "optics-extra";
- version = "0.4";
- sha256 = "1ynhyw22rwvvh5yglybmb6skhpgqk4gh9w2w4dh8kb7myzcwfj1s";
- revision = "2";
- editedCabalFile = "16a139wxgmg4hq6wd8fygbd6qqavf4xgyqdq4c5q37ai43a38wir";
- libraryHaskellDepends = [
- array base bytestring containers hashable indexed-profunctors
- indexed-traversable-instances mtl optics-core text transformers
- unordered-containers vector
- ];
- description = "Extra utilities and instances for optics-core";
- license = lib.licenses.bsd3;
- }) {};
-
- "optics-extra_0_4_1" = callPackage
({ mkDerivation, array, base, bytestring, containers, hashable
, indexed-profunctors, indexed-traversable-instances, mtl
, optics-core, text, transformers, unordered-containers, vector
@@ -201321,29 +200344,9 @@ self: {
];
description = "Extra utilities and instances for optics-core";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"optics-th" = callPackage
- ({ mkDerivation, base, containers, mtl, optics-core, tagged
- , template-haskell, th-abstraction, transformers
- }:
- mkDerivation {
- pname = "optics-th";
- version = "0.4";
- sha256 = "1qddzwhzlhhp1902irswjj18aa5ziavn4klhy7najxjwndilb55y";
- revision = "1";
- editedCabalFile = "061axc65h2lzqj7ya8h7xmd6rz944dsdj6i2i4ad6ij3157zcyc4";
- libraryHaskellDepends = [
- base containers mtl optics-core template-haskell th-abstraction
- transformers
- ];
- testHaskellDepends = [ base optics-core tagged ];
- description = "Optics construction using TemplateHaskell";
- license = lib.licenses.bsd3;
- }) {};
-
- "optics-th_0_4_1" = callPackage
({ mkDerivation, base, containers, mtl, optics-core, tagged
, template-haskell, th-abstraction, transformers
}:
@@ -201358,7 +200361,6 @@ self: {
testHaskellDepends = [ base optics-core tagged ];
description = "Optics construction using TemplateHaskell";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"optics-vl" = callPackage
@@ -208071,25 +207073,6 @@ self: {
}) {};
"peregrin" = callPackage
- ({ mkDerivation, base, bytestring, hspec, pg-harness-client
- , postgresql-simple, resource-pool, text, transformers
- }:
- mkDerivation {
- pname = "peregrin";
- version = "0.3.1";
- sha256 = "1hiv9rzpjmjywwc4j6bqkqvqwv2gr6d512hv0l6m5c6idsyk2v12";
- libraryHaskellDepends = [ base bytestring postgresql-simple text ];
- testHaskellDepends = [
- base hspec pg-harness-client postgresql-simple resource-pool text
- transformers
- ];
- description = "Database migration support for use in other libraries";
- license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "peregrin_0_3_2" = callPackage
({ mkDerivation, base, bytestring, hspec, pg-harness-client
, postgresql-simple, resource-pool, text, transformers
}:
@@ -208881,32 +207864,6 @@ self: {
}) {};
"persistent-mysql" = callPackage
- ({ mkDerivation, aeson, base, blaze-builder, bytestring, conduit
- , containers, fast-logger, hspec, http-api-data, HUnit
- , monad-logger, mysql, mysql-simple, path-pieces, persistent
- , persistent-qq, persistent-test, QuickCheck, quickcheck-instances
- , resource-pool, resourcet, text, time, transformers, unliftio-core
- }:
- mkDerivation {
- pname = "persistent-mysql";
- version = "2.13.1.2";
- sha256 = "0hqzd48ryycc57ab1r2v3vxwaaq0lsiqf2131zqbr13ldh1xnz7v";
- libraryHaskellDepends = [
- aeson base blaze-builder bytestring conduit containers monad-logger
- mysql mysql-simple persistent resource-pool resourcet text
- transformers unliftio-core
- ];
- testHaskellDepends = [
- aeson base bytestring conduit containers fast-logger hspec
- http-api-data HUnit monad-logger mysql path-pieces persistent
- persistent-qq persistent-test QuickCheck quickcheck-instances
- resourcet text time transformers unliftio-core
- ];
- description = "Backend for the persistent library using MySQL database server";
- license = lib.licenses.mit;
- }) {};
-
- "persistent-mysql_2_13_1_3" = callPackage
({ mkDerivation, aeson, base, blaze-builder, bytestring, conduit
, containers, fast-logger, hspec, http-api-data, HUnit
, monad-logger, mysql, mysql-simple, path-pieces, persistent
@@ -208930,7 +207887,6 @@ self: {
];
description = "Backend for the persistent library using MySQL database server";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"persistent-mysql-haskell" = callPackage
@@ -213398,8 +212354,8 @@ self: {
}:
mkDerivation {
pname = "plugins";
- version = "1.6.2";
- sha256 = "1lgk25chpl6albf8pzq8q40di02rgv7g3bsf586a5pl2kdh2p2qq";
+ version = "1.6.2.1";
+ sha256 = "04cgq4x07zfb9lrqj9qrcgvacxz0rhim77zhx25s4scd6n4lc3j0";
libraryHaskellDepends = [
array base Cabal containers directory filepath ghc ghc-paths
ghc-prim haskell-src process random split
@@ -216791,29 +215747,6 @@ self: {
}) {};
"postgresql-syntax" = callPackage
- ({ mkDerivation, base, bytestring, case-insensitive, hashable
- , headed-megaparsec, hedgehog, megaparsec, parser-combinators
- , QuickCheck, quickcheck-instances, rerebase, tasty, tasty-hunit
- , tasty-quickcheck, text, text-builder, unordered-containers
- }:
- mkDerivation {
- pname = "postgresql-syntax";
- version = "0.4";
- sha256 = "133p9w35q7ynb15i97k9ci4w14vp5117v3hmgm4ys3jj07apjyxd";
- libraryHaskellDepends = [
- base bytestring case-insensitive hashable headed-megaparsec
- megaparsec parser-combinators text text-builder
- unordered-containers
- ];
- testHaskellDepends = [
- hedgehog QuickCheck quickcheck-instances rerebase tasty tasty-hunit
- tasty-quickcheck
- ];
- description = "PostgreSQL AST parsing and rendering";
- license = lib.licenses.mit;
- }) {};
-
- "postgresql-syntax_0_4_0_2" = callPackage
({ mkDerivation, base, bytestring, case-insensitive, hashable
, headed-megaparsec, hedgehog, megaparsec, parser-combinators
, QuickCheck, quickcheck-instances, rerebase, tasty, tasty-hunit
@@ -216834,7 +215767,6 @@ self: {
];
description = "PostgreSQL AST parsing and rendering";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"postgresql-transactional" = callPackage
@@ -216943,34 +215875,6 @@ self: {
}) {};
"postgresql-typed" = callPackage
- ({ mkDerivation, aeson, array, attoparsec, base, binary, bytestring
- , containers, convertible, criterion, cryptonite, data-default
- , haskell-src-meta, HDBC, HUnit, memory, network, old-locale
- , postgresql-binary, QuickCheck, scientific, template-haskell, text
- , time, tls, utf8-string, uuid, x509, x509-store, x509-validation
- }:
- mkDerivation {
- pname = "postgresql-typed";
- version = "0.6.2.0";
- sha256 = "0v38c5ai3plc1vlgz536a41yflz2d7nm9laks28lnqvxaqim27aw";
- libraryHaskellDepends = [
- aeson array attoparsec base binary bytestring containers cryptonite
- data-default haskell-src-meta HDBC memory network old-locale
- postgresql-binary scientific template-haskell text time tls
- utf8-string uuid x509 x509-store x509-validation
- ];
- testHaskellDepends = [
- base bytestring containers convertible HDBC HUnit network
- QuickCheck time tls
- ];
- benchmarkHaskellDepends = [
- base bytestring criterion network time tls
- ];
- description = "PostgreSQL interface with compile-time SQL type checking, optional HDBC backend";
- license = lib.licenses.bsd3;
- }) {};
-
- "postgresql-typed_0_6_2_1" = callPackage
({ mkDerivation, aeson, array, attoparsec, base, binary, bytestring
, containers, convertible, criterion, cryptonite, data-default
, haskell-src-meta, HDBC, HUnit, memory, network, old-locale
@@ -216996,7 +215900,6 @@ self: {
];
description = "PostgreSQL interface with compile-time SQL type checking, optional HDBC backend";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"postgresql-typed-lifted" = callPackage
@@ -217452,7 +216355,6 @@ self: {
benchmarkSystemDepends = [ leveldb snappy ];
description = "A high performance in memory and LevelDB backend for powerqueue";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {inherit (pkgs) leveldb; inherit (pkgs) snappy;};
"powerqueue-sqs" = callPackage
@@ -218484,6 +217386,34 @@ self: {
maintainers = with lib.maintainers; [ cdepillabout ];
}) {};
+ "pretty-simple_4_1_0_0" = callPackage
+ ({ mkDerivation, base, Cabal, cabal-doctest, containers, criterion
+ , doctest, Glob, mtl, optparse-applicative, prettyprinter
+ , prettyprinter-ansi-terminal, QuickCheck, template-haskell, text
+ , transformers
+ }:
+ mkDerivation {
+ pname = "pretty-simple";
+ version = "4.1.0.0";
+ sha256 = "0afmbvcma67hah9f7i9j4fazlkfdbr6ljas1cn10wp4mlxlf8236";
+ isLibrary = true;
+ isExecutable = true;
+ setupHaskellDepends = [ base Cabal cabal-doctest ];
+ libraryHaskellDepends = [
+ base containers mtl prettyprinter prettyprinter-ansi-terminal text
+ transformers
+ ];
+ executableHaskellDepends = [ base optparse-applicative text ];
+ testHaskellDepends = [
+ base doctest Glob QuickCheck template-haskell
+ ];
+ benchmarkHaskellDepends = [ base criterion text ];
+ description = "pretty printer for data types with a 'Show' instance";
+ license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ maintainers = with lib.maintainers; [ cdepillabout ];
+ }) {};
+
"pretty-sop" = callPackage
({ mkDerivation, base, generics-sop, markdown-unlit, pretty-show }:
mkDerivation {
@@ -224389,6 +223319,28 @@ self: {
broken = true;
}) {};
+ "quickcheck-quid" = callPackage
+ ({ mkDerivation, base, containers, deepseq, extra, fmt, hashable
+ , hspec, hspec-discover, pretty-simple, primes, QuickCheck
+ , quickcheck-classes, text
+ }:
+ mkDerivation {
+ pname = "quickcheck-quid";
+ version = "0.0.1";
+ sha256 = "02d9lak5pdss17x0nvxdj7r81vllgd599brkh87h2zmjp6fajprs";
+ libraryHaskellDepends = [
+ base containers deepseq extra hashable QuickCheck text
+ ];
+ testHaskellDepends = [
+ base containers fmt hspec pretty-simple primes QuickCheck
+ quickcheck-classes text
+ ];
+ testToolDepends = [ hspec-discover ];
+ doHaddock = false;
+ description = "Quasi-unique identifiers for QuickCheck";
+ license = lib.licenses.asl20;
+ }) {};
+
"quickcheck-regex" = callPackage
({ mkDerivation, base, containers, QuickCheck, regex-genex
, regex-tdfa
@@ -226895,6 +225847,28 @@ self: {
broken = true;
}) {};
+ "rattletrap_11_2_6" = callPackage
+ ({ mkDerivation, aeson, aeson-pretty, array, base, bytestring
+ , containers, filepath, http-client, http-client-tls, text
+ }:
+ mkDerivation {
+ pname = "rattletrap";
+ version = "11.2.6";
+ sha256 = "1y8g39vjnn3lywhg389ql0hqrzpgcj0j76wzhrzsh7ymj87vvirk";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ aeson aeson-pretty array base bytestring containers filepath
+ http-client http-client-tls text
+ ];
+ executableHaskellDepends = [ base ];
+ testHaskellDepends = [ base bytestring filepath ];
+ description = "Parse and generate Rocket League replays";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
+ }) {};
+
"raven-haskell" = callPackage
({ mkDerivation, aeson, base, bytestring, hspec, http-conduit, mtl
, network, random, resourcet, text, time, unordered-containers
@@ -226970,18 +225944,6 @@ self: {
}) {};
"rawfilepath" = callPackage
- ({ mkDerivation, base, bytestring, unix }:
- mkDerivation {
- pname = "rawfilepath";
- version = "1.0.0";
- sha256 = "0ya68wvafb8zq6d9hlfdr71pnks9a9hln67a2r93pxhz3iz2cv5w";
- libraryHaskellDepends = [ base bytestring unix ];
- testHaskellDepends = [ base bytestring ];
- description = "Use RawFilePath instead of FilePath";
- license = lib.licenses.asl20;
- }) {};
-
- "rawfilepath_1_0_1" = callPackage
({ mkDerivation, base, bytestring, unix }:
mkDerivation {
pname = "rawfilepath";
@@ -226991,7 +225953,6 @@ self: {
testHaskellDepends = [ base bytestring ];
description = "Use RawFilePath instead of FilePath";
license = lib.licenses.asl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"rawr" = callPackage
@@ -227432,25 +226393,28 @@ self: {
platforms = [
"aarch64-linux" "armv7l-linux" "i686-linux" "x86_64-linux"
];
+ hydraPlatforms = lib.platforms.none;
}) {};
"reactive-banana" = callPackage
- ({ mkDerivation, base, containers, hashable, HUnit, pqueue
- , psqueues, semigroups, test-framework, test-framework-hunit, these
+ ({ mkDerivation, base, containers, hashable, pqueue, psqueues
+ , random, semigroups, tasty, tasty-bench, tasty-hunit, these
, transformers, unordered-containers, vault
}:
mkDerivation {
pname = "reactive-banana";
- version = "1.2.2.0";
- sha256 = "0zqvswqgisfj1hvwp9r53b91h4062d2afrw4ybcdr7d047ba9icp";
+ version = "1.3.0.0";
+ sha256 = "05jml1wxvj6453p98a2km8qvb0gs17y68givp1nf1l41r5da1fkk";
libraryHaskellDepends = [
base containers hashable pqueue semigroups these transformers
unordered-containers vault
];
testHaskellDepends = [
- base containers hashable HUnit pqueue psqueues semigroups
- test-framework test-framework-hunit these transformers
- unordered-containers vault
+ base containers hashable pqueue psqueues semigroups tasty
+ tasty-hunit these transformers unordered-containers vault
+ ];
+ benchmarkHaskellDepends = [
+ base containers random tasty tasty-bench
];
description = "Library for functional reactive programming (FRP)";
license = lib.licenses.bsd3;
@@ -227470,6 +226434,8 @@ self: {
testHaskellDepends = [ base doctest ];
description = "home (etc) automation using reactive-banana";
license = lib.licenses.agpl3Only;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
}) {};
"reactive-banana-bunch" = callPackage
@@ -227485,6 +226451,8 @@ self: {
];
description = "Extend reactive-banana to multiple events per time point";
license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
}) {};
"reactive-banana-gi-gtk" = callPackage
@@ -227643,6 +226611,7 @@ self: {
];
description = "Process MIDI events via reactive-banana and JACK";
license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
}) {};
"reactive-midyim" = callPackage
@@ -227662,6 +226631,7 @@ self: {
];
description = "Process MIDI events via reactive-banana";
license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
}) {};
"reactive-thread" = callPackage
@@ -230973,8 +229943,8 @@ self: {
}:
mkDerivation {
pname = "registry-hedgehog";
- version = "0.5.0.0";
- sha256 = "1ncgq9aq5c23xl0r0ci9402prgjqqkkijbn46pxj1qrz9lhfszy0";
+ version = "0.6.0.0";
+ sha256 = "12asg2cz72an1hgy7c853z7zz7zvw54z7wa4rvw0gzg0a2z3fh0m";
libraryHaskellDepends = [
base containers hedgehog mmorph multimap protolude registry tasty
tasty-discover tasty-hedgehog tasty-th template-haskell text
@@ -230991,6 +229961,34 @@ self: {
hydraPlatforms = lib.platforms.none;
}) {};
+ "registry-hedgehog-aeson" = callPackage
+ ({ mkDerivation, aeson, base, containers, hedgehog, mmorph
+ , multimap, protolude, registry, registry-hedgehog, scientific
+ , tasty, tasty-discover, tasty-hedgehog, tasty-th, template-haskell
+ , text, transformers, universum, unordered-containers, vector
+ }:
+ mkDerivation {
+ pname = "registry-hedgehog-aeson";
+ version = "0.1.0.0";
+ sha256 = "0xz8wjk87kmskw5aqrx2g56d7p5brrf84fr2zpnh2xh4niv283lr";
+ libraryHaskellDepends = [
+ aeson base containers hedgehog mmorph multimap protolude registry
+ scientific tasty tasty-discover tasty-hedgehog tasty-th
+ template-haskell text transformers universum unordered-containers
+ vector
+ ];
+ testHaskellDepends = [
+ aeson base containers hedgehog mmorph multimap protolude registry
+ registry-hedgehog scientific tasty tasty-discover tasty-hedgehog
+ tasty-th template-haskell text transformers universum
+ unordered-containers vector
+ ];
+ testToolDepends = [ tasty-discover ];
+ description = "Hedgehog generators for Aeson";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"regress" = callPackage
({ mkDerivation, ad, base, vector }:
mkDerivation {
@@ -232021,23 +231019,6 @@ self: {
}) {};
"repa-io" = callPackage
- ({ mkDerivation, base, binary, bmp, bytestring, old-time, repa
- , vector
- }:
- mkDerivation {
- pname = "repa-io";
- version = "3.4.1.1";
- sha256 = "1nm9kfin6fv016r02l74c9hf8pr1rz7s33i833cqpyw8m6bcmnxm";
- revision = "5";
- editedCabalFile = "1v9bza21a3h0pkaxs628jjfli157d44i757da250fxwwamk8sg88";
- libraryHaskellDepends = [
- base binary bmp bytestring old-time repa vector
- ];
- description = "Read and write Repa arrays in various formats";
- license = lib.licenses.bsd3;
- }) {};
-
- "repa-io_3_4_1_2" = callPackage
({ mkDerivation, base, binary, bmp, bytestring, old-time, repa
, vector
}:
@@ -232050,7 +231031,6 @@ self: {
];
description = "Read and write Repa arrays in various formats";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"repa-linear-algebra" = callPackage
@@ -237339,30 +236319,6 @@ self: {
}) {};
"safe-json" = callPackage
- ({ mkDerivation, aeson, base, bytestring, containers, dlist
- , generic-arbitrary, hashable, quickcheck-instances, scientific
- , tasty, tasty-hunit, tasty-quickcheck, temporary, text, time
- , unordered-containers, uuid, uuid-types, vector
- }:
- mkDerivation {
- pname = "safe-json";
- version = "1.1.3.0";
- sha256 = "08crkag67ba7d1wczg4953jh4gxs6g0pbvb3idi11q98g2gzpjhm";
- libraryHaskellDepends = [
- aeson base bytestring containers dlist hashable scientific tasty
- tasty-hunit tasty-quickcheck text time unordered-containers
- uuid-types vector
- ];
- testHaskellDepends = [
- aeson base bytestring containers dlist generic-arbitrary hashable
- quickcheck-instances scientific tasty tasty-hunit tasty-quickcheck
- temporary text time unordered-containers uuid uuid-types vector
- ];
- description = "Automatic JSON format versioning";
- license = lib.licenses.mit;
- }) {};
-
- "safe-json_1_1_3_1" = callPackage
({ mkDerivation, aeson, base, bytestring, containers, dlist
, generic-arbitrary, hashable, quickcheck-instances, scientific
, tasty, tasty-hunit, tasty-quickcheck, temporary, text, time
@@ -237384,7 +236340,6 @@ self: {
];
description = "Automatic JSON format versioning";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"safe-lazy-io" = callPackage
@@ -237616,8 +236571,8 @@ self: {
pname = "safecopy";
version = "0.10.4.2";
sha256 = "0r2mf0p82gf8vnldx477b5ykrj1x7hyg13nqfn6gzb50japs6h3i";
- revision = "1";
- editedCabalFile = "1lah4m6rjq08bj5sfwh6azw2srrz2n68zmmp7vimxrhakvf3fpm4";
+ revision = "4";
+ editedCabalFile = "0k7kivfkaqv9py5358pk76v6vf39s4hipmdxnwn6jq0kc7zr3ddc";
libraryHaskellDepends = [
array base bytestring cereal containers generic-data old-time
template-haskell text time transformers vector
@@ -238753,6 +237708,34 @@ self: {
license = lib.licenses.mit;
}) {};
+ "sbp_4_1_5" = callPackage
+ ({ mkDerivation, aeson, aeson-pretty, array, base
+ , base64-bytestring, basic-prelude, binary, binary-conduit
+ , bytestring, cmdargs, conduit, conduit-extra, data-binary-ieee754
+ , lens, lens-aeson, monad-loops, resourcet, tasty, tasty-hunit
+ , template-haskell, text, time, yaml
+ }:
+ mkDerivation {
+ pname = "sbp";
+ version = "4.1.5";
+ sha256 = "1f3i50i4mfxi8y5akg3kncgkwx2wflcgsv7rzxccd75bv3ynk45z";
+ isLibrary = true;
+ isExecutable = true;
+ libraryHaskellDepends = [
+ aeson array base base64-bytestring basic-prelude binary bytestring
+ data-binary-ieee754 lens lens-aeson monad-loops template-haskell
+ text
+ ];
+ executableHaskellDepends = [
+ aeson aeson-pretty base basic-prelude binary-conduit bytestring
+ cmdargs conduit conduit-extra lens resourcet time yaml
+ ];
+ testHaskellDepends = [ base basic-prelude tasty tasty-hunit ];
+ description = "SwiftNav's SBP Library";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"sbp2udp" = callPackage
({ mkDerivation, base, basic-prelude, binary, binary-conduit
, bytestring, conduit, conduit-extra, network, optparse-generic
@@ -242376,6 +241359,30 @@ self: {
license = lib.licenses.gpl3Only;
}) {};
+ "sequence-formats_1_6_6_1" = callPackage
+ ({ mkDerivation, attoparsec, base, bytestring, containers, errors
+ , exceptions, foldl, hspec, lens-family, pipes, pipes-attoparsec
+ , pipes-bytestring, pipes-safe, tasty, tasty-hunit, transformers
+ , vector
+ }:
+ mkDerivation {
+ pname = "sequence-formats";
+ version = "1.6.6.1";
+ sha256 = "0qylf0nx0g7z3wr95bza5vpmmsd4q3mvp8xsc7g2pwvsdpgxz9c9";
+ libraryHaskellDepends = [
+ attoparsec base bytestring containers errors exceptions foldl
+ lens-family pipes pipes-attoparsec pipes-bytestring pipes-safe
+ transformers vector
+ ];
+ testHaskellDepends = [
+ base bytestring containers foldl hspec pipes pipes-safe tasty
+ tasty-hunit transformers vector
+ ];
+ description = "A package with basic parsing utilities for several Bioinformatic data formats";
+ license = lib.licenses.gpl3Only;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"sequenceTools" = callPackage
({ mkDerivation, ansi-wl-pprint, base, bytestring, foldl, hspec
, lens-family, optparse-applicative, pipes, pipes-group
@@ -244576,21 +243583,22 @@ self: {
"servant-rate-limit" = callPackage
({ mkDerivation, base, bytestring, hedis, http-client, http-types
- , servant, servant-client, servant-server, tasty, tasty-hunit, wai
- , wai-extra, wai-rate-limit, wai-rate-limit-redis, warp
+ , servant, servant-client, servant-server, tasty, tasty-hunit
+ , time-units, time-units-types, wai, wai-extra, wai-rate-limit
+ , wai-rate-limit-redis, warp
}:
mkDerivation {
pname = "servant-rate-limit";
- version = "0.1.0.0";
- sha256 = "1yls69n7i8cb198jmknzh0f7161d6i787k4z8hwx2zkq48p5j3nj";
+ version = "0.2.0.0";
+ sha256 = "19l4kawmb5c6s3hlcfgn14nmcwqncz158njmy1fmdrgar0sd1i92";
libraryHaskellDepends = [
base bytestring http-types servant servant-client servant-server
- wai wai-rate-limit
+ time-units time-units-types wai wai-rate-limit
];
testHaskellDepends = [
base bytestring hedis http-client http-types servant servant-client
- servant-server tasty tasty-hunit wai wai-extra wai-rate-limit
- wai-rate-limit-redis warp
+ servant-server tasty tasty-hunit time-units time-units-types wai
+ wai-extra wai-rate-limit wai-rate-limit-redis warp
];
description = "Rate limiting for Servant";
license = lib.licenses.mit;
@@ -244804,45 +243812,6 @@ self: {
}) {};
"servant-server" = callPackage
- ({ mkDerivation, aeson, base, base-compat, base64-bytestring
- , bytestring, constraints, containers, directory, exceptions
- , filepath, hspec, hspec-discover, hspec-wai, http-api-data
- , http-media, http-types, monad-control, mtl, network, network-uri
- , QuickCheck, resourcet, safe, servant, should-not-typecheck
- , sop-core, string-conversions, tagged, temporary, text
- , transformers, transformers-base, transformers-compat, wai
- , wai-app-static, wai-extra, warp, word8
- }:
- mkDerivation {
- pname = "servant-server";
- version = "0.19";
- sha256 = "0d7z1r9g86cshqqacnw1ls4h5ijpwznbprk2kvnc8j8drjcmnrf1";
- revision = "1";
- editedCabalFile = "029lz6194pfjwyqadc628f1v258sh5qaf1gp7ndi8r12c2cfjm2d";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base base-compat base64-bytestring bytestring constraints
- containers exceptions filepath http-api-data http-media http-types
- monad-control mtl network network-uri resourcet servant sop-core
- string-conversions tagged text transformers transformers-base wai
- wai-app-static word8
- ];
- executableHaskellDepends = [
- aeson base base-compat servant text wai warp
- ];
- testHaskellDepends = [
- aeson base base-compat base64-bytestring bytestring directory hspec
- hspec-wai http-types mtl QuickCheck resourcet safe servant
- should-not-typecheck sop-core string-conversions temporary text
- transformers transformers-compat wai wai-extra
- ];
- testToolDepends = [ hspec-discover ];
- description = "A family of combinators for defining webservices APIs and serving them";
- license = lib.licenses.bsd3;
- }) {};
-
- "servant-server_0_19_1" = callPackage
({ mkDerivation, aeson, base, base-compat, base64-bytestring
, bytestring, constraints, containers, directory, exceptions
, filepath, hspec, hspec-discover, hspec-wai, http-api-data
@@ -244856,8 +243825,8 @@ self: {
pname = "servant-server";
version = "0.19.1";
sha256 = "1g88vdwacwli79y5idqlrbhl2k9r463h560f2lk5abhqsmsm9bhd";
- revision = "1";
- editedCabalFile = "1cgapxrbyzxhs19dkmav7msgv26llrzcr524n8k4z0msww3wzvfn";
+ revision = "2";
+ editedCabalFile = "18as15x192ila9cqiff1yliidwlihx9kvjgji2sml11ahwhqyy75";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -244879,7 +243848,6 @@ self: {
testToolDepends = [ hspec-discover ];
description = "A family of combinators for defining webservices APIs and serving them";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"servant-server-namedargs" = callPackage
@@ -245153,36 +244121,6 @@ self: {
}) {};
"servant-swagger" = callPackage
- ({ mkDerivation, aeson, aeson-pretty, base, base-compat, bytestring
- , Cabal, cabal-doctest, directory, doctest, filepath, hspec
- , hspec-discover, http-media, insert-ordered-containers, lens
- , lens-aeson, QuickCheck, servant, singleton-bool, swagger2
- , template-haskell, text, time, unordered-containers, utf8-string
- , vector
- }:
- mkDerivation {
- pname = "servant-swagger";
- version = "1.1.10";
- sha256 = "0y6zylhs4z0nfz75d4i2azcq0yh2bd4inanwblx4035dgkk1q78a";
- revision = "5";
- editedCabalFile = "0xv8d3va3rg1rvss2dqig2zxc130qj5jrpszkza25nfgwhbcnmx3";
- setupHaskellDepends = [ base Cabal cabal-doctest ];
- libraryHaskellDepends = [
- aeson aeson-pretty base base-compat bytestring hspec http-media
- insert-ordered-containers lens QuickCheck servant singleton-bool
- swagger2 text unordered-containers
- ];
- testHaskellDepends = [
- aeson base base-compat directory doctest filepath hspec lens
- lens-aeson QuickCheck servant swagger2 template-haskell text time
- utf8-string vector
- ];
- testToolDepends = [ hspec-discover ];
- description = "Generate a Swagger/OpenAPI/OAS 2.0 specification for your servant API.";
- license = lib.licenses.bsd3;
- }) {};
-
- "servant-swagger_1_1_11" = callPackage
({ mkDerivation, aeson, aeson-pretty, base, base-compat, bytestring
, Cabal, cabal-doctest, directory, doctest, filepath, hspec
, hspec-discover, http-media, insert-ordered-containers, lens
@@ -245208,7 +244146,6 @@ self: {
testToolDepends = [ hspec-discover ];
description = "Generate a Swagger/OpenAPI/OAS 2.0 specification for your servant API.";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"servant-swagger-tags" = callPackage
@@ -248839,14 +247776,17 @@ self: {
}) {};
"simple-cmd" = callPackage
- ({ mkDerivation, base, directory, extra, filepath, process, unix }:
+ ({ mkDerivation, base, directory, extra, filepath, hspec, process
+ , unix
+ }:
mkDerivation {
pname = "simple-cmd";
- version = "0.2.3";
- sha256 = "1r8rnv8zzp8jfvgrjls3zjdx235s9gh2kr3sv4w08dndq1rakxjv";
+ version = "0.2.4";
+ sha256 = "19kd863gm33sj01biqz94jk9cy8vb07xlqmw2m9vlh16h3phgqv1";
libraryHaskellDepends = [
base directory extra filepath process unix
];
+ testHaskellDepends = [ base hspec ];
description = "Simple String-based process commands";
license = lib.licenses.bsd3;
}) {};
@@ -249281,8 +248221,8 @@ self: {
}:
mkDerivation {
pname = "simple-parser";
- version = "0.10.0";
- sha256 = "0sw9w1zj0p6vcl6ixvlq3n41zm99jkpfjv65xm8xsjw6x5l3jz7z";
+ version = "0.12.0";
+ sha256 = "1g8ik221kfzjb3bndxghk42ki7hhs4xbwxq8arc66hsnynjxi7rs";
libraryHaskellDepends = [
base bytestring containers errata exceptions mmorph mtl
nonempty-containers scientific text text-builder
@@ -250077,6 +249017,8 @@ self: {
pname = "singletons";
version = "3.0.1";
sha256 = "0lqg9wxh02z2sikpy88asm8g4sfrvyb66b7p76irsij31h0cxbnk";
+ revision = "1";
+ editedCabalFile = "0n3jr9jqz50ygaw80a9cx3g09w7w8bdlq9ssyap0a4990yxl8fbx";
libraryHaskellDepends = [ base ];
testHaskellDepends = [ base ];
description = "Basic singleton types and definitions";
@@ -250114,6 +249056,8 @@ self: {
pname = "singletons-base";
version = "3.1";
sha256 = "1bsfbdbfwiq2nis3r95x06r0q9iypyz4hkvmgvk56bwj6421k7kd";
+ revision = "1";
+ editedCabalFile = "12p0xzmrkn2bjz6wf9i291bh47s9c0ziz6cvvja65vnzwd8l60ry";
setupHaskellDepends = [ base Cabal directory filepath ];
libraryHaskellDepends = [
base pretty singletons singletons-th template-haskell text
@@ -250170,6 +249114,8 @@ self: {
pname = "singletons-th";
version = "3.1";
sha256 = "1mhx7sadw7zxaf7qhryrhi4fiyf9v3jcaplkh1syaa7b4725dm7a";
+ revision = "1";
+ editedCabalFile = "1mir0m8zpnq5ckkk073nxy32mghfkbdzncvxpjdpmv2yfxl9iwgi";
libraryHaskellDepends = [
base containers ghc-boot-th mtl singletons syb template-haskell
th-desugar th-orphans transformers
@@ -254224,7 +253170,6 @@ self: {
];
description = "A small websocket backend provider";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"socks" = callPackage
@@ -256742,17 +255687,6 @@ self: {
}) {};
"srcloc" = callPackage
- ({ mkDerivation, base }:
- mkDerivation {
- pname = "srcloc";
- version = "0.6";
- sha256 = "1vcp9vgfi5rscy09l4qaq0pp426b6qcdpzs6kpbzg0k5x81kcsbb";
- libraryHaskellDepends = [ base ];
- description = "Data types for managing source code locations";
- license = lib.licenses.bsd3;
- }) {};
-
- "srcloc_0_6_0_1" = callPackage
({ mkDerivation, base }:
mkDerivation {
pname = "srcloc";
@@ -256761,7 +255695,6 @@ self: {
libraryHaskellDepends = [ base ];
description = "Data types for managing source code locations";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"srec" = callPackage
@@ -257298,8 +256231,8 @@ self: {
}:
mkDerivation {
pname = "stack-all";
- version = "0.4";
- sha256 = "0m9wiy233lw6bp6gz4h2x8bdi0lwsjl36bzx6544cdp91vllkzj1";
+ version = "0.4.0.1";
+ sha256 = "0aw5bx737cg0isdnnrhlwba0ddjki57p4ygav4piv5d3ffzhrfzm";
isLibrary = false;
isExecutable = true;
executableHaskellDepends = [
@@ -258592,32 +257525,6 @@ self: {
}) {};
"statistics" = callPackage
- ({ mkDerivation, aeson, async, base, binary, data-default-class
- , deepseq, dense-linear-algebra, erf, ieee754, math-functions
- , monad-par, mwc-random, primitive, QuickCheck, random, tasty
- , tasty-expected-failure, tasty-hunit, tasty-quickcheck, vector
- , vector-algorithms, vector-binary-instances, vector-th-unbox
- }:
- mkDerivation {
- pname = "statistics";
- version = "0.16.0.1";
- sha256 = "16ynj3bj8j70w4iq4xsrz7h140cp0jff0fv1iybsjl3lr83hdvk0";
- libraryHaskellDepends = [
- aeson async base binary data-default-class deepseq
- dense-linear-algebra math-functions monad-par mwc-random primitive
- random vector vector-algorithms vector-binary-instances
- vector-th-unbox
- ];
- testHaskellDepends = [
- aeson base binary dense-linear-algebra erf ieee754 math-functions
- primitive QuickCheck tasty tasty-expected-failure tasty-hunit
- tasty-quickcheck vector vector-algorithms
- ];
- description = "A library of statistical types, data, and functions";
- license = lib.licenses.bsd2;
- }) {};
-
- "statistics_0_16_0_2" = callPackage
({ mkDerivation, aeson, async, base, binary, data-default-class
, deepseq, dense-linear-algebra, erf, ieee754, math-functions
, monad-par, mwc-random, primitive, QuickCheck, random, tasty
@@ -258641,7 +257548,6 @@ self: {
];
description = "A library of statistical types, data, and functions";
license = lib.licenses.bsd2;
- hydraPlatforms = lib.platforms.none;
}) {};
"statistics-dirichlet" = callPackage
@@ -259680,6 +258586,24 @@ self: {
license = "LGPL";
}) {};
+ "stooq-api" = callPackage
+ ({ mkDerivation, aeson, base, bytestring, lens, text, time
+ , utf8-string, vector, wreq
+ }:
+ mkDerivation {
+ pname = "stooq-api";
+ version = "0.1.0.0";
+ sha256 = "0r4sc0w9ghlvlysj5aycawlhrb9iylczg8nb0kdkw4790nrd5if0";
+ libraryHaskellDepends = [
+ aeson base bytestring lens text time utf8-string vector wreq
+ ];
+ doHaddock = false;
+ description = "A simple wrapper around stooq.pl API for downloading market data.";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
+ }) {};
+
"stopwatch" = callPackage
({ mkDerivation, base, clock, hspec, transformers }:
mkDerivation {
@@ -260801,8 +259725,8 @@ self: {
pname = "streamly-bytestring";
version = "0.1.4";
sha256 = "1qwgrxm2x46951si18sbmqhq4fik26l07kmspv23m9q3drn0mklc";
- revision = "2";
- editedCabalFile = "1a8h5jdiir0rgxnw5lvbgxfcprfl2fk49gqlv49x4xg7kd72xy6a";
+ revision = "3";
+ editedCabalFile = "0jbiq6g025qyhvl05f0shvnak4jnpxngzjz1n73c8hnjb47kzc21";
libraryHaskellDepends = [ base bytestring streamly ];
testHaskellDepends = [
base bytestring directory filepath hspec hspec-discover
@@ -262027,23 +260951,6 @@ self: {
}) {};
"strive" = callPackage
- ({ mkDerivation, aeson, base, bytestring, data-default, gpolyline
- , http-client, http-client-tls, http-types, template-haskell, text
- , time, transformers
- }:
- mkDerivation {
- pname = "strive";
- version = "6.0.0.1";
- sha256 = "1vhszra49nfqx3lfyc378krxx8gf3cs2s6vb602fzlbjbm54i9mh";
- libraryHaskellDepends = [
- aeson base bytestring data-default gpolyline http-client
- http-client-tls http-types template-haskell text time transformers
- ];
- description = "A client for the Strava V3 API";
- license = lib.licenses.mit;
- }) {};
-
- "strive_6_0_0_2" = callPackage
({ mkDerivation, aeson, base, bytestring, data-default, gpolyline
, http-client, http-client-tls, http-types, template-haskell, text
, time, transformers
@@ -262058,31 +260965,9 @@ self: {
];
description = "A client for the Strava V3 API";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"strong-path" = callPackage
- ({ mkDerivation, base, exceptions, filepath, hashable, hspec, path
- , tasty, tasty-discover, tasty-hspec, tasty-quickcheck
- , template-haskell
- }:
- mkDerivation {
- pname = "strong-path";
- version = "1.1.3.0";
- sha256 = "0jy8qmyixsi3d71qkrj4v3r9nrppb2hs4p5pbpj7yq964ryyg9am";
- libraryHaskellDepends = [
- base exceptions filepath hashable path template-haskell
- ];
- testHaskellDepends = [
- base filepath hashable hspec path tasty tasty-discover tasty-hspec
- tasty-quickcheck
- ];
- testToolDepends = [ tasty-discover ];
- description = "Strongly typed paths in Haskell";
- license = lib.licenses.mit;
- }) {};
-
- "strong-path_1_1_4_0" = callPackage
({ mkDerivation, base, exceptions, filepath, hashable, hspec, path
, tasty, tasty-discover, tasty-hspec, tasty-quickcheck
, template-haskell
@@ -262101,7 +260986,6 @@ self: {
testToolDepends = [ tasty-discover ];
description = "Strongly typed paths in Haskell";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"strongswan-sql" = callPackage
@@ -268892,43 +267776,6 @@ self: {
}) {};
"telegram-bot-simple" = callPackage
- ({ mkDerivation, aeson, aeson-pretty, base, blaze-html, bytestring
- , cookie, cron, dhall, filepath, hashable, http-api-data
- , http-client, http-client-tls, http-types, monad-control, mtl
- , optparse-applicative, pretty-show, prettyprinter, profunctors
- , QuickCheck, random, servant, servant-blaze, servant-client
- , servant-multipart, servant-multipart-api
- , servant-multipart-client, servant-server, split, stm
- , template-haskell, text, time, transformers, unix
- , unordered-containers, uuid, warp
- }:
- mkDerivation {
- pname = "telegram-bot-simple";
- version = "0.4.3";
- sha256 = "1v39mn42pp1z6d722czb5qppff7hpap5q5na8dkyjff4fxkid3ag";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- aeson aeson-pretty base bytestring cron filepath hashable
- http-api-data http-client http-client-tls monad-control mtl
- pretty-show profunctors servant servant-client servant-multipart
- servant-multipart-api servant-multipart-client split stm
- template-haskell text time transformers unordered-containers
- ];
- executableHaskellDepends = [
- aeson aeson-pretty base blaze-html bytestring cookie cron dhall
- filepath hashable http-api-data http-client http-client-tls
- http-types monad-control mtl optparse-applicative pretty-show
- prettyprinter profunctors QuickCheck random servant servant-blaze
- servant-client servant-multipart servant-multipart-api
- servant-multipart-client servant-server split stm template-haskell
- text time transformers unix unordered-containers uuid warp
- ];
- description = "Easy to use library for building Telegram bots";
- license = lib.licenses.bsd3;
- }) {};
-
- "telegram-bot-simple_0_4_4" = callPackage
({ mkDerivation, aeson, aeson-pretty, base, blaze-html, bytestring
, cookie, cron, dhall, filepath, hashable, http-api-data
, http-client, http-client-tls, http-types, monad-control, mtl
@@ -268962,7 +267809,6 @@ self: {
];
description = "Easy to use library for building Telegram bots";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"telegram-raw-api" = callPackage
@@ -269914,6 +268760,8 @@ self: {
libraryHaskellDepends = [ base reactive-banana termbox ];
description = "reactive-banana + termbox";
license = lib.licenses.bsd3;
+ hydraPlatforms = lib.platforms.none;
+ broken = true;
}) {};
"termbox-bindings" = callPackage
@@ -270003,17 +268851,6 @@ self: {
}) {};
"terminal-size" = callPackage
- ({ mkDerivation, base }:
- mkDerivation {
- pname = "terminal-size";
- version = "0.3.2.1";
- sha256 = "0n4nvj3dbj9gxfnprgish45asn9z4dipv9j98s8i7g2n8yb3xhmm";
- libraryHaskellDepends = [ base ];
- description = "Get terminal window height and width";
- license = lib.licenses.bsd3;
- }) {};
-
- "terminal-size_0_3_3" = callPackage
({ mkDerivation, base }:
mkDerivation {
pname = "terminal-size";
@@ -270022,7 +268859,6 @@ self: {
libraryHaskellDepends = [ base ];
description = "Get terminal window height and width";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"terminal-text" = callPackage
@@ -271145,6 +269981,28 @@ self: {
license = lib.licenses.mit;
}) {};
+ "text-builder_0_6_6_5" = callPackage
+ ({ mkDerivation, base-prelude, bytestring, criterion, QuickCheck
+ , quickcheck-instances, rerebase, tasty, tasty-hunit
+ , tasty-quickcheck, text, text-builder-dev
+ }:
+ mkDerivation {
+ pname = "text-builder";
+ version = "0.6.6.5";
+ sha256 = "145m3v5fpisz04dwd3pwnak8mvsnc60rw92br4q946kymfifb7kj";
+ libraryHaskellDepends = [
+ base-prelude bytestring text text-builder-dev
+ ];
+ testHaskellDepends = [
+ QuickCheck quickcheck-instances rerebase tasty tasty-hunit
+ tasty-quickcheck
+ ];
+ benchmarkHaskellDepends = [ criterion rerebase ];
+ description = "An efficient strict text builder";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"text-builder-dev" = callPackage
({ mkDerivation, base, bytestring, criterion, deferred-folds
, QuickCheck, quickcheck-instances, rerebase, split, tasty
@@ -271168,6 +270026,30 @@ self: {
license = lib.licenses.mit;
}) {};
+ "text-builder-dev_0_2_0_1" = callPackage
+ ({ mkDerivation, base, bytestring, criterion, deferred-folds
+ , QuickCheck, quickcheck-instances, rerebase, split, tasty
+ , tasty-hunit, tasty-quickcheck, text, text-conversions, tostring
+ , transformers
+ }:
+ mkDerivation {
+ pname = "text-builder-dev";
+ version = "0.2.0.1";
+ sha256 = "196qnqr5pxx6s4dd37pbzfmbml379s1m91pkimkklf8r2jcvf1zn";
+ libraryHaskellDepends = [
+ base bytestring deferred-folds split text text-conversions tostring
+ transformers
+ ];
+ testHaskellDepends = [
+ QuickCheck quickcheck-instances rerebase tasty tasty-hunit
+ tasty-quickcheck
+ ];
+ benchmarkHaskellDepends = [ criterion rerebase ];
+ description = "Edge of developments for \"text-builder\"";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"text-containers" = callPackage
({ mkDerivation, base, bytestring, containers, deepseq, ghc-prim
, hashable, QuickCheck, quickcheck-instances, tasty
@@ -271515,21 +270397,6 @@ self: {
}) {};
"text-manipulate" = callPackage
- ({ mkDerivation, base, criterion, tasty, tasty-hunit, text }:
- mkDerivation {
- pname = "text-manipulate";
- version = "0.3.0.0";
- sha256 = "0pmzp38m3r0k6ps97b1wqplxlgvvlaid09x53jl3gxng0fwq910a";
- revision = "1";
- editedCabalFile = "1px2b8knr4z44hp9wb9dwac1pycaic7ji4fhpma3sr6jgjjszyw4";
- libraryHaskellDepends = [ base text ];
- testHaskellDepends = [ base tasty tasty-hunit text ];
- benchmarkHaskellDepends = [ base criterion text ];
- description = "Case conversion, word boundary manipulation, and textual subjugation";
- license = lib.licenses.mpl20;
- }) {};
-
- "text-manipulate_0_3_1_0" = callPackage
({ mkDerivation, base, criterion, tasty, tasty-hunit, text }:
mkDerivation {
pname = "text-manipulate";
@@ -271540,7 +270407,6 @@ self: {
benchmarkHaskellDepends = [ base criterion text ];
description = "Case conversion, word boundary manipulation, and textual subjugation";
license = lib.licenses.mpl20;
- hydraPlatforms = lib.platforms.none;
}) {};
"text-markup" = callPackage
@@ -272573,26 +271439,6 @@ self: {
}) {};
"th-lego" = callPackage
- ({ mkDerivation, base, QuickCheck, quickcheck-instances, rerebase
- , tasty, tasty-hunit, tasty-quickcheck, template-haskell
- , template-haskell-compat-v0208, text
- }:
- mkDerivation {
- pname = "th-lego";
- version = "0.3";
- sha256 = "0shwmh8anzrgifk0z2ypdkp7f0sz9p4azfjj1rcnz0px1wmhz9xn";
- libraryHaskellDepends = [
- base template-haskell template-haskell-compat-v0208 text
- ];
- testHaskellDepends = [
- QuickCheck quickcheck-instances rerebase tasty tasty-hunit
- tasty-quickcheck template-haskell
- ];
- description = "Template Haskell construction utilities";
- license = lib.licenses.mit;
- }) {};
-
- "th-lego_0_3_0_1" = callPackage
({ mkDerivation, base, QuickCheck, quickcheck-instances, rerebase
, tasty, tasty-hunit, tasty-quickcheck, template-haskell
, template-haskell-compat-v0208, text
@@ -272610,7 +271456,6 @@ self: {
];
description = "Template Haskell construction utilities";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"th-lift" = callPackage
@@ -274128,6 +272973,17 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "time-domain" = callPackage
+ ({ mkDerivation, base, time }:
+ mkDerivation {
+ pname = "time-domain";
+ version = "0.1.0.0";
+ sha256 = "1gmz0l9nf185cl43qfdcsb15hgfkk6wprrfc5q93l82kgdc30bj4";
+ libraryHaskellDepends = [ base time ];
+ description = "A library for time domains and durations";
+ license = lib.licenses.mit;
+ }) {};
+
"time-extras" = callPackage
({ mkDerivation, base, time }:
mkDerivation {
@@ -274412,6 +273268,17 @@ self: {
license = lib.licenses.bsd3;
}) {};
+ "time-units-types" = callPackage
+ ({ mkDerivation, base, time-units }:
+ mkDerivation {
+ pname = "time-units-types";
+ version = "0.2.0.1";
+ sha256 = "1sbyjhl7gw5fn3javsb12ip7ggyi0hwzz6qdpiv1bqh1qcdxkhjb";
+ libraryHaskellDepends = [ base time-units ];
+ description = "Type-level representations of time durations";
+ license = lib.licenses.mit;
+ }) {};
+
"time-w3c" = callPackage
({ mkDerivation, base, convertible, parsec, time }:
mkDerivation {
@@ -277068,29 +275935,6 @@ self: {
}) {};
"tracing-control" = callPackage
- ({ mkDerivation, aeson, base, base16-bytestring, bytestring
- , case-insensitive, containers, hspec, http-client, lifted-base
- , monad-control, mtl, network, random, stm, stm-lifted, text, time
- , transformers, transformers-base
- }:
- mkDerivation {
- pname = "tracing-control";
- version = "0.0.7.2";
- sha256 = "06ac0k90d51lll4l16wg715d50j6cv47jbxy76ifal1qizpr520c";
- libraryHaskellDepends = [
- aeson base base16-bytestring bytestring case-insensitive containers
- http-client lifted-base monad-control mtl network random stm
- stm-lifted text time transformers transformers-base
- ];
- testHaskellDepends = [
- base containers hspec lifted-base monad-control mtl stm stm-lifted
- text
- ];
- description = "Distributed tracing";
- license = lib.licenses.bsd3;
- }) {};
-
- "tracing-control_0_0_7_3" = callPackage
({ mkDerivation, aeson, base, base16-bytestring, bytestring
, case-insensitive, containers, hspec, http-client, lifted-base
, monad-control, mtl, network, random, stm, stm-lifted, text, time
@@ -277111,7 +275955,6 @@ self: {
];
description = "Distributed tracing";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"tracked-files" = callPackage
@@ -278740,7 +277583,6 @@ self: {
];
description = "A very simple triple store";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"triplesec" = callPackage
@@ -281937,31 +280779,6 @@ self: {
}) {};
"ua-parser" = callPackage
- ({ mkDerivation, aeson, base, bytestring, criterion, data-default
- , deepseq, file-embed, filepath, HUnit, pcre-light, tasty
- , tasty-hunit, tasty-quickcheck, text, yaml
- }:
- mkDerivation {
- pname = "ua-parser";
- version = "0.7.6.0";
- sha256 = "0sakvmmf6p2ca0dbkwqdj5cv93gp78srw0zc4f1skcgndkmxwk6l";
- enableSeparateDataOutput = true;
- libraryHaskellDepends = [
- aeson base bytestring data-default file-embed pcre-light text yaml
- ];
- testHaskellDepends = [
- aeson base bytestring data-default file-embed filepath HUnit
- pcre-light tasty tasty-hunit tasty-quickcheck text yaml
- ];
- benchmarkHaskellDepends = [
- aeson base bytestring criterion data-default deepseq file-embed
- filepath pcre-light text yaml
- ];
- description = "A library for parsing User-Agent strings, official Haskell port of ua-parser";
- license = lib.licenses.bsd3;
- }) {};
-
- "ua-parser_0_7_7_0" = callPackage
({ mkDerivation, aeson, base, bytestring, cereal, cereal-text
, criterion, data-default, deepseq, file-embed, filepath, HUnit
, pcre-light, tasty, tasty-hunit, tasty-quickcheck, text, yaml
@@ -281986,7 +280803,6 @@ self: {
];
description = "A library for parsing User-Agent strings, official Haskell port of ua-parser";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"uacpid" = callPackage
@@ -283141,12 +281957,12 @@ self: {
}) {};
"unicode-show" = callPackage
- ({ mkDerivation, base, hspec, QuickCheck }:
+ ({ mkDerivation, base, hspec, QuickCheck, safe, transformers }:
mkDerivation {
pname = "unicode-show";
- version = "0.1.1.0";
- sha256 = "1g945vkj75vrm4c3v79c61hlhx3s6q5v0lm92bjzf29r45clnzsi";
- libraryHaskellDepends = [ base ];
+ version = "0.1.1.1";
+ sha256 = "1sizp1wmnx1vgckwyf5nawqf9s7ibrwacgznnc1m4j5q1hydbbzl";
+ libraryHaskellDepends = [ base safe transformers ];
testHaskellDepends = [ base hspec QuickCheck ];
description = "print and show in unicode";
license = lib.licenses.bsd3;
@@ -283166,32 +281982,6 @@ self: {
}) {};
"unicode-transforms" = callPackage
- ({ mkDerivation, base, bytestring, deepseq, filepath, ghc-prim
- , hspec, path, path-io, QuickCheck, split, tasty-bench, text
- , unicode-data
- }:
- mkDerivation {
- pname = "unicode-transforms";
- version = "0.4.0";
- sha256 = "0m234yhjizl28xm8y08bdhrbni666r7q2z71a8s64lynqk4lzq5k";
- revision = "1";
- editedCabalFile = "18k7z25byg9x05rydbcgjfvhz9qdv6yxjvxac58kxw8pfj8xlcap";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base bytestring ghc-prim text unicode-data
- ];
- testHaskellDepends = [
- base deepseq hspec QuickCheck split text unicode-data
- ];
- benchmarkHaskellDepends = [
- base deepseq filepath path path-io tasty-bench text
- ];
- description = "Unicode normalization";
- license = lib.licenses.bsd3;
- }) {};
-
- "unicode-transforms_0_4_0_1" = callPackage
({ mkDerivation, base, bytestring, deepseq, filepath, ghc-prim
, hspec, path, path-io, QuickCheck, split, tasty-bench, text
, unicode-data
@@ -283213,7 +282003,6 @@ self: {
];
description = "Unicode normalization";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"unicode-tricks" = callPackage
@@ -284149,6 +282938,32 @@ self: {
license = lib.licenses.mit;
}) {};
+ "universum_1_7_3" = callPackage
+ ({ mkDerivation, base, bytestring, containers, deepseq, doctest
+ , gauge, ghc-prim, Glob, hashable, hedgehog, microlens
+ , microlens-mtl, mtl, safe-exceptions, stm, tasty, tasty-hedgehog
+ , text, transformers, unordered-containers, utf8-string, vector
+ }:
+ mkDerivation {
+ pname = "universum";
+ version = "1.7.3";
+ sha256 = "1dhdj72anj3r50idzn45l63zdwkckmbvll65rkwbsn4jj7pd033d";
+ libraryHaskellDepends = [
+ base bytestring containers deepseq ghc-prim hashable microlens
+ microlens-mtl mtl safe-exceptions stm text transformers
+ unordered-containers utf8-string vector
+ ];
+ testHaskellDepends = [
+ base bytestring doctest Glob hedgehog tasty tasty-hedgehog text
+ ];
+ benchmarkHaskellDepends = [
+ base containers gauge text unordered-containers
+ ];
+ description = "Custom prelude used in Serokell";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"unix_2_7_2_2" = callPackage
({ mkDerivation, base, bytestring, time }:
mkDerivation {
@@ -290014,39 +288829,6 @@ self: {
}) {};
"wai-app-static" = callPackage
- ({ mkDerivation, base, blaze-html, blaze-markup, bytestring
- , containers, cryptonite, directory, file-embed, filepath, hspec
- , http-date, http-types, memory, mime-types, mockery, network
- , old-locale, optparse-applicative, template-haskell, temporary
- , text, time, transformers, unix-compat, unordered-containers, wai
- , wai-extra, warp, zlib
- }:
- mkDerivation {
- pname = "wai-app-static";
- version = "3.1.7.3";
- sha256 = "1f3hhimbsxy1g0ykz3hjh80db4a8ylayxnmgj9jx2zfgy5q8ypvv";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base blaze-html blaze-markup bytestring containers cryptonite
- directory file-embed filepath http-date http-types memory
- mime-types old-locale optparse-applicative template-haskell text
- time transformers unix-compat unordered-containers wai wai-extra
- warp zlib
- ];
- executableHaskellDepends = [
- base bytestring containers directory mime-types text
- ];
- testHaskellDepends = [
- base bytestring filepath hspec http-date http-types mime-types
- mockery network old-locale temporary text time transformers
- unix-compat wai wai-extra zlib
- ];
- description = "WAI application for static serving";
- license = lib.licenses.mit;
- }) {};
-
- "wai-app-static_3_1_7_4" = callPackage
({ mkDerivation, base, blaze-html, blaze-markup, bytestring
, containers, cryptonite, directory, file-embed, filepath, hspec
, http-date, http-types, memory, mime-types, mockery, network
@@ -290077,7 +288859,6 @@ self: {
];
description = "WAI application for static serving";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"wai-cli" = callPackage
@@ -291412,6 +290193,18 @@ self: {
license = lib.licenses.mit;
}) {};
+ "wai-rate-limit_0_3_0_0" = callPackage
+ ({ mkDerivation, base, http-types, time-units, wai }:
+ mkDerivation {
+ pname = "wai-rate-limit";
+ version = "0.3.0.0";
+ sha256 = "04w146xpw5zlzwrcjq8facmi39izfngmg121bkahyxwsbbnz3adx";
+ libraryHaskellDepends = [ base http-types time-units wai ];
+ description = "Rate limiting as WAI middleware";
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"wai-rate-limit-postgres" = callPackage
({ mkDerivation, base, http-client, http-types, postgresql-simple
, postgresql-simple-url, relude, resource-pool, tasty, tasty-hunit
@@ -291435,25 +290228,6 @@ self: {
}) {};
"wai-rate-limit-redis" = callPackage
- ({ mkDerivation, base, bytestring, hedis, http-types, tasty
- , tasty-hedgehog, tasty-hunit, wai, wai-extra, wai-rate-limit, warp
- }:
- mkDerivation {
- pname = "wai-rate-limit-redis";
- version = "0.2.0.0";
- sha256 = "16bpz1c3m4xsjyg4m0n6r15qcn4w6c8grmbwslg4gsnlqlgpx83c";
- libraryHaskellDepends = [ base bytestring hedis wai-rate-limit ];
- testHaskellDepends = [
- base bytestring hedis http-types tasty tasty-hedgehog tasty-hunit
- wai wai-extra wai-rate-limit warp
- ];
- description = "Redis backend for rate limiting as WAI middleware";
- license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "wai-rate-limit-redis_0_2_0_1" = callPackage
({ mkDerivation, base, bytestring, hedis, http-types, tasty
, tasty-hedgehog, tasty-hunit, wai, wai-extra, wai-rate-limit, warp
}:
@@ -291593,24 +290367,6 @@ self: {
}) {};
"wai-saml2" = callPackage
- ({ mkDerivation, base, base64-bytestring, bytestring, c14n
- , cryptonite, data-default-class, http-types, mtl, text, time
- , vault, wai, wai-extra, x509, x509-store, xml-conduit
- }:
- mkDerivation {
- pname = "wai-saml2";
- version = "0.2.1.2";
- sha256 = "1hd408fs4w0lpqg0shnrwpx98fh6idzk8la3gn8xghhml189xgwl";
- libraryHaskellDepends = [
- base base64-bytestring bytestring c14n cryptonite
- data-default-class http-types mtl text time vault wai wai-extra
- x509 x509-store xml-conduit
- ];
- description = "SAML2 assertion validation as WAI middleware";
- license = lib.licenses.mit;
- }) {};
-
- "wai-saml2_0_2_1_3" = callPackage
({ mkDerivation, base, base64-bytestring, bytestring, c14n
, cryptonite, data-default-class, http-types, mtl, text, time
, vault, wai, wai-extra, x509, x509-store, xml-conduit
@@ -291626,7 +290382,6 @@ self: {
];
description = "SAML2 assertion validation as WAI middleware";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"wai-secure-cookies" = callPackage
@@ -291751,33 +290506,6 @@ self: {
}) {};
"wai-session-redis" = callPackage
- ({ mkDerivation, base, bytestring, cereal, data-default, hedis
- , hspec, http-types, vault, wai, wai-session, warp
- }:
- mkDerivation {
- pname = "wai-session-redis";
- version = "0.1.0.4";
- sha256 = "15qmv4ivp9zcz90p5k0lbcfv7pq5rszalvc9gh191ngmnl2z0w5g";
- isLibrary = true;
- isExecutable = true;
- libraryHaskellDepends = [
- base bytestring cereal data-default hedis vault wai wai-session
- ];
- executableHaskellDepends = [
- base bytestring cereal data-default hedis http-types vault wai
- wai-session warp
- ];
- testHaskellDepends = [
- base bytestring cereal data-default hedis hspec vault wai
- wai-session
- ];
- description = "Simple Redis backed wai-session backend";
- license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
- broken = true;
- }) {};
-
- "wai-session-redis_0_1_0_5" = callPackage
({ mkDerivation, base, bytestring, cereal, data-default, hedis
, hspec, http-types, vault, wai, wai-session, warp
}:
@@ -292682,21 +291410,6 @@ self: {
}) {};
"web-plugins" = callPackage
- ({ mkDerivation, base, binary, bytestring, containers, http-types
- , mtl, stm, text
- }:
- mkDerivation {
- pname = "web-plugins";
- version = "0.4.0";
- sha256 = "1r3bvwlr7p5vfvibw2ghj7nxw4hgapqqpsrhr55ni8ivlrprs9fh";
- libraryHaskellDepends = [
- base binary bytestring containers http-types mtl stm text
- ];
- description = "dynamic plugin system for web applications";
- license = lib.licenses.bsd3;
- }) {};
-
- "web-plugins_0_4_1" = callPackage
({ mkDerivation, base, binary, bytestring, containers, http-types
, mtl, stm, text
}:
@@ -292709,7 +291422,6 @@ self: {
];
description = "dynamic plugin system for web applications";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"web-push" = callPackage
@@ -293843,6 +292555,8 @@ self: {
pname = "websockets";
version = "0.12.7.3";
sha256 = "0g3z0n4irf3gvbdf9p97jq05ybdg0gwjy5bj4nfc7ivsvyhaic6k";
+ revision = "1";
+ editedCabalFile = "1yx97y6jl74vy200y43vjxfyzx338kh10dx8vxkjhr0mfh36wldq";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
@@ -294885,25 +293599,6 @@ self: {
}) {};
"witch" = callPackage
- ({ mkDerivation, base, bytestring, containers, HUnit
- , template-haskell, text, time
- }:
- mkDerivation {
- pname = "witch";
- version = "1.0.0.1";
- sha256 = "010agcfcmyjmcz6wl7wrwd6w7y60d4163vlvrp1b2h8w86z87jlm";
- libraryHaskellDepends = [
- base bytestring containers template-haskell text time
- ];
- testHaskellDepends = [
- base bytestring containers HUnit template-haskell text time
- ];
- description = "Convert values from one type into another";
- license = lib.licenses.mit;
- maintainers = with lib.maintainers; [ maralorn ];
- }) {};
-
- "witch_1_0_0_2" = callPackage
({ mkDerivation, base, bytestring, containers, HUnit
, template-haskell, text, time
}:
@@ -294919,7 +293614,6 @@ self: {
];
description = "Convert values from one type into another";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
maintainers = with lib.maintainers; [ maralorn ];
}) {};
@@ -299293,6 +297987,8 @@ self: {
pname = "xss-sanitize";
version = "0.3.7";
sha256 = "1wnzx5nv8p4ppphcvjp6x8wna0kpw9jn85gn1qbhjqhrl5nqy1vw";
+ revision = "1";
+ editedCabalFile = "15kd3yxs219g4rxnq7qlr2zhjv930b33aynq0nbzhw94bff6qb66";
libraryHaskellDepends = [
attoparsec base containers css-text network-uri tagsoup text
utf8-string
@@ -300079,32 +298775,6 @@ self: {
}) {};
"yaml-unscrambler" = callPackage
- ({ mkDerivation, acc, attoparsec, attoparsec-data, attoparsec-time
- , base, base64, bytestring, conduit, containers, foldl, hashable
- , libyaml, mtl, neat-interpolation, QuickCheck
- , quickcheck-instances, rerebase, scientific, selective, tasty
- , tasty-hunit, tasty-quickcheck, text, text-builder-dev, time
- , transformers, unordered-containers, uuid, vector, yaml
- }:
- mkDerivation {
- pname = "yaml-unscrambler";
- version = "0.1.0.8";
- sha256 = "1bkv2a5yikqbav0laavwkka4jzl0i8xdy0zbzfy47rz6gkfwmlm7";
- libraryHaskellDepends = [
- acc attoparsec attoparsec-data attoparsec-time base base64
- bytestring conduit containers foldl hashable libyaml mtl scientific
- selective text text-builder-dev time transformers
- unordered-containers uuid vector yaml
- ];
- testHaskellDepends = [
- foldl neat-interpolation QuickCheck quickcheck-instances rerebase
- tasty tasty-hunit tasty-quickcheck
- ];
- description = "Flexible declarative YAML parsing toolkit";
- license = lib.licenses.mit;
- }) {};
-
- "yaml-unscrambler_0_1_0_9" = callPackage
({ mkDerivation, acc, attoparsec, attoparsec-data, attoparsec-time
, base, base64-bytestring, bytestring, conduit, containers, foldl
, hashable, libyaml, mtl, neat-interpolation, QuickCheck
@@ -300128,7 +298798,6 @@ self: {
];
description = "Flexible declarative YAML parsing toolkit";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"yaml2owl" = callPackage
@@ -300358,20 +299027,25 @@ self: {
}) {};
"yapb" = callPackage
- ({ mkDerivation, base, bytestring, directory, hashable, hspec
- , network, process, regex-tdfa
+ ({ mkDerivation, base, bytestring, deepseq, directory, hashable
+ , hspec, mtl, network, process, regex-tdfa, transformers
}:
mkDerivation {
pname = "yapb";
- version = "0.1.3.2";
- sha256 = "15apb25gri0d2w8pg05by98mvjnxjvgk73km0byl4im10m04r11w";
+ version = "0.2.1";
+ sha256 = "00xc5q5yp9f76sd227mp11mb62k1yxhczgq30c6sh66cqxrjidwc";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
- base bytestring directory hashable hspec network process regex-tdfa
+ base bytestring deepseq directory hashable hspec mtl network
+ process regex-tdfa transformers
+ ];
+ executableHaskellDepends = [
+ base deepseq hspec mtl regex-tdfa transformers
+ ];
+ testHaskellDepends = [
+ base deepseq hspec mtl process transformers
];
- executableHaskellDepends = [ base hspec regex-tdfa ];
- testHaskellDepends = [ base hspec process ];
description = "Yet Another Parser Builder (YAPB)";
license = lib.licenses.bsd3;
hydraPlatforms = lib.platforms.none;
@@ -300399,37 +299073,37 @@ self: {
}) {};
"yarn2nix" = callPackage
- ({ mkDerivation, aeson, async-pool, base, bytestring, containers
- , data-fix, directory, filepath, hnix, mtl, neat-interpolation
- , optparse-applicative, prettyprinter, process, protolude
- , regex-tdfa, regex-tdfa-text, stm, tasty, tasty-hunit
+ ({ mkDerivation, aeson, aeson-better-errors, async-pool, base
+ , bytestring, containers, data-fix, directory, filepath, hnix, mtl
+ , neat-interpolation, optparse-applicative, prettyprinter, process
+ , protolude, regex-tdfa, scientific, stm, tasty, tasty-hunit
, tasty-quickcheck, tasty-th, text, transformers, unix
, unordered-containers, yarn-lock
}:
mkDerivation {
pname = "yarn2nix";
- version = "0.8.0";
- sha256 = "05xwpjyi37qlwfj954zpn6f4iwyvy6hsgc8h5vpckbnnp8ak1ndw";
+ version = "0.10.1";
+ sha256 = "17f96563v9hp56ycd276fxri7z6nljd7yaiyzpgaa3px6rf48a0m";
isLibrary = true;
isExecutable = true;
libraryHaskellDepends = [
- aeson async-pool base bytestring containers data-fix directory
- filepath hnix mtl prettyprinter process protolude regex-tdfa
- regex-tdfa-text stm text transformers unordered-containers
- yarn-lock
+ aeson aeson-better-errors async-pool base bytestring containers
+ data-fix directory filepath hnix mtl optparse-applicative
+ prettyprinter process protolude regex-tdfa scientific stm text
+ transformers unordered-containers yarn-lock
];
executableHaskellDepends = [
- aeson async-pool base bytestring containers data-fix directory
- filepath hnix mtl optparse-applicative prettyprinter process
- protolude regex-tdfa regex-tdfa-text stm text transformers unix
- unordered-containers yarn-lock
+ aeson aeson-better-errors async-pool base bytestring containers
+ data-fix directory filepath hnix mtl optparse-applicative
+ prettyprinter process protolude regex-tdfa scientific stm text
+ transformers unix unordered-containers yarn-lock
];
testHaskellDepends = [
- aeson async-pool base bytestring containers data-fix directory
- filepath hnix mtl neat-interpolation prettyprinter process
- protolude regex-tdfa regex-tdfa-text stm tasty tasty-hunit
- tasty-quickcheck tasty-th text transformers unordered-containers
- yarn-lock
+ aeson aeson-better-errors async-pool base bytestring containers
+ data-fix directory filepath hnix mtl neat-interpolation
+ optparse-applicative prettyprinter process protolude regex-tdfa
+ scientific stm tasty tasty-hunit tasty-quickcheck tasty-th text
+ transformers unordered-containers yarn-lock
];
description = "Convert yarn.lock files to nix expressions";
license = lib.licenses.mit;
@@ -301395,33 +300069,6 @@ self: {
}) {};
"yesod-bin" = callPackage
- ({ mkDerivation, aeson, base, bytestring, Cabal, conduit
- , conduit-extra, containers, data-default-class, directory
- , file-embed, filepath, fsnotify, http-client, http-client-tls
- , http-reverse-proxy, http-types, network, optparse-applicative
- , process, project-template, say, split, stm, streaming-commons
- , tar, text, time, transformers, transformers-compat, unliftio
- , unordered-containers, wai, wai-extra, warp, warp-tls, yaml, zlib
- }:
- mkDerivation {
- pname = "yesod-bin";
- version = "1.6.2";
- sha256 = "12dwix5q3xk83d0d4715h680dbalbz4556wk3r89gps3rp9pib7f";
- isLibrary = false;
- isExecutable = true;
- executableHaskellDepends = [
- aeson base bytestring Cabal conduit conduit-extra containers
- data-default-class directory file-embed filepath fsnotify
- http-client http-client-tls http-reverse-proxy http-types network
- optparse-applicative process project-template say split stm
- streaming-commons tar text time transformers transformers-compat
- unliftio unordered-containers wai wai-extra warp warp-tls yaml zlib
- ];
- description = "The yesod helper executable";
- license = lib.licenses.mit;
- }) {};
-
- "yesod-bin_1_6_2_1" = callPackage
({ mkDerivation, aeson, base, bytestring, Cabal, conduit
, conduit-extra, containers, data-default-class, directory
, file-embed, filepath, fsnotify, http-client, http-client-tls
@@ -301446,7 +300093,6 @@ self: {
];
description = "The yesod helper executable";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"yesod-bootstrap" = callPackage
@@ -301550,43 +300196,6 @@ self: {
}) {};
"yesod-core" = callPackage
- ({ mkDerivation, aeson, async, auto-update, base, blaze-html
- , blaze-markup, bytestring, case-insensitive, cereal, clientsession
- , conduit, conduit-extra, containers, cookie, deepseq, entropy
- , fast-logger, gauge, hspec, hspec-expectations, http-types, HUnit
- , memory, monad-logger, mtl, network, parsec, path-pieces
- , primitive, random, resourcet, shakespeare, streaming-commons
- , template-haskell, text, time, transformers, unix-compat, unliftio
- , unordered-containers, vector, wai, wai-extra, wai-logger, warp
- , word8
- }:
- mkDerivation {
- pname = "yesod-core";
- version = "1.6.21.0";
- sha256 = "0wmh7ip318p89lyy6k5mvxkkpq43knp41wlq9iaf3icz0ahqdmb7";
- libraryHaskellDepends = [
- aeson auto-update base blaze-html blaze-markup bytestring
- case-insensitive cereal clientsession conduit conduit-extra
- containers cookie deepseq entropy fast-logger http-types memory
- monad-logger mtl parsec path-pieces primitive random resourcet
- shakespeare template-haskell text time transformers unix-compat
- unliftio unordered-containers vector wai wai-extra wai-logger warp
- word8
- ];
- testHaskellDepends = [
- async base bytestring clientsession conduit conduit-extra
- containers cookie hspec hspec-expectations http-types HUnit network
- path-pieces random resourcet shakespeare streaming-commons
- template-haskell text transformers unliftio wai wai-extra warp
- ];
- benchmarkHaskellDepends = [
- base blaze-html bytestring gauge shakespeare text
- ];
- description = "Creation of type-safe, RESTful web applications";
- license = lib.licenses.mit;
- }) {};
-
- "yesod-core_1_6_22_0" = callPackage
({ mkDerivation, aeson, async, auto-update, base, blaze-html
, blaze-markup, bytestring, case-insensitive, cereal, clientsession
, conduit, conduit-extra, containers, cookie, deepseq, entropy
@@ -301621,7 +300230,6 @@ self: {
];
description = "Creation of type-safe, RESTful web applications";
license = lib.licenses.mit;
- hydraPlatforms = lib.platforms.none;
}) {};
"yesod-crud" = callPackage
@@ -302249,6 +300857,31 @@ self: {
license = lib.licenses.mit;
}) {};
+ "yesod-page-cursor_2_0_0_10" = callPackage
+ ({ mkDerivation, aeson, base, bytestring, containers, hspec
+ , hspec-expectations-lifted, http-link-header, http-types, lens
+ , lens-aeson, monad-logger, mtl, network-uri, persistent
+ , persistent-sqlite, persistent-template, scientific, text, time
+ , unliftio, unliftio-core, wai-extra, yesod, yesod-core, yesod-test
+ }:
+ mkDerivation {
+ pname = "yesod-page-cursor";
+ version = "2.0.0.10";
+ sha256 = "0ygj3k86lxq59pf5z671kyzgkfvc8csgsg9wb6ds9wy0vym1jd13";
+ libraryHaskellDepends = [
+ aeson base bytestring containers http-link-header network-uri text
+ unliftio yesod-core
+ ];
+ testHaskellDepends = [
+ aeson base bytestring hspec hspec-expectations-lifted
+ http-link-header http-types lens lens-aeson monad-logger mtl
+ persistent persistent-sqlite persistent-template scientific text
+ time unliftio unliftio-core wai-extra yesod yesod-core yesod-test
+ ];
+ license = lib.licenses.mit;
+ hydraPlatforms = lib.platforms.none;
+ }) {};
+
"yesod-paginate" = callPackage
({ mkDerivation, base, template-haskell, yesod }:
mkDerivation {
@@ -305447,26 +304080,6 @@ self: {
}) {};
"ztail" = callPackage
- ({ mkDerivation, array, base, bytestring, filepath, hinotify
- , process, regex-posix, time, unix, unordered-containers
- }:
- mkDerivation {
- pname = "ztail";
- version = "1.2.0.2";
- sha256 = "05vpq3kiv1xrby2k1qn41s42cxxxblcgxpnw1sgyznx63pal2hx1";
- revision = "2";
- editedCabalFile = "16w0hgjvj45azdgkzvykiznds5sa38mq9xf5022r7qfhpvps65y0";
- isLibrary = false;
- isExecutable = true;
- executableHaskellDepends = [
- array base bytestring filepath hinotify process regex-posix time
- unix unordered-containers
- ];
- description = "Multi-file, colored, filtered log tailer";
- license = lib.licenses.bsd3;
- }) {};
-
- "ztail_1_2_0_3" = callPackage
({ mkDerivation, array, base, bytestring, filepath, hinotify
, process, regex-posix, time, unix, unordered-containers
}:
@@ -305482,7 +304095,6 @@ self: {
];
description = "Multi-file, colored, filtered log tailer";
license = lib.licenses.bsd3;
- hydraPlatforms = lib.platforms.none;
}) {};
"ztar" = callPackage
diff --git a/pkgs/development/interpreters/pure/default.nix b/pkgs/development/interpreters/pure/default.nix
deleted file mode 100644
index d1c03bba5a31..000000000000
--- a/pkgs/development/interpreters/pure/default.nix
+++ /dev/null
@@ -1,46 +0,0 @@
-{ lib, stdenv, fetchurl, makeWrapper,
- libllvm, gmp, mpfr, readline, bison, flex }:
-
-stdenv.mkDerivation rec {
- baseName="pure";
- version="0.68";
- name="${baseName}-${version}";
-
- src = fetchurl {
- url="https://github.com/agraef/pure-lang/releases/download/${name}/${name}.tar.gz";
- sha256="0px6x5ivcdbbp2pz5n1r1cwg1syadklhjw8piqhl63n91i4r7iyb";
- };
-
- nativeBuildInputs = [ makeWrapper ];
- buildInputs = [ bison flex ];
- propagatedBuildInputs = [ libllvm gmp mpfr readline ];
- NIX_LDFLAGS = "-lLLVMJIT";
-
- postPatch = ''
- for f in expr.cc matcher.cc printer.cc symtable.cc parserdefs.hh; do
- sed -i '1i\#include ' $f
- done
- '';
-
- configureFlags = [ "--enable-release" ];
- doCheck = true;
- checkPhase = ''
- LD_LIBRARY_PATH=$LD_LIBRARY_PATH''${LD_LIBRARY_PATH:+:}${libllvm}/lib make check
- '';
- postInstall = ''
- wrapProgram $out/bin/pure --prefix LD_LIBRARY_PATH : ${libllvm}/lib
- '';
-
- meta = {
- description = "A modern-style functional programming language based on term rewriting";
- maintainers = with lib.maintainers;
- [
- raskin
- asppsa
- ];
- platforms = with lib.platforms;
- linux;
- license = lib.licenses.gpl3Plus;
- broken = true;
- };
-}
diff --git a/pkgs/development/interpreters/starlark/default.nix b/pkgs/development/interpreters/starlark/default.nix
new file mode 100644
index 000000000000..aa77ceba33b4
--- /dev/null
+++ b/pkgs/development/interpreters/starlark/default.nix
@@ -0,0 +1,23 @@
+{ lib, fetchFromGitHub, buildGoModule }:
+buildGoModule rec {
+ pname = "starlark";
+ version = "unstable-2022-03-02";
+
+ src = fetchFromGitHub {
+ owner = "google";
+ repo = "starlark-go";
+ rev = "5411bad688d12781515a91cc032645331b4fc302";
+ sha256 = "sha256-JNsGyGlIVMS5w0W4jHVsrPqqNms3Xfpa4n/XcEWqt6I=";
+ };
+
+ vendorSha256 = "sha256-lgL5o3MQfZekZ++BNESwV0LeoTxwEZfziQAe99zm4RY=";
+
+ ldflags = [ "-s" "-w" ];
+
+ meta = with lib; {
+ homepage = "https://github.com/google/starlark-go";
+ description = "An interpreter for Starlark, implemented in Go";
+ license = licenses.bsd3;
+ maintainers = with maintainers; [ aaronjheng ];
+ };
+}
diff --git a/pkgs/development/interpreters/wasmtime/default.nix b/pkgs/development/interpreters/wasmtime/default.nix
index 816b854b99eb..7f00faa76476 100644
--- a/pkgs/development/interpreters/wasmtime/default.nix
+++ b/pkgs/development/interpreters/wasmtime/default.nix
@@ -1,31 +1,41 @@
-{ rustPlatform, fetchFromGitHub, lib, python3, cmake, llvmPackages, clang, stdenv, darwin }:
+{ rustPlatform, fetchFromGitHub, lib, v8 }:
rustPlatform.buildRustPackage rec {
pname = "wasmtime";
- version = "0.21.0";
+ version = "0.35.2";
src = fetchFromGitHub {
owner = "bytecodealliance";
repo = pname;
rev = "v${version}";
- sha256 = "0q7wsnq5zdskxwzsxwm98jfnv2frnwca1dkhwndcn9yyz2gyw57m";
+ sha256 = "sha256-4oZglk7MInLIsvbeCfs4InAcmSmzZp16XL5+8eoYXJk=";
fetchSubmodules = true;
};
- cargoSha256 = "1wlig9gls7s1k1swxwhl82vfga30bady8286livxc4y2zp0vb18w";
+ cargoSha256 = "sha256-IqFOw9bGdM3IEoMeqDlxKfLnZvR80PSnwP9kr1tI/h0=";
- nativeBuildInputs = [ python3 cmake clang ];
- buildInputs = [ llvmPackages.libclang ] ++
- lib.optionals stdenv.isDarwin [ darwin.apple_sdk.frameworks.Security ];
- LIBCLANG_PATH = "${llvmPackages.libclang.lib}/lib";
+ # This environment variable is required so that when wasmtime tries
+ # to run tests by using the rusty_v8 crate, it does not try to
+ # download a static v8 build from the Internet, what would break
+ # build hermetism.
+ RUSTY_V8_ARCHIVE = "${v8}/lib/libv8.a";
doCheck = true;
+ checkFlags = [
+ "--skip=cli_tests::run_cwasm"
+ "--skip=commands::compile::test::test_successful_compile"
+ "--skip=commands::compile::test::test_aarch64_flags_compile"
+ "--skip=commands::compile::test::test_unsupported_flags_compile"
+ "--skip=commands::compile::test::test_x64_flags_compile"
+ "--skip=commands::compile::test::test_x64_presets_compile"
+ "--skip=traps::parse_dwarf_info"
+ ];
meta = with lib; {
description = "Standalone JIT-style runtime for WebAssembly, using Cranelift";
homepage = "https://github.com/bytecodealliance/wasmtime";
license = licenses.asl20;
maintainers = [ maintainers.matthewbauer ];
- platforms = platforms.unix;
+ platforms = platforms.linux;
};
}
diff --git a/pkgs/development/libraries/gdata-sharp/default.nix b/pkgs/development/libraries/gdata-sharp/default.nix
deleted file mode 100644
index 21cb79ba8158..000000000000
--- a/pkgs/development/libraries/gdata-sharp/default.nix
+++ /dev/null
@@ -1,42 +0,0 @@
-{ lib, stdenv, fetchsvn, pkg-config, mono, dotnetPackages }:
-
-let
- newtonsoft-json = dotnetPackages.NewtonsoftJson;
-in stdenv.mkDerivation {
- pname = "gdata-sharp";
- version = "2.2.0.0";
-
- src = fetchsvn {
- url = "http://google-gdata.googlecode.com/svn/trunk/";
- rev = "1217";
- sha256 = "0b0rvgg3xsbbg2fdrpz0ywsy9rcahlyfskndaagd3yzm83gi6bhk";
- };
-
- nativeBuildInputs = [ pkg-config ];
- buildInputs = [ mono newtonsoft-json ];
-
- sourceRoot = "svn-r1217/clients/cs";
-
- dontStrip = true;
-
- postPatch = ''
- sed -i -e 's#^\(DEFINES=.*\)\(.\)#\1 /r:third_party/Newtonsoft.Json.dll\2#' Makefile
- # carriage return ^
- '';
-
- makeFlags = [ "PREFIX=$(out)" ];
-
- meta = with lib; {
- homepage = "https://code.google.com/archive/p/google-gdata/";
-
- description = "The Google Data APIs";
- longDescription = ''
- The Google Data APIs provide a simple protocol for reading and writing
- data on the web.
- '';
-
- license = licenses.asl20;
- platforms = platforms.linux;
- broken = true;
- };
-}
diff --git a/pkgs/development/libraries/gnutls-kdh/3.5.nix b/pkgs/development/libraries/gnutls-kdh/3.5.nix
deleted file mode 100644
index 015163b32931..000000000000
--- a/pkgs/development/libraries/gnutls-kdh/3.5.nix
+++ /dev/null
@@ -1,12 +0,0 @@
-{ callPackage, fetchFromGitHub, autoreconfHook, ... } @ args:
-
-callPackage ./generic.nix (args // {
- version = "1.0";
-
- src = fetchFromGitHub {
- owner = "arpa2";
- repo = "gnutls-kdh";
- rev = "ff3bb36f70a746f28554641d466e124098dfcb25";
- sha256 = "1rr3p4r145lnprxn8hqyyzh3qkj3idsbqp08g07ndrhqnxq0k0sw";
- };
-})
diff --git a/pkgs/development/libraries/gnutls-kdh/generic.nix b/pkgs/development/libraries/gnutls-kdh/generic.nix
deleted file mode 100644
index 7b3b4561efb1..000000000000
--- a/pkgs/development/libraries/gnutls-kdh/generic.nix
+++ /dev/null
@@ -1,95 +0,0 @@
-{ config, lib, stdenv, zlib, lzo, libtasn1, nettle, pkg-config, lzip
-, perl, gmp, autogen, libidn, p11-kit, unbound, libiconv
-, guileBindings ? config.gnutls.guile or false, guile
-, tpmSupport ? true, trousers, nettools, gperftools, gperf, gettext, automake
-, bison, texinfo
-
-# Version dependent args
-, version, src, patches ? [], postPatch ? "", nativeBuildInputs ? []
-, ...}:
-
-assert guileBindings -> guile != null;
-let
- # XXX: Gnulib's `test-select' fails on FreeBSD:
- # https://hydra.nixos.org/build/2962084/nixlog/1/raw .
- doCheck = !stdenv.isFreeBSD && !stdenv.isDarwin && lib.versionAtLeast version "3.4";
-in
-stdenv.mkDerivation {
- pname = "gnutls-kdh";
- inherit version;
-
- inherit src patches;
-
- outputs = [ "bin" "dev" "out" ];
-
- patchPhase = ''
- # rm -fR ./po
- # substituteInPlace configure "po/Makefile.in" " "
- substituteInPlace doc/manpages/Makefile.in --replace "gnutls_cipher_list.3" " "
- substituteInPlace doc/manpages/Makefile.in --replace "gnutls_cipher_self_test.3" " "
- substituteInPlace doc/manpages/Makefile.in --replace "gnutls_digest_self_test.3" " "
- substituteInPlace doc/manpages/Makefile.in --replace "gnutls_mac_self_test.3" " "
- substituteInPlace doc/manpages/Makefile.in --replace "gnutls_pk_self_test.3" " "
- printf "all: ;\n\ninstall: ;" > "po/Makefile.in"
- printf "all: ;\n\ninstall: ;" > "po/Makefile.in.in"
- '';
-
- postPatch = lib.optionalString (lib.versionAtLeast version "3.4") ''
- sed '2iecho "name constraints tests skipped due to datefudge problems"\nexit 0' \
- -i tests/cert-tests/name-constraints
- '' + postPatch;
-
- preConfigure = "patchShebangs .";
- configureFlags =
- lib.optional stdenv.isLinux "--with-default-trust-store-file=/etc/ssl/certs/ca-certificates.crt"
- ++ [
- "--disable-dependency-tracking"
- "--enable-fast-install"
- ] ++ lib.optional guileBindings
- [ "--enable-guile" "--with-guile-site-dir=\${out}/share/guile/site" ];
-
- # Build of the Guile bindings is not parallel-safe. See
- #
- # for the actual fix. Also an apparent race in the generation of
- # systemkey-args.h.
- enableParallelBuilding = false;
-
- buildInputs = [ lzo lzip nettle libtasn1 libidn p11-kit zlib gmp
- autogen gperftools gperf gettext automake bison texinfo ]
- ++ lib.optional doCheck nettools
- ++ lib.optional (stdenv.isFreeBSD || stdenv.isDarwin) libiconv
- ++ lib.optional (tpmSupport && stdenv.isLinux) trousers
- ++ [ unbound ]
- ++ lib.optional guileBindings guile;
-
- nativeBuildInputs = [ perl pkg-config ] ++ nativeBuildInputs;
-
- #inherit doCheck;
- doCheck = false;
-
- # Fixup broken libtool and pkg-config files
- preFixup = lib.optionalString (!stdenv.isDarwin) ''
- sed ${lib.optionalString tpmSupport "-e 's,-ltspi,-L${trousers}/lib -ltspi,'"} \
- -e 's,-lz,-L${zlib.out}/lib -lz,' \
- -e 's,-L${gmp.dev}/lib,-L${gmp.out}/lib,' \
- -e 's,-lgmp,-L${gmp.out}/lib -lgmp,' \
- -i $out/lib/*.la "$dev/lib/pkgconfig/gnutls.pc"
- '';
-
- meta = with lib; {
- description = "GnuTLS with additional TLS-KDH ciphers: Kerberos + Diffie-Hellman";
-
- longDescription = ''
- The ARPA2 project aims to add security. This is an enhanced
- version of GnuTLS, a project that aims to develop a library which
- provides a secure layer, over a reliable transport
- layer. It adds TLS-KDH ciphers: Kerberos + Diffie-Hellman.
- '';
-
- homepage = "https://github.com/arpa2/gnutls-kdh";
- license = licenses.lgpl21Plus;
- maintainers = with maintainers; [ leenaars ];
- platforms = platforms.all;
- broken = true;
- };
-}
diff --git a/pkgs/development/libraries/gtkmathview/default.nix b/pkgs/development/libraries/gtkmathview/default.nix
deleted file mode 100644
index b5399553f960..000000000000
--- a/pkgs/development/libraries/gtkmathview/default.nix
+++ /dev/null
@@ -1,29 +0,0 @@
-{lib, stdenv, fetchurl, pkg-config, gtk2, t1lib, glib, libxml2, popt, gmetadom ? null }:
-
-let
- pname = "gtkmathview";
- version = "0.8.0";
-in
-
-stdenv.mkDerivation {
- name = "${pname}-${version}";
-
- src = fetchurl {
- url = "http://helm.cs.unibo.it/mml-widget/sources/${pname}-${version}.tar.gz";
- sha256 = "0hwcamf5fi35frg7q6kgisc9v0prqbhsplb2gl55cg3av9sh3hqx";
- };
-
- nativeBuildInputs = [ pkg-config ];
- buildInputs = [ t1lib glib gmetadom libxml2 popt];
- propagatedBuildInputs = [gtk2 t1lib];
-
- patches = [ ./gcc-4.3-build-fixes.patch ./gcc-4.4-build-fixes.patch ];
-
- meta = {
- homepage = "http://helm.cs.unibo.it/mml-widget/";
- description = "C++ rendering engine for MathML documents";
- license = lib.licenses.lgpl3Plus;
- maintainers = [ lib.maintainers.roconnor ];
- broken = true;
- };
-}
diff --git a/pkgs/development/libraries/gtkmathview/gcc-4.3-build-fixes.patch b/pkgs/development/libraries/gtkmathview/gcc-4.3-build-fixes.patch
deleted file mode 100644
index 14ad594b38b8..000000000000
--- a/pkgs/development/libraries/gtkmathview/gcc-4.3-build-fixes.patch
+++ /dev/null
@@ -1,74 +0,0 @@
-From: Stefano Zacchiroli
-Date: Fri, 11 Dec 2009 12:58:56 +0100
-Subject: [PATCH] gcc 4.3 build fixes
-
----
- mathmlps/main.cc | 1 +
- mathmlsvg/SMS.cc | 1 +
- mathmlsvg/main.cc | 1 +
- src/backend/ps/T1_FontDataBase.cc | 2 +-
- src/engine/mathml/mathVariantAux.cc | 1 +
- 5 files changed, 5 insertions(+), 1 deletions(-)
-
-diff --git a/mathmlps/main.cc b/mathmlps/main.cc
-index cc6cd1c..48339af 100644
---- a/mathmlps/main.cc
-+++ b/mathmlps/main.cc
-@@ -19,6 +19,7 @@
- #include
-
- #include
-+#include
- #include
-
- #include
-diff --git a/mathmlsvg/SMS.cc b/mathmlsvg/SMS.cc
-index a76266e..be7add8 100644
---- a/mathmlsvg/SMS.cc
-+++ b/mathmlsvg/SMS.cc
-@@ -18,6 +18,7 @@
-
- #include
-
-+#include
- #include
- #include "defs.h"
- #include "AbstractLogger.hh"
-diff --git a/mathmlsvg/main.cc b/mathmlsvg/main.cc
-index 259d67e..c49e8ac 100644
---- a/mathmlsvg/main.cc
-+++ b/mathmlsvg/main.cc
-@@ -19,6 +19,7 @@
- #include
-
- #include
-+#include
- #include
-
- #include
-diff --git a/src/backend/ps/T1_FontDataBase.cc b/src/backend/ps/T1_FontDataBase.cc
-index b6490eb..3dd436c 100644
---- a/src/backend/ps/T1_FontDataBase.cc
-+++ b/src/backend/ps/T1_FontDataBase.cc
-@@ -19,7 +19,7 @@
- #include
- #include
- #include